text
stringlengths 1
22.8M
|
|---|
```c++
// (See accompanying file LICENSE_1_0.txt or copy at
// path_to_url
// See path_to_url for the library home page.
//
// File : $RCSfile$
//
// Version : $Revision: 49312 $
//
// Description : user's config for Boost.Test debugging support
// ***************************************************************************
#ifndef BOOST_TEST_DEBUG_CONFIG_HPP_112006GER
#define BOOST_TEST_DEBUG_CONFIG_HPP_112006GER
// ';' separated list of supported debuggers
// #define BOOST_TEST_DBG_LIST gdb;dbx
// maximum size of /proc/pid/stat file
// #define BOOST_TEST_STAT_LINE_MAX
#endif
```
|
```java
/**
* <p>
* <p>
* path_to_url
* <p>
* Unless required by applicable law or agreed to in writing, software
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
*/
package com.github.barteksc.pdfviewer.listener;
public interface OnRenderListener {
/**
* Called only once, when document is rendered
* @param nbPages number of pages
*/
void onInitiallyRendered(int nbPages);
}
```
|
```smalltalk
using System.Collections;
using System.Collections.Generic;
using System.Management.Automation.Internal;
namespace System.Management.Automation
{
#region OutputRendering
/// <summary>
/// Defines the options for output rendering.
/// </summary>
public enum OutputRendering
{
/// <summary>Render ANSI only to host.</summary>
Host = 0,
/// <summary>Render as plaintext.</summary>
PlainText = 1,
/// <summary>Render as ANSI.</summary>
Ansi = 2,
}
#endregion OutputRendering
/// <summary>
/// Defines the options for views of progress rendering.
/// </summary>
public enum ProgressView
{
/// <summary>Render progress using minimal space.</summary>
Minimal = 0,
/// <summary>Classic rendering of progress.</summary>
Classic = 1,
}
#region PSStyle
/// <summary>
/// Contains configuration for how PowerShell renders text.
/// </summary>
public sealed class PSStyle
{
/// <summary>
/// Contains foreground colors.
/// </summary>
public sealed class ForegroundColor
{
/// <summary>
/// Gets the color black.
/// </summary>
public string Black { get; } = "\x1b[30m";
/// <summary>
/// Gets the color red.
/// </summary>
public string Red { get; } = "\x1b[31m";
/// <summary>
/// Gets the color green.
/// </summary>
public string Green { get; } = "\x1b[32m";
/// <summary>
/// Gets the color yellow.
/// </summary>
public string Yellow { get; } = "\x1b[33m";
/// <summary>
/// Gets the color blue.
/// </summary>
public string Blue { get; } = "\x1b[34m";
/// <summary>
/// Gets the color magenta.
/// </summary>
public string Magenta { get; } = "\x1b[35m";
/// <summary>
/// Gets the color cyan.
/// </summary>
public string Cyan { get; } = "\x1b[36m";
/// <summary>
/// Gets the color white.
/// </summary>
public string White { get; } = "\x1b[37m";
/// <summary>
/// Gets the color bright black.
/// </summary>
public string BrightBlack { get; } = "\x1b[90m";
/// <summary>
/// Gets the color bright red.
/// </summary>
public string BrightRed { get; } = "\x1b[91m";
/// <summary>
/// Gets the color bright green.
/// </summary>
public string BrightGreen { get; } = "\x1b[92m";
/// <summary>
/// Gets the color bright yellow.
/// </summary>
public string BrightYellow { get; } = "\x1b[93m";
/// <summary>
/// Gets the color bright blue.
/// </summary>
public string BrightBlue { get; } = "\x1b[94m";
/// <summary>
/// Gets the color bright magenta.
/// </summary>
public string BrightMagenta { get; } = "\x1b[95m";
/// <summary>
/// Gets the color bright cyan.
/// </summary>
public string BrightCyan { get; } = "\x1b[96m";
/// <summary>
/// Gets the color bright white.
/// </summary>
public string BrightWhite { get; } = "\x1b[97m";
/// <summary>
/// Set as RGB (Red, Green, Blue).
/// </summary>
/// <param name="red">Byte value representing red.</param>
/// <param name="green">Byte value representing green.</param>
/// <param name="blue">Byte value representing blue.</param>
/// <returns>String representing ANSI code for RGB value.</returns>
public string FromRgb(byte red, byte green, byte blue)
{
return $"\x1b[38;2;{red};{green};{blue}m";
}
/// <summary>
/// The color set as RGB as a single number.
/// </summary>
/// <param name="rgb">RGB value specified as an integer.</param>
/// <returns>String representing ANSI code for RGB value.</returns>
public string FromRgb(int rgb)
{
byte red, green, blue;
blue = (byte)(rgb & 0xFF);
rgb >>= 8;
green = (byte)(rgb & 0xFF);
rgb >>= 8;
red = (byte)(rgb & 0xFF);
return FromRgb(red, green, blue);
}
/// <summary>
/// Return the VT escape sequence for a foreground color.
/// </summary>
/// <param name="color">The foreground color to be mapped from.</param>
/// <returns>The VT escape sequence representing the foreground color.</returns>
public string FromConsoleColor(ConsoleColor color)
{
return MapForegroundColorToEscapeSequence(color);
}
}
/// <summary>
/// Contains background colors.
/// </summary>
public sealed class BackgroundColor
{
/// <summary>
/// Gets the color black.
/// </summary>
public string Black { get; } = "\x1b[40m";
/// <summary>
/// Gets the color red.
/// </summary>
public string Red { get; } = "\x1b[41m";
/// <summary>
/// Gets the color green.
/// </summary>
public string Green { get; } = "\x1b[42m";
/// <summary>
/// Gets the color yellow.
/// </summary>
public string Yellow { get; } = "\x1b[43m";
/// <summary>
/// Gets the color blue.
/// </summary>
public string Blue { get; } = "\x1b[44m";
/// <summary>
/// Gets the color magenta.
/// </summary>
public string Magenta { get; } = "\x1b[45m";
/// <summary>
/// Gets the color cyan.
/// </summary>
public string Cyan { get; } = "\x1b[46m";
/// <summary>
/// Gets the color white.
/// </summary>
public string White { get; } = "\x1b[47m";
/// <summary>
/// Gets the color bright black.
/// </summary>
public string BrightBlack { get; } = "\x1b[100m";
/// <summary>
/// Gets the color bright red.
/// </summary>
public string BrightRed { get; } = "\x1b[101m";
/// <summary>
/// Gets the color bright green.
/// </summary>
public string BrightGreen { get; } = "\x1b[102m";
/// <summary>
/// Gets the color bright yellow.
/// </summary>
public string BrightYellow { get; } = "\x1b[103m";
/// <summary>
/// Gets the color bright blue.
/// </summary>
public string BrightBlue { get; } = "\x1b[104m";
/// <summary>
/// Gets the color bright magenta.
/// </summary>
public string BrightMagenta { get; } = "\x1b[105m";
/// <summary>
/// Gets the color bright cyan.
/// </summary>
public string BrightCyan { get; } = "\x1b[106m";
/// <summary>
/// Gets the color bright white.
/// </summary>
public string BrightWhite { get; } = "\x1b[107m";
/// <summary>
/// The color set as RGB (Red, Green, Blue).
/// </summary>
/// <param name="red">Byte value representing red.</param>
/// <param name="green">Byte value representing green.</param>
/// <param name="blue">Byte value representing blue.</param>
/// <returns>String representing ANSI code for RGB value.</returns>
public string FromRgb(byte red, byte green, byte blue)
{
return $"\x1b[48;2;{red};{green};{blue}m";
}
/// <summary>
/// The color set as RGB as a single number.
/// </summary>
/// <param name="rgb">RGB value specified as an integer.</param>
/// <returns>String representing ANSI code for RGB value.</returns>
public string FromRgb(int rgb)
{
byte red, green, blue;
blue = (byte)(rgb & 0xFF);
rgb >>= 8;
green = (byte)(rgb & 0xFF);
rgb >>= 8;
red = (byte)(rgb & 0xFF);
return FromRgb(red, green, blue);
}
/// <summary>
/// Return the VT escape sequence for a background color.
/// </summary>
/// <param name="color">The background color to be mapped from.</param>
/// <returns>The VT escape sequence representing the background color.</returns>
public string FromConsoleColor(ConsoleColor color)
{
return MapBackgroundColorToEscapeSequence(color);
}
}
/// <summary>
/// Contains configuration for the progress bar visualization.
/// </summary>
public sealed class ProgressConfiguration
{
/// <summary>
/// Gets or sets the style for progress bar.
/// </summary>
public string Style
{
get => _style;
set => _style = ValidateNoContent(value);
}
private string _style = "\x1b[33;1m";
/// <summary>
/// Gets or sets the max width of the progress bar.
/// </summary>
public int MaxWidth
{
get => _maxWidth;
set
{
// Width less than 18 does not render correctly due to the different parts of the progress bar.
if (value < 18)
{
throw new ArgumentOutOfRangeException(nameof(MaxWidth), PSStyleStrings.ProgressWidthTooSmall);
}
_maxWidth = value;
}
}
private int _maxWidth = 120;
/// <summary>
/// Gets or sets the view for progress bar.
/// </summary>
public ProgressView View { get; set; } = ProgressView.Minimal;
/// <summary>
/// Gets or sets a value indicating whether to use Operating System Command (OSC) control sequences 'ESC ]9;4;' to show indicator in terminal.
/// </summary>
public bool UseOSCIndicator { get; set; } = false;
}
/// <summary>
/// Contains formatting styles for steams and objects.
/// </summary>
public sealed class FormattingData
{
/// <summary>
/// Gets or sets the accent style for formatting.
/// </summary>
public string FormatAccent
{
get => _formatAccent;
set => _formatAccent = ValidateNoContent(value);
}
private string _formatAccent = "\x1b[32;1m";
/// <summary>
/// Gets or sets the style for table headers.
/// </summary>
public string TableHeader
{
get => _tableHeader;
set => _tableHeader = ValidateNoContent(value);
}
private string _tableHeader = "\x1b[32;1m";
/// <summary>
/// Gets or sets the style for custom table headers.
/// </summary>
public string CustomTableHeaderLabel
{
get => _customTableHeaderLabel;
set => _customTableHeaderLabel = ValidateNoContent(value);
}
private string _customTableHeaderLabel = "\x1b[32;1;3m";
/// <summary>
/// Gets or sets the accent style for errors.
/// </summary>
public string ErrorAccent
{
get => _errorAccent;
set => _errorAccent = ValidateNoContent(value);
}
private string _errorAccent = "\x1b[36;1m";
/// <summary>
/// Gets or sets the style for error messages.
/// </summary>
public string Error
{
get => _error;
set => _error = ValidateNoContent(value);
}
private string _error = "\x1b[31;1m";
/// <summary>
/// Gets or sets the style for warning messages.
/// </summary>
public string Warning
{
get => _warning;
set => _warning = ValidateNoContent(value);
}
private string _warning = "\x1b[33;1m";
/// <summary>
/// Gets or sets the style for verbose messages.
/// </summary>
public string Verbose
{
get => _verbose;
set => _verbose = ValidateNoContent(value);
}
private string _verbose = "\x1b[33;1m";
/// <summary>
/// Gets or sets the style for debug messages.
/// </summary>
public string Debug
{
get => _debug;
set => _debug = ValidateNoContent(value);
}
private string _debug = "\x1b[33;1m";
/// <summary>
/// Gets or sets the style for rendering feedback provider names.
/// </summary>
public string FeedbackName
{
get => _feedbackName;
set => _feedbackName = ValidateNoContent(value);
}
// Yellow by default.
private string _feedbackName = "\x1b[33m";
/// <summary>
/// Gets or sets the style for rendering feedback message.
/// </summary>
public string FeedbackText
{
get => _feedbackText;
set => _feedbackText = ValidateNoContent(value);
}
// BrightCyan by default.
private string _feedbackText = "\x1b[96m";
/// <summary>
/// Gets or sets the style for rendering feedback actions.
/// </summary>
public string FeedbackAction
{
get => _feedbackAction;
set => _feedbackAction = ValidateNoContent(value);
}
// BrightWhite by default.
private string _feedbackAction = "\x1b[97m";
}
/// <summary>
/// Contains formatting styles for FileInfo objects.
/// </summary>
public sealed class FileInfoFormatting
{
/// <summary>
/// Gets or sets the style for directories.
/// </summary>
public string Directory
{
get => _directory;
set => _directory = ValidateNoContent(value);
}
private string _directory = "\x1b[44;1m";
/// <summary>
/// Gets or sets the style for symbolic links.
/// </summary>
public string SymbolicLink
{
get => _symbolicLink;
set => _symbolicLink = ValidateNoContent(value);
}
private string _symbolicLink = "\x1b[36;1m";
/// <summary>
/// Gets or sets the style for executables.
/// </summary>
public string Executable
{
get => _executable;
set => _executable = ValidateNoContent(value);
}
private string _executable = "\x1b[32;1m";
/// <summary>
/// Custom dictionary handling validation of extension and content.
/// </summary>
public sealed class FileExtensionDictionary
{
private static string ValidateExtension(string extension)
{
if (!extension.StartsWith('.'))
{
throw new ArgumentException(PSStyleStrings.ExtensionNotStartingWithPeriod);
}
return extension;
}
private readonly Dictionary<string, string> _extensionDictionary = new(StringComparer.OrdinalIgnoreCase);
/// <summary>
/// Add new extension and decoration to dictionary.
/// </summary>
/// <param name="extension">Extension to add.</param>
/// <param name="decoration">ANSI string value to add.</param>
public void Add(string extension, string decoration)
{
_extensionDictionary.Add(ValidateExtension(extension), ValidateNoContent(decoration));
}
/// <summary>
/// Add new extension and decoration to dictionary without validation.
/// </summary>
/// <param name="extension">Extension to add.</param>
/// <param name="decoration">ANSI string value to add.</param>
internal void AddWithoutValidation(string extension, string decoration)
{
_extensionDictionary.Add(extension, decoration);
}
/// <summary>
/// Remove an extension from dictionary.
/// </summary>
/// <param name="extension">Extension to remove.</param>
public void Remove(string extension)
{
_extensionDictionary.Remove(ValidateExtension(extension));
}
/// <summary>
/// Clear the dictionary.
/// </summary>
public void Clear()
{
_extensionDictionary.Clear();
}
/// <summary>
/// Gets or sets the decoration by specified extension.
/// </summary>
/// <param name="extension">Extension to get decoration for.</param>
/// <returns>The decoration for specified extension.</returns>
public string this[string extension]
{
get
{
return _extensionDictionary[ValidateExtension(extension)];
}
set
{
_extensionDictionary[ValidateExtension(extension)] = ValidateNoContent(value);
}
}
/// <summary>
/// Gets whether the dictionary contains the specified extension.
/// </summary>
/// <param name="extension">Extension to check for.</param>
/// <returns>True if the dictionary contains the specified extension, otherwise false.</returns>
public bool ContainsKey(string extension)
{
if (string.IsNullOrEmpty(extension))
{
return false;
}
return _extensionDictionary.ContainsKey(ValidateExtension(extension));
}
/// <summary>
/// Gets the extensions for the dictionary.
/// </summary>
/// <returns>The extensions for the dictionary.</returns>
public IEnumerable<string> Keys
{
get
{
return _extensionDictionary.Keys;
}
}
}
/// <summary>
/// Gets the style for archive.
/// </summary>
public FileExtensionDictionary Extension { get; }
/// <summary>
/// Initializes a new instance of the <see cref="FileInfoFormatting"/> class.
/// </summary>
public FileInfoFormatting()
{
Extension = new FileExtensionDictionary();
// archives
Extension.AddWithoutValidation(".zip", "\x1b[31;1m");
Extension.AddWithoutValidation(".tgz", "\x1b[31;1m");
Extension.AddWithoutValidation(".gz", "\x1b[31;1m");
Extension.AddWithoutValidation(".tar", "\x1b[31;1m");
Extension.AddWithoutValidation(".nupkg", "\x1b[31;1m");
Extension.AddWithoutValidation(".cab", "\x1b[31;1m");
Extension.AddWithoutValidation(".7z", "\x1b[31;1m");
// powershell
Extension.AddWithoutValidation(".ps1", "\x1b[33;1m");
Extension.AddWithoutValidation(".psd1", "\x1b[33;1m");
Extension.AddWithoutValidation(".psm1", "\x1b[33;1m");
Extension.AddWithoutValidation(".ps1xml", "\x1b[33;1m");
}
}
/// <summary>
/// Gets or sets the rendering mode for output.
/// </summary>
public OutputRendering OutputRendering { get; set; } = OutputRendering.Host;
/// <summary>
/// Gets value to turn off all attributes.
/// </summary>
public string Reset { get; } = "\x1b[0m";
/// <summary>
/// Gets value to turn off blink.
/// </summary>
public string BlinkOff { get; } = "\x1b[25m";
/// <summary>
/// Gets value to turn on blink.
/// </summary>
public string Blink { get; } = "\x1b[5m";
/// <summary>
/// Gets value to turn off bold.
/// </summary>
public string BoldOff { get; } = "\x1b[22m";
/// <summary>
/// Gets value to turn on blink.
/// </summary>
public string Bold { get; } = "\x1b[1m";
/// <summary>
/// Gets value to turn off dim.
/// </summary>
public string DimOff { get; } = "\x1b[22m";
/// <summary>
/// Gets value to turn on dim.
/// </summary>
public string Dim { get; } = "\x1b[2m";
/// <summary>
/// Gets value to turn on hidden.
/// </summary>
public string Hidden { get; } = "\x1b[8m";
/// <summary>
/// Gets value to turn off hidden.
/// </summary>
public string HiddenOff { get; } = "\x1b[28m";
/// <summary>
/// Gets value to turn on reverse.
/// </summary>
public string Reverse { get; } = "\x1b[7m";
/// <summary>
/// Gets value to turn off reverse.
/// </summary>
public string ReverseOff { get; } = "\x1b[27m";
/// <summary>
/// Gets value to turn off standout.
/// </summary>
public string ItalicOff { get; } = "\x1b[23m";
/// <summary>
/// Gets value to turn on standout.
/// </summary>
public string Italic { get; } = "\x1b[3m";
/// <summary>
/// Gets value to turn off underlined.
/// </summary>
public string UnderlineOff { get; } = "\x1b[24m";
/// <summary>
/// Gets value to turn on underlined.
/// </summary>
public string Underline { get; } = "\x1b[4m";
/// <summary>
/// Gets value to turn off strikethrough.
/// </summary>
public string StrikethroughOff { get; } = "\x1b[29m";
/// <summary>
/// Gets value to turn on strikethrough.
/// </summary>
public string Strikethrough { get; } = "\x1b[9m";
/// <summary>
/// Gets ANSI representation of a hyperlink.
/// </summary>
/// <param name="text">Text describing the link.</param>
/// <param name="link">A valid hyperlink.</param>
/// <returns>String representing ANSI code for the hyperlink.</returns>
public string FormatHyperlink(string text, Uri link)
{
return $"\x1b]8;;{link}\x1b\\{text}\x1b]8;;\x1b\\";
}
/// <summary>
/// Gets the formatting rendering settings.
/// </summary>
public FormattingData Formatting { get; }
/// <summary>
/// Gets the configuration for progress rendering.
/// </summary>
public ProgressConfiguration Progress { get; }
/// <summary>
/// Gets foreground colors.
/// </summary>
public ForegroundColor Foreground { get; }
/// <summary>
/// Gets background colors.
/// </summary>
public BackgroundColor Background { get; }
/// <summary>
/// Gets FileInfo colors.
/// </summary>
public FileInfoFormatting FileInfo { get; }
private static readonly PSStyle s_psstyle = new PSStyle();
private PSStyle()
{
Formatting = new FormattingData();
Progress = new ProgressConfiguration();
Foreground = new ForegroundColor();
Background = new BackgroundColor();
FileInfo = new FileInfoFormatting();
}
private static string ValidateNoContent(string text)
{
ArgumentNullException.ThrowIfNull(text);
var decorartedString = new ValueStringDecorated(text);
if (decorartedString.ContentLength > 0)
{
throw new ArgumentException(string.Format(PSStyleStrings.TextContainsContent, decorartedString.ToString(OutputRendering.PlainText)));
}
return text;
}
/// <summary>
/// Gets singleton instance.
/// </summary>
public static PSStyle Instance
{
get
{
return s_psstyle;
}
}
/// <summary>
/// The map of background console colors to escape sequences.
/// </summary>
private static readonly string[] BackgroundColorMap =
{
"\x1b[40m", // Black
"\x1b[44m", // DarkBlue
"\x1b[42m", // DarkGreen
"\x1b[46m", // DarkCyan
"\x1b[41m", // DarkRed
"\x1b[45m", // DarkMagenta
"\x1b[43m", // DarkYellow
"\x1b[47m", // Gray
"\x1b[100m", // DarkGray
"\x1b[104m", // Blue
"\x1b[102m", // Green
"\x1b[106m", // Cyan
"\x1b[101m", // Red
"\x1b[105m", // Magenta
"\x1b[103m", // Yellow
"\x1b[107m", // White
};
/// <summary>
/// The map of foreground console colors to escape sequences.
/// </summary>
private static readonly string[] ForegroundColorMap =
{
"\x1b[30m", // Black
"\x1b[34m", // DarkBlue
"\x1b[32m", // DarkGreen
"\x1b[36m", // DarkCyan
"\x1b[31m", // DarkRed
"\x1b[35m", // DarkMagenta
"\x1b[33m", // DarkYellow
"\x1b[37m", // Gray
"\x1b[90m", // DarkGray
"\x1b[94m", // Blue
"\x1b[92m", // Green
"\x1b[96m", // Cyan
"\x1b[91m", // Red
"\x1b[95m", // Magenta
"\x1b[93m", // Yellow
"\x1b[97m", // White
};
/// <summary>
/// Return the VT escape sequence for a ConsoleColor.
/// </summary>
/// <param name="color">The <see cref="ConsoleColor"/> to be mapped from.</param>
/// <param name="isBackground">Whether or not it's a background color.</param>
/// <returns>The VT escape sequence representing the color.</returns>
internal static string MapColorToEscapeSequence(ConsoleColor color, bool isBackground)
{
int index = (int)color;
if (index < 0 || index >= ForegroundColorMap.Length)
{
throw new ArgumentOutOfRangeException(paramName: nameof(color));
}
return (isBackground ? BackgroundColorMap : ForegroundColorMap)[index];
}
/// <summary>
/// Return the VT escape sequence for a foreground color.
/// </summary>
/// <param name="foregroundColor">The foreground color to be mapped from.</param>
/// <returns>The VT escape sequence representing the foreground color.</returns>
public static string MapForegroundColorToEscapeSequence(ConsoleColor foregroundColor)
=> MapColorToEscapeSequence(foregroundColor, isBackground: false);
/// <summary>
/// Return the VT escape sequence for a background color.
/// </summary>
/// <param name="backgroundColor">The background color to be mapped from.</param>
/// <returns>The VT escape sequence representing the background color.</returns>
public static string MapBackgroundColorToEscapeSequence(ConsoleColor backgroundColor)
=> MapColorToEscapeSequence(backgroundColor, isBackground: true);
/// <summary>
/// Return the VT escape sequence for a pair of foreground and background colors.
/// </summary>
/// <param name="foregroundColor">The foreground color of the color pair.</param>
/// <param name="backgroundColor">The background color of the color pair.</param>
/// <returns>The VT escape sequence representing the foreground and background color pair.</returns>
public static string MapColorPairToEscapeSequence(ConsoleColor foregroundColor, ConsoleColor backgroundColor)
{
int foreIndex = (int)foregroundColor;
int backIndex = (int)backgroundColor;
if (foreIndex < 0 || foreIndex >= ForegroundColorMap.Length)
{
throw new ArgumentOutOfRangeException(paramName: nameof(foregroundColor));
}
if (backIndex < 0 || backIndex >= ForegroundColorMap.Length)
{
throw new ArgumentOutOfRangeException(paramName: nameof(backgroundColor));
}
string foreground = ForegroundColorMap[foreIndex];
string background = BackgroundColorMap[backIndex];
return string.Concat(
foreground.AsSpan(start: 0, length: foreground.Length - 1),
";".AsSpan(),
background.AsSpan(start: 2));
}
}
#endregion PSStyle
}
```
|
The IAI EL/W-2090 is an airborne early warning and control (AEW&C) radar system developed by Israel Aerospace Industries (IAI) and Elta Electronics Industries of Israel. Its primary objective is to provide intelligence to maintain air superiority and conduct surveillance. The system is currently in-service with the Indian Air Force.
It is a development of the EL/M-2075 system, described by the Federation of American Scientists as the most advanced AEW&C system in the world in a 1999 article.
Design and features
The EL/W-2090 is a further development of EL/M-2075 and EL/W-2085.
The EL/W-2090 uses the active electronically scanned array (AESA), an active phased array radar. This radar consists of an array transmit/receive (T/R) modules that allow a beam to be electronically steered, making a physically rotating rotodome unnecessary. AESA radars operate on a pseudorandom set of frequencies and also have very short scanning rates, which makes them difficult to detect and jam.
Sales
Sale to India
In March 2004, as a part of a tri-partite deal among Israel, India, and Russia, Israel and India signed a US$1.1 billion deal according to which IAI would deliver the Indian Air Force three AEW&C radar systems, each of which was worth approximately $350 million. India signed a deal with Ilyushin of Russia for the supply of three Il-76 A-50 heavy airlifters, which were to be used as platforms for these radar systems, for an additional US $500 million. In 2008, media reports suggested that India and Israel were about to sign a deal for three additional radars. India received its first AWACS on 25 May 2009. It landed in Jamnagar AFB in Gujarat completing its 8 hour long journey from Israel.
In November, 2016, India signed another deal to purchase two more AEW&C radar systems. The deal entails a purchase of further 2 systems of the AWACS for $1billion with deliveries scheduled within the next 3 years.
Cancelled Sale to China
In 1994, Israel entered into talks with China regarding the sale of the Phalcon radar system, initially for four units but with an understanding that as many as eight would be procured. An agreement between China and Israel was signed in July 1996. Russia entered the program in March 1997; the first Il-76 slated for modifications landed in Israel in October 1999. Although the US government was aware of the sale, it remained silent until October 1999, when it publicly opposed the sale of the EL/W-2090 to China. Fearing that the system would alter the military balance in the Taiwan Strait, American officials threatened to withhold aid to Israel in April 2000 if the deal proceeded.
On 12 July 2000, Prime Minister Ehud Barak announced that Israel would scrap the deal. However, it was not until July 2000 when a formal letter was sent to the Chinese government; the Israeli government hoped that the newly elected Bush administration would endorse the Phalcon deal. In March 2002, Israel concluded a $350-million compensation package to China, more than the $160-million advance payment China had already made. Subsequently, the original Chinese KJ-2000 AEW&C entered service in 2004.
Operators
Israel - In service with the israeli air force nicknamed "Nachshon-Eitam"
- Five are in service as of 2023
References
External links
Aircraft radars
Military radars of Israel
Elta products
Military aviation
es:EL/M-2075
ko:EL/M-2075
he:פאלקון (מערכת)
ro:EL/M-2075
ru:IAI Phalcon
tr:EL/M-2075 Phalcon
|
Alexander Tuschinski (born October 28, 1988, Stuttgart, West Germany) is a German film director, film producer, writer, actor and musician. Internationally, he is best known for his feature films which have won awards at various film festivals. His documentary "Caligari in the Desert" was a submission to the 91st Academy Awards. Additionally, he is known for his academic writing on the early works of Tinto Brass. Notably, his research into, and interest in, Brass's work on Caligula was examined in his feature documentary Mission: Caligula. At the documentary's premiere, Penthouse announced plans to work with Tuschinski on a new cut of Caligula aimed at restoring Brass's original version of the film.
Life
Alexander Tuschinski attended school in Stuttgart, Germany, and originally wanted to study physics after finishing school in 2008. However, he changed his mind shortly before enrolling at university realizing that film was his main passion, and instead started studying Audiovisual Media at Hochschule der Medien. Graduating 2011 as a Bachelor of Engineering in Audiovisual Media, he enrolled at University of Stuttgart afterwards to study history and literature, graduating in 2014 with his second degree as a Bachelor of Arts. While being a student, he produced his works parallel to his studies. In 2019, he graduated from University of Stuttgart as a Master of Arts in history.
Tuschinski produced several short videos which were published on YouTube prior to 2008. He names Tinto Brass and Hugo Niebeling as his personal friends and "mentors", listing their 1960s films as influences on his own cinematic style.
Works
Films
Feature films
For Tuschinski, his films Menschenliebe, Timeless and a planned upcoming project called Revolution! form an informal Trilogy of Rebellion: The films are independent of each other, but feature similar themes, styles and the same two main characters (Arnold and Konstantin). The scope of the topics they address increases with each instalment: While Menschenliebe deals mostly with relationships between individuals, Timeless addresses topics from all aspects of society. Break-Up is a smaller film, independent of the trilogy, but featuring the character of Arnold and some references to the other films. Shortly after filming ended in 2015, Tuschinski considered Timeless "by far" his best film.
Short films (excerpt)
Music videos
Writing
Academic writing/Film Restoration
Tuschinski has been called an "encyclopledic Brass expert" on Caligula. Tuschinski wrote an essay on Tinto Brass' film The Key. In 2012, Tuschinski restored some of Brass' 1960s films using material from the director's private archive. They were later screened at a retrospective in Hollywood.
In 2018, at the premiere for his documentary Mission: Caligula, Tuschinski made a joint announcement with Penthouse regarding a new cut of Caligula. The project aims to restore and finish Tinto Brass's version of the film. Brass was dismissed by Penthouse in post-production before he could complete his cut of the film. In July 2018, Tuschinski released Mission: Caligula on Vimeo.
Other writing
Tuschinski's first novel "Das Fahrzeug" was published in Germany in 2011. His novel "Fetzenleben" was published in 2018.
Music
Tuschinski frequently composes and performs songs and instrumental music for his own films. He occasionally performs his songs live on stage, often combined with comedy routines.
In 2014, Tuschinski published an album featuring classical music recorded on synthesizer and vocoder.
Filmmaking style
General description
Alexander Tuschinski's films have been compared to "the early works of Woody Allen". He uses an impressionistic camera- and editing-style that is considered experimental by some. His films frequently employ classical music with scenes edited to the rhythm and the structure of the music, as well as satirical songs that are often used to progress the story.
Visual language
Tuschinski himself uses an analogy to language when describing his approach to cinematography and editing, calling different shots nouns (e.g. shots showing an object / a person without any additional intention than showing it, like establishing shots), verbs (shots used to depict an action or movement) or adjectives (shots "describing" things, like quick cut-aways and details), comparing regular visual rules of filmmaking to classical literature, while his way of filming is rather like slam poetry.
In almost all of Tuschinski's films, him and Matthias Kirste share the cinematographer-credit. When Tuschinski is acting, Kirste operates the camera, and when Tuschinski is not seen in the frame, he often operates the camera himself. Sebastian B. is often cast as the lead actor in Tuschinski's films.
Awards (excerpt)
Golden Pelican (for Gold): Mykonos Biennale 2015.
Best Director (for Break-Up): Maverick Movie Awards 2014.
Best Director (for Menschenliebe): California Film Awards 2011.
Best New Filmmaker: Take One Awards 2012.
Best Foreign Film (Break-Up): American Movie Awards 2014.
Best Comedy (for Menschenliebe): Hollywood Reel Independent Film Festival 2011.
Best International Film (for Break-Up): Hollywood Reel Independent Film Festival 2015.
Gold Medal for Excellence (for Menschenliebe): Park City Film Music Festival 2011.
Best New Director (nominated, for Menschenliebe): Action on Film International Film Festival 2011.
Best Foreign Film (for Menschenliebe): Nevada International Film Festival 2011.
Special Jury Award (for Menschenliebe): Honolulu Film Awards 2012.
Best Comedy Film – Silver Remi Award (for Break-Up): WorldFest-Houston International Film Festival 2014.
Best Editing (for Break-Up): Oregon Independent Film Festival 2014.
Best Foreign Feature (for Break-Up): Oregon Independent Film Festival 2014.
Best Short <5 min (for Hollow Date): Berlin Independent Film Festival 2013.
Silver Ace Award (for Mutant Calculator): Las Vegas Film Festival 2011.
Additionally, Tuschinski's documentary Quasicrystal Research was selected to play during the Australian National Science Week in 2012, being shown in 400 venues around Australia during that week.
References
External links
Take One Magazine: Interview with Alexander Tuschinski.
German male film actors
Film people from Stuttgart
1988 births
Living people
Male actors from Stuttgart
University of Stuttgart alumni
|
Valeria is a genus of moths of the family Noctuidae.
Species
Valeria exanthema Boursin, 1955
Valeria jaspidea Denis & Schiffermüller, 1775
Valeria karthalea Kuhna & Schmitz, 1997
Valeria mienshani Draudt, 1950
Valeria oleagina (Denis & Schiffermüller, 1775)
Valeria tricristata de Villers, 1789
References
Natural History Museum Lepidoptera genus database
Valeria at funet
Cuculliinae
|
```go
package dev
import (
"context"
"encoding/json"
"fmt"
"io"
"net"
"net/http"
"net/http/httputil"
"os"
"path"
"path/filepath"
"strings"
"time"
"github.com/bmizerany/pat"
)
type HTTPServer struct {
Address string
TLSAddress string
Pool *AppPool
Debug bool
Events *Events
IgnoredStaticPaths []string
Domains []string
mux *pat.PatternServeMux
unixTransport *http.Transport
unixProxy *httputil.ReverseProxy
tcpTransport *http.Transport
tcpProxy *httputil.ReverseProxy
}
const dialerTimeout = 5 * time.Second
const keepAlive = 10 * time.Second
const tlsHandshakeTimeout = 10 * time.Second
const expectContinueTimeout = 1 * time.Second
const proxyFlushInternal = 1 * time.Second
func (h *HTTPServer) Setup() {
h.unixTransport = &http.Transport{
DialContext: func(ctx context.Context, _, addr string) (net.Conn, error) {
socketPath, _, err := net.SplitHostPort(addr)
if err != nil {
return nil, err
}
dialer := net.Dialer{
Timeout: dialerTimeout,
KeepAlive: keepAlive,
}
return dialer.DialContext(ctx, "unix", socketPath)
},
TLSHandshakeTimeout: tlsHandshakeTimeout,
ExpectContinueTimeout: expectContinueTimeout,
}
h.unixProxy = &httputil.ReverseProxy{
Director: func(_ *http.Request) {},
Transport: h.unixTransport,
FlushInterval: proxyFlushInternal,
}
h.tcpTransport = &http.Transport{
DialContext: (&net.Dialer{
Timeout: dialerTimeout,
KeepAlive: keepAlive,
}).DialContext,
TLSHandshakeTimeout: tlsHandshakeTimeout,
ExpectContinueTimeout: expectContinueTimeout,
}
h.tcpProxy = &httputil.ReverseProxy{
Director: func(_ *http.Request) {},
Transport: h.tcpTransport,
FlushInterval: proxyFlushInternal,
}
h.Pool.AppClosed = h.AppClosed
h.mux = pat.New()
h.mux.Get("/status", http.HandlerFunc(h.status))
h.mux.Get("/events", http.HandlerFunc(h.events))
}
func (h *HTTPServer) AppClosed(app *App) {
// Whenever an app is closed, wipe out all idle conns. This
// obviously closes down more than just this one apps connections
// but that's ok.
h.unixTransport.CloseIdleConnections()
h.tcpTransport.CloseIdleConnections()
}
func (h *HTTPServer) removeTLD(host string) string {
colon := strings.LastIndexByte(host, ':')
if colon != -1 {
if h, _, err := net.SplitHostPort(host); err == nil {
host = h
}
}
if strings.HasSuffix(host, ".xip.io") || strings.HasSuffix(host, ".nip.io") {
parts := strings.Split(host, ".")
if len(parts) < 6 {
return ""
}
name := strings.Join(parts[:len(parts)-6], ".")
return name
}
// h.Domains is sorted by decreasing complexity
for _, tld := range h.Domains {
if strings.HasSuffix(host, "."+tld) {
return strings.TrimSuffix(host, "."+tld)
}
}
dot := strings.LastIndexByte(host, '.')
if dot == -1 {
return host
} else {
return host[:dot]
}
}
func (h *HTTPServer) ServeHTTP(w http.ResponseWriter, req *http.Request) {
if h.Debug {
fmt.Fprintf(os.Stderr, "%s: %s '%s' (host=%s)\n",
time.Now().Format(time.RFC3339Nano),
req.Method, req.URL.Path, req.Host)
}
if req.Host == "puma-dev" {
h.mux.ServeHTTP(w, req)
return
}
name := h.removeTLD(req.Host)
app, err := h.Pool.FindAppByDomainName(name)
if err != nil {
if err == ErrUnknownApp {
h.Events.Add("unknown_app", "name", name, "host", req.Host)
} else {
h.Events.Add("lookup_error", "error", err.Error())
}
w.WriteHeader(500)
w.Write([]byte(err.Error()))
return
}
err = app.WaitTilReady()
if err != nil {
w.WriteHeader(500)
w.Write([]byte(err.Error()))
return
}
if h.shouldServePublicPathForApp(app, req) {
safeURLPath := path.Clean(req.URL.Path)
path := filepath.Join(app.dir, "public", safeURLPath)
fi, err := os.Stat(path)
if err == nil && !fi.IsDir() {
if ofile, err := os.Open(path); err == nil {
http.ServeContent(w, req, req.URL.Path, fi.ModTime(), io.ReadSeeker(ofile))
return
}
}
}
if req.TLS == nil {
req.Header.Set("X-Forwarded-Proto", "http")
} else {
req.Header.Set("X-Forwarded-Proto", "https")
}
req.URL.Scheme, req.URL.Host = app.Scheme, app.Address()
if app.Scheme == "httpu" {
req.URL.Scheme, req.URL.Host = "http", app.Address()
h.unixProxy.ServeHTTP(w, req)
} else {
req.URL.Scheme, req.URL.Host = app.Scheme, app.Address()
h.tcpProxy.ServeHTTP(w, req)
}
}
func (h *HTTPServer) shouldServePublicPathForApp(a *App, req *http.Request) bool {
reqPath := path.Clean(req.URL.Path)
if !a.Public {
return false
}
if reqPath == "/" {
return false
}
for _, ignoredPath := range h.IgnoredStaticPaths {
if strings.HasPrefix(reqPath, ignoredPath) {
if h.Debug {
fmt.Fprintf(os.Stdout, "Not serving '%s' as it matches a path in no-serve-public-paths\n", reqPath)
}
return false
}
}
return true
}
func (h *HTTPServer) status(w http.ResponseWriter, req *http.Request) {
type appStatus struct {
Scheme string `json:"scheme"`
Address string `json:"address"`
Status string `json:"status"`
Log string `json:"log"`
}
statuses := map[string]appStatus{}
h.Pool.ForApps(func(a *App) {
var status string
switch a.Status() {
case Dead:
status = "dead"
case Booting:
status = "booting"
case Running:
status = "running"
default:
status = "unknown"
}
statuses[a.Name] = appStatus{
Scheme: a.Scheme,
Address: a.Address(),
Status: status,
Log: a.Log(),
}
})
json.NewEncoder(w).Encode(statuses)
}
func (h *HTTPServer) events(w http.ResponseWriter, req *http.Request) {
h.Events.WriteTo(w)
}
```
|
```html
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=US-ASCII">
<title>basic_seq_packet_socket::max_listen_connections</title>
<link rel="stylesheet" href="../../../../../doc/src/boostbook.css" type="text/css">
<meta name="generator" content="DocBook XSL Stylesheets V1.79.1">
<link rel="home" href="../../../boost_asio.html" title="Boost.Asio">
<link rel="up" href="../basic_seq_packet_socket.html" title="basic_seq_packet_socket">
<link rel="prev" href="max_connections.html" title="basic_seq_packet_socket::max_connections">
<link rel="next" href="message_do_not_route.html" title="basic_seq_packet_socket::message_do_not_route">
</head>
<body bgcolor="white" text="black" link="#0000FF" vlink="#840084" alink="#0000FF">
<table cellpadding="2" width="100%"><tr>
<td valign="top"><img alt="Boost C++ Libraries" width="277" height="86" src="../../../../../boost.png"></td>
<td align="center"><a href="../../../../../index.html">Home</a></td>
<td align="center"><a href="../../../../../libs/libraries.htm">Libraries</a></td>
<td align="center"><a href="path_to_url">People</a></td>
<td align="center"><a href="path_to_url">FAQ</a></td>
<td align="center"><a href="../../../../../more/index.htm">More</a></td>
</tr></table>
<hr>
<div class="spirit-nav">
<a accesskey="p" href="max_connections.html"><img src="../../../../../doc/src/images/prev.png" alt="Prev"></a><a accesskey="u" href="../basic_seq_packet_socket.html"><img src="../../../../../doc/src/images/up.png" alt="Up"></a><a accesskey="h" href="../../../boost_asio.html"><img src="../../../../../doc/src/images/home.png" alt="Home"></a><a accesskey="n" href="message_do_not_route.html"><img src="../../../../../doc/src/images/next.png" alt="Next"></a>
</div>
<div class="section">
<div class="titlepage"><div><div><h4 class="title">
<a name="boost_asio.reference.basic_seq_packet_socket.max_listen_connections"></a><a class="link" href="max_listen_connections.html" title="basic_seq_packet_socket::max_listen_connections">basic_seq_packet_socket::max_listen_connections</a>
</h4></div></div></div>
<p>
<span class="emphasis"><em>Inherited from socket_base.</em></span>
</p>
<p>
<a class="indexterm" name="boost_asio.indexterm.basic_seq_packet_socket.max_listen_connections"></a>
The
maximum length of the queue of pending incoming connections.
</p>
<pre class="programlisting">static const int max_listen_connections = implementation_defined;
</pre>
</div>
<table xmlns:rev="path_to_url~gregod/boost/tools/doc/revision" width="100%"><tr>
<td align="left"></td>
file LICENSE_1_0.txt or copy at <a href="path_to_url" target="_top">path_to_url
</p>
</div></td>
</tr></table>
<hr>
<div class="spirit-nav">
<a accesskey="p" href="max_connections.html"><img src="../../../../../doc/src/images/prev.png" alt="Prev"></a><a accesskey="u" href="../basic_seq_packet_socket.html"><img src="../../../../../doc/src/images/up.png" alt="Up"></a><a accesskey="h" href="../../../boost_asio.html"><img src="../../../../../doc/src/images/home.png" alt="Home"></a><a accesskey="n" href="message_do_not_route.html"><img src="../../../../../doc/src/images/next.png" alt="Next"></a>
</div>
</body>
</html>
```
|
```smalltalk
namespace SixLabors.ImageSharp.Processing.Processors.Normalization;
/// <summary>
/// Defines a global histogram equalization applicable to an <see cref="Image"/>.
/// </summary>
public class GlobalHistogramEqualizationProcessor : HistogramEqualizationProcessor
{
/// <summary>
/// Initializes a new instance of the <see cref="GlobalHistogramEqualizationProcessor"/> class.
/// </summary>
/// <param name="luminanceLevels">The number of luminance levels.</param>
/// <param name="clipHistogram">A value indicating whether to clip the histogram bins at a specific value.</param>
/// <param name="clipLimit">The histogram clip limit. Histogram bins which exceed this limit, will be capped at this value.</param>
public GlobalHistogramEqualizationProcessor(int luminanceLevels, bool clipHistogram, int clipLimit)
: base(luminanceLevels, clipHistogram, clipLimit)
{
}
/// <inheritdoc />
public override IImageProcessor<TPixel> CreatePixelSpecificProcessor<TPixel>(Configuration configuration, Image<TPixel> source, Rectangle sourceRectangle)
=> new GlobalHistogramEqualizationProcessor<TPixel>(
configuration,
this.LuminanceLevels,
this.ClipHistogram,
this.ClipLimit,
source,
sourceRectangle);
}
```
|
This list includes properties and districts listed on the National Register of Historic Places in Columbus County, North Carolina. Click the "Map of all coordinates" link to the right to view an online map of all properties and districts with latitude and longitude coordinates in the table below.
Current listings
|}
See also
National Register of Historic Places listings in North Carolina
List of National Historic Landmarks in North Carolina
References
Columbus County, North Carolina
Columbus County
|
```javascript
/**
* @license Apache-2.0
*
*
*
* path_to_url
*
* Unless required by applicable law or agreed to in writing, software
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
*/
'use strict';
// MODULES //
var resolve = require( 'path' ).resolve;
var tape = require( 'tape' );
var float64ToFloat32 = require( '@stdlib/number/float64/base/to-float32' );
var Float32Array = require( '@stdlib/array/float32' );
var tryRequire = require( '@stdlib/utils/try-require' );
// VARIABLES //
var sdsdot = tryRequire( resolve( __dirname, './../lib/ndarray.native.js' ) );
var opts = {
'skip': ( sdsdot instanceof Error )
};
// TESTS //
tape( 'main export is a function', opts, function test( t ) {
t.ok( true, __filename );
t.strictEqual( typeof sdsdot, 'function', 'main export is a function' );
t.end();
});
tape( 'the function has an arity of 8', opts, function test( t ) {
t.strictEqual( sdsdot.length, 8, 'returns expected value' );
t.end();
});
tape( 'the function calculates the dot product of vectors `x` and `y`', opts, function test( t ) {
var dot;
var x;
var y;
x = new Float32Array( [ 4.0, 2.0, -3.0, 5.0, -1.0, 2.0, -5.0, 6.0 ] );
y = new Float32Array( [ 2.0, 6.0, -1.0, -4.0, 8.0, 8.0, 2.0, -3.0 ] );
dot = sdsdot( x.length, 0.0, x, 1, 0, y, 1, 0 );
t.strictEqual( dot, -17.0, 'returns expected value' );
x = new Float32Array( [ 3.0, -4.0, 1.0 ] );
y = new Float32Array( [ 1.0, -2.0, 3.0 ] );
dot = sdsdot( x.length, 0.0, x, 1, 0, y, 1, 0 );
t.strictEqual( dot, 14.0, 'returns expected value' );
t.end();
});
tape( 'if provided an `N` parameter less than or equal to `0`, the function returns a provided scalar constant', opts, function test( t ) {
var dot;
var x;
var y;
x = new Float32Array( [ 3.0, -4.0, 1.0 ] );
y = new Float32Array( [ 1.0, -2.0, 3.0 ] );
dot = sdsdot( 0, 0.0, x, 1, 0, y, 1, 0 );
t.strictEqual( dot, 0.0, 'returns expected value' );
dot = sdsdot( -4, 0.0, x, 1, 0, y, 1, 0 );
t.strictEqual( dot, 0.0, 'returns expected value' );
dot = sdsdot( 0, float64ToFloat32( 3.14 ), x, 1, 0, y, 1, 0 );
t.strictEqual( dot, float64ToFloat32( 3.14 ), 'returns expected value' );
dot = sdsdot( -4, float64ToFloat32( 3.14 ), x, 1, 0, y, 1, 0 );
t.strictEqual( dot, float64ToFloat32( 3.14 ), 'returns expected value' );
t.end();
});
tape( 'the function supports providing a scalar constant to add to the dot product', opts, function test( t ) {
var dot;
var x;
var y;
x = new Float32Array( [ 4.0, 2.0, -3.0, 5.0, -1.0, 2.0, -5.0, 6.0 ] );
y = new Float32Array( [ 2.0, 6.0, -1.0, -4.0, 8.0, 8.0, 2.0, -3.0 ] );
dot = sdsdot( x.length, 10.0, x, 1, 0, y, 1, 0 );
t.strictEqual( dot, -7.0, 'returns expected value' );
x = new Float32Array( [ 3.0, -4.0, 1.0 ] );
y = new Float32Array( [ 1.0, -2.0, 3.0 ] );
dot = sdsdot( x.length, -10.0, x, 1, 0, y, 1, 0 );
t.strictEqual( dot, 4.0, 'returns expected value' );
t.end();
});
tape( 'the function supports an `x` stride', opts, function test( t ) {
var dot;
var x;
var y;
x = new Float32Array([
2.0, // 0
-3.0,
-5.0, // 1
7.0,
6.0 // 2
]);
y = new Float32Array([
8.0, // 0
2.0, // 1
-3.0, // 2
3.0,
-4.0,
1.0
]);
dot = sdsdot( 3, 0.0, x, 2, 0, y, 1, 0 );
t.strictEqual( dot, -12.0, 'returns expected value' );
t.end();
});
tape( 'the function supports an `x` offset', opts, function test( t ) {
var dot;
var x;
var y;
x = new Float32Array([
1.0,
2.0, // 0
3.0,
4.0, // 1
5.0,
6.0 // 2
]);
y = new Float32Array([
6.0, // 0
7.0, // 1
8.0, // 2
9.0,
10.0,
11.0
]);
dot = sdsdot( 3, 0.0, x, 2, 1, y, 1, 0 );
t.strictEqual( dot, 88.0, 'returns expected value' );
t.end();
});
tape( 'the function supports a `y` stride', opts, function test( t ) {
var dot;
var x;
var y;
x = new Float32Array([
2.0, // 0
-3.0, // 1
-5.0, // 2
7.0,
6.0
]);
y = new Float32Array([
8.0, // 0
2.0,
-3.0, // 1
3.0,
-4.0, // 2
1.0
]);
dot = sdsdot( 3, 0.0, x, 1, 0, y, 2, 0 );
t.strictEqual( dot, 45.0, 'returns expected value' );
t.end();
});
tape( 'the function supports a `y` offset', opts, function test( t ) {
var dot;
var x;
var y;
x = new Float32Array([
1.0, // 0
2.0,
3.0, // 1
4.0,
5.0, // 2
6.0
]);
y = new Float32Array([
6.0,
7.0,
8.0,
9.0, // 0
10.0, // 1
11.0 // 2
]);
dot = sdsdot( 3, 0.0, x, 2, 0, y, 1, 3 );
t.strictEqual( dot, 94.0, 'returns expected value' );
t.end();
});
tape( 'the function supports negative strides', opts, function test( t ) {
var dot;
var x;
var y;
x = new Float32Array([
1.0, // 2
2.0,
3.0, // 1
4.0,
5.0 // 0
]);
y = new Float32Array([
6.0, // 2
7.0, // 1
8.0, // 0
9.0,
10.0
]);
dot = sdsdot( 3, 0.0, x, -2, x.length-1, y, -1, 2 );
t.strictEqual( dot, 67.0, 'returns expected value' );
t.end();
});
tape( 'the function supports complex access patterns', opts, function test( t ) {
var dot;
var x;
var y;
x = new Float32Array([
1.0, // 0
2.0,
3.0, // 1
4.0,
5.0 // 2
]);
y = new Float32Array([
6.0,
7.0, // 2
8.0, // 1
9.0, // 0
10.0
]);
dot = sdsdot( 3, 0.0, x, 2, 0, y, -1, y.length-2 );
t.strictEqual( dot, 68.0, 'returns expected value' );
t.end();
});
tape( 'if both strides are equal to `1`, the function efficiently calculates the dot product', opts, function test( t ) {
var expected;
var dot;
var x;
var y;
var i;
expected = 0.0;
x = new Float32Array( 100 );
y = new Float32Array( x.length );
for ( i = 0; i < x.length; i++ ) {
x[ i ] = i;
y[ i ] = x.length - i;
expected += x[ i ] * y[ i ];
}
dot = sdsdot( x.length, 0.0, x, 1, 0, y, 1, 0 );
t.strictEqual( dot, expected, 'returns expected value' );
expected = 0.0;
x = new Float32Array( 240 );
y = new Float32Array( x.length );
for ( i = 0; i < x.length; i++ ) {
x[ i ] = i;
y[ i ] = x.length - i;
expected += x[ i ] * y[ i ];
}
dot = sdsdot( x.length, 0.0, x, 1, 0, y, 1, 0 );
t.strictEqual( dot, expected, 'returns expected value' );
t.end();
});
```
|
Epicephala orientale is a moth of the family Gracillariidae. It is known from India (West Bengal, Karnataka, Meghalaya).
The larvae feed on Bauhinia species, including Bauhinia purpurea and Bauhinia variegata. They probably mine the leaves of their host plant.
References
Epicephala
Moths of Asia
Moths described in 1856
|
A River of Roses is the fourth novel by Singaporean Eurasian writer Rex Shelley, first published in 1998 by Times Book International. The novel was awarded the Dymocks Singapore Literature Prize in 2000.
Plot summary
The novel is a saga about four generations of the Eurasian Rosario family, who have Malay and Portuguese blood in them. ("Rosario" is Portuguese for "rosary", or rosa, i.e., "rose" and rio, i.e. "river", which form the title.) It follows the exploits of Alfonso Rosario, an illiterate fisherman born in 1870 who was later promoted to be the Regidor of a Malayan village. The novel then moves on to his grandchildren Antonio and Philippa, who shift from Malacca to Singapore. Finally it ends in 1966–7, when his great-grandson Ignatius Rosario enrolls in the country's first junior college and is then enlisted into the first intake of Singapore's military National Service. Some characters from his earlier novels re-appear as minor characters in this instalment, for example Vicky Viera from Island in the Centre, and Gus Perera and Ah Keh from People of the Pear Tree.
References
Singaporean novels
1998 novels
Novels set in Singapore
Novels set in Malaysia
|
```smalltalk
#nullable enable
using System;
using System.IO;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using Microsoft.Dafny.LanguageServer.IntegrationTest.Extensions;
using Microsoft.Dafny.LanguageServer.IntegrationTest.Util;
using Microsoft.Dafny.LanguageServer.Workspace;
using Microsoft.Extensions.DependencyInjection;
using Microsoft.Extensions.DependencyInjection.Extensions;
using Microsoft.Extensions.Logging;
using OmniSharp.Extensions.LanguageServer.Protocol.Models;
using OmniSharp.Extensions.LanguageServer.Server;
using Serilog;
using Serilog.Sinks.InMemory;
using Xunit;
using Xunit.Abstractions;
using XunitAssertMessages;
using Range = OmniSharp.Extensions.LanguageServer.Protocol.Models.Range;
namespace Microsoft.Dafny.LanguageServer.IntegrationTest.Synchronization;
public class CachingTest : ClientBasedLanguageServerTest {
private InMemorySink sink;
protected override void ServerOptionsAction(LanguageServerOptions serverOptions) {
sink = InMemorySink.Instance;
var memoryLogger = new LoggerConfiguration().MinimumLevel.Debug()
.WriteTo.InMemory().CreateLogger();
var factory = LoggerFactory.Create(b => b.AddSerilog(memoryLogger));
serverOptions.Services.Replace(new ServiceDescriptor(typeof(ILoggerFactory), factory));
}
record CacheResults(int ParseHits, int ParseMisses, int ResolutionHits, int ResolutionMisses);
async Task<CacheResults> WaitAndCountHits(TextDocumentItem? documentItem, bool filterDocument = true) {
if (documentItem != null) {
await client.WaitForNotificationCompletionAsync(documentItem.Uri, CancellationToken);
}
var parseHits = 0;
var parseMisses = 0;
var resolutionHits = 0;
var resolutionMisses = 0;
foreach (var message in sink.Snapshot().LogEvents.Select(le => le.MessageTemplate.Text)) {
if (filterDocument && documentItem != null && !message.Contains(documentItem.Uri.GetFileSystemPath())) {
continue;
}
if (message.Contains("Parse cache hit")) {
parseHits++;
} else if (message.Contains("Parse cache miss")) {
parseMisses++;
} else if (message.Contains("Resolution cache hit")) {
resolutionHits++;
} else if (message.Contains("Resolution cache miss")) {
resolutionMisses++;
}
}
return new CacheResults(parseHits, parseMisses, resolutionHits, resolutionMisses);
}
[Fact]
public async Task ChangedImportAffectsExport() {
var importedSource = @"
module Imported {
const x: int := 3
class Foo {
const r := 2
constructor() {
}
}
}
".TrimStart();
var exporter = @"
module Exporter {
import Imported
export provides Imported, FooAlias, Wrapper
class Wrapper<T> {
method V() returns (r: T)
}
type FooAlias = Wrapper<Imported.Foo>
}
".TrimStart();
var importerSource = @"
module Importer {
import Exporter
const i: int := 3
const x := Exporter.Imported.x
method Faz() {
var z : Exporter.FooAlias;
var q := new Exporter.Imported.Foo();
print q.r;
}
}
".TrimStart();
var directory = Path.GetRandomFileName();
await CreateOpenAndWaitForResolve("", Path.Combine(directory, DafnyProject.FileName));
var imported = await CreateOpenAndWaitForResolve(importedSource, Path.Combine(directory, "imported.dfy"));
await CreateOpenAndWaitForResolve(exporter, Path.Combine(directory, "exporter.dfy"));
var importer = await CreateOpenAndWaitForResolve(importerSource, Path.Combine(directory, "importer.dfy"));
// Make a change to imported, which could trigger a bug where some dependants of it are not marked dirty
ApplyChange(ref imported, ((0, 0), (0, 0)), "//comment" + Environment.NewLine);
// Make any change that should cause a diagnostic to be shown
ApplyChange(ref importer, ((2, 18), (2, 19)), "true");
var diagnostics2 = await GetLastDiagnostics(importer);
Assert.Single(diagnostics2.Where(d => d.Severity == DiagnosticSeverity.Error));
await AssertNoDiagnosticsAreComing(CancellationToken);
}
[Fact]
public async Task GrowingSystemModule() {
var source = @"
const tuple2 := (3,2)
".TrimStart();
var testFiles = Path.Combine(Directory.GetCurrentDirectory(), "Synchronization/TestFiles");
var documentItem = CreateTestDocument(source, Path.Combine(testFiles, "test.dfy"));
await client.OpenDocumentAndWaitAsync(documentItem, CancellationToken);
await AssertNoDiagnosticsAreComing(CancellationToken);
ApplyChange(ref documentItem, ((0, 0), (0, 0)), "const tuple3: (int, int, bool) := (1,2,3) \n");
var diagnostics2 = await GetLastDiagnostics(documentItem);
Assert.Single(diagnostics2);
ApplyChange(ref documentItem, ((0, 0), (0, 0)), "const tuple4: (int, int, bool, bool) := (1,2,3, true) \n");
var diagnostics3 = await GetLastDiagnostics(documentItem);
Assert.Equal(2, diagnostics3.Length);
}
[Fact]
public async Task RootFileChangesTriggerParseAndResolutionCachingAndPruning() {
var source = @"
include ""./A.dfy""
include ""./B.dfy""
module ModC {
import ModB
import ModA
import ModA.StandalonePrefix.Prefix
import ModA.FilledWithPrefixes.PrefixContent
import PrefixModuleInDefaultModule.Content
const z := ModB.y + 1
lemma Lem() ensures true {}
const usage := ModB.calledModAFunction
const calledModAFunction := ModA.TakesIdentityAndAppliesIt((x, _) => x, 3)
const tuple2User := ModA.tuple2.0
const tuple3User := ModA.tuple3.1
const prefixUser := ModA.FilledWithPrefixes.PrefixContent.x + ModA.StandalonePrefix.Prefix.x + Content.x
function MatchUser(x: int): int {
match x {
case 0 => 1
case 1 => 2
case _ => 3
}
}
const matchUserUser := MatchUser(4)
}
".TrimStart();
var temp = GetFreshTempPath();
var noCachingProject = await CreateOpenAndWaitForResolve(@"[options]
use-caching = false", Path.Combine(temp, "dfyconfig.toml"));
var noCaching = await CreateOpenAndWaitForResolve(source, Path.Combine(temp, "noCaching.dfy"));
ApplyChange(ref noCaching, ((0, 0), (0, 0)), "// Pointless comment that triggers a reparse\n");
var hitCountForNoCaching = await WaitAndCountHits(noCaching, false);
Assert.Equal(0, hitCountForNoCaching.ParseHits);
Assert.Equal(0, hitCountForNoCaching.ResolutionHits);
var testFiles = Path.Combine(Directory.GetCurrentDirectory(), "Synchronization/TestFiles");
var hasCaching = CreateTestDocument(source, Path.Combine(testFiles, "test.dfy"));
await client.OpenDocumentAndWaitAsync(hasCaching, CancellationToken);
var hits0 = await WaitAndCountHits(hasCaching, false);
Assert.Equal(0, hits0.ParseHits);
Assert.Equal(0, hits0.ResolutionHits);
ApplyChange(ref hasCaching, ((0, 0), (0, 0)), "// Pointless comment that triggers a reparse\n");
var hitCount1 = await WaitAndCountHits(hasCaching, false);
Assert.Equal(2, hitCount1.ParseHits);
var modules = new[] {
"System",
"ModA", "ModB", "import A (in ModB)",
"FilledWithPrefixes", "PrefixContent", "StandalonePrefix", "Prefix",
"PrefixModuleInDefaultModule", "Content",
"SpreadOverMultipleFiles", "Child1", "Child2"
};
Assert.Equal(modules.Length, hitCount1.ResolutionHits);
// Removes the comment and the include and usage of B.dfy, which will prune the cache for B.dfy
ApplyChange(ref hasCaching, ((2, 0), (3, 0)), "");
var hitCount2 = await WaitAndCountHits(hasCaching, false);
Assert.Equal(hitCount1.ParseHits + 1, hitCount2.ParseHits);
// No resolution was done because the import didn't resolve.
Assert.Equal(hitCount1.ResolutionHits, hitCount2.ResolutionHits);
ApplyChange(ref hasCaching, ((0, 0), (0, 0)), " include \"./B.dfy\"\n");
var hitCount3 = await WaitAndCountHits(hasCaching, false);
// No hit for B.dfy, since it was previously pruned
Assert.Equal(hitCount2.ParseHits + 1, hitCount3.ParseHits);
// The resolution cache was pruned after the previous change, so no cache hits here, except for the system module
Assert.Equal(hitCount2.ResolutionHits + 1, hitCount3.ResolutionHits);
}
/// <summary>
/// This test uses a file larger than the chunkSize used by CachingParser when chunking files.
/// </summary>
[Fact]
public async Task CachingDetectsStartAndEndAndUriChanges() {
var source = @"
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
// Make the file larger
".TrimStart();
var firstFile = CreateTestDocument(source, "firstFile");
await client.OpenDocumentAndWaitAsync(firstFile, CancellationToken);
var secondFile = CreateTestDocument(source, "secondFile");
await client.OpenDocumentAndWaitAsync(secondFile, CancellationToken);
// No hit because Uri has changed
Assert.Equal(0, (await WaitAndCountHits(firstFile)).ParseHits);
ApplyChange(ref secondFile, ((0, 0), (0, 0)), "// Make the file larger\n");
// No hit because start of the file has changed
Assert.Equal(0, (await WaitAndCountHits(firstFile)).ParseHits);
// No hit because end of file has changed
ApplyChange(ref secondFile, ((19, 0), (19, 0)), "// Make the file larger\n");
Assert.Equal(0, (await WaitAndCountHits(firstFile)).ParseHits);
}
[Fact(Skip = "need hashing on modules to work")]
public async Task ResolutionInSingleFileIsCached() {
var source = @"
module A {
var x := 11
}
module B {
import A;
var y := A.x + 21;
}
module C {{
import B;
var z := B.y + 31;
}}
".TrimStart();
var testFiles = Path.Combine(Directory.GetCurrentDirectory(), "Synchronization/TestFiles");
var documentItem = CreateTestDocument(source, Path.Combine(testFiles, "test.dfy"));
await client.OpenDocumentAndWaitAsync(documentItem, CancellationToken);
var hits0 = await WaitAndCountHits(documentItem);
Assert.Equal(0, hits0.ResolutionHits);
ApplyChange(ref documentItem, ((7, 17), (7, 18)), "22");
var hitCount1 = await WaitAndCountHits(documentItem);
Assert.Equal(1, hitCount1.ResolutionHits);
ApplyChange(ref documentItem, ((11, 17), (11, 18)), "32");
var hitCount2 = await WaitAndCountHits(documentItem);
Assert.Equal(hitCount1.ResolutionHits + 2, hitCount2.ResolutionHits);
}
[Fact]
public async Task ImportFromRefinedModuleAndParseCaching() {
var usingFile = @"
include ""./importFromRefinedModuleUsingField.dfy""
module A {
import Refiner
import Library
method Bar() {
var c := Library.True;
var x := Refiner.Foo(c);
}
}
";
var testFiles = Path.Combine(Directory.GetCurrentDirectory(), "Synchronization/TestFiles");
var documentItem1 = CreateTestDocument(usingFile, Path.Combine(testFiles, "test.dfy"));
await client.OpenDocumentAndWaitAsync(documentItem1, CancellationToken);
var documentItem2 = CreateTestDocument(usingFile, Path.Combine(testFiles, "test2.dfy"));
await client.OpenDocumentAndWaitAsync(documentItem2, CancellationToken);
await AssertNoDiagnosticsAreComing(CancellationToken);
}
[Fact]
public async Task PotentialImportOpenedConflict() {
var usingFile = @"
include ""./potentialImportOpenedConflict.dfy""
module ChangedClonedId {
const changed := 2
}
";
var testFiles = Path.Combine(Directory.GetCurrentDirectory(), "Synchronization/TestFiles");
var documentItem1 = CreateTestDocument(usingFile, Path.Combine(testFiles, "notCached.dfy"));
await client.OpenDocumentAndWaitAsync(documentItem1, CancellationToken);
var diagnostics1 = await GetLastDiagnostics(documentItem1);
Assert.Empty(diagnostics1.Where(d => d.Severity == DiagnosticSeverity.Error));
ApplyChange(ref documentItem1, new Range(2, 0, 2, 0), "//comment\n");
await AssertNoDiagnosticsAreComing(CancellationToken);
}
[Fact]
public async Task DocumentAddedToExistingProjectDoesNotCrash() {
var source1 = @"
method Foo() {
var b: int := true;
}";
var source2 = @"
method Foo() {
var b: bool := 3;
}";
var temp = GetFreshTempPath();
var file1 = CreateAndOpenTestDocument(source1, Path.Combine(temp, "source1.dfy"));
var file2 = CreateAndOpenTestDocument(source2, Path.Combine(temp, "source2.dfy"));
var project = CreateAndOpenTestDocument("", Path.Combine(temp, "dfyconfig.toml"));
// Change in file1 causes project detection to realize it's now part of project, so it is added there.
ApplyChange(ref file1, new Range(0, 0, 0, 0), "// added this comment\n");
ApplyChange(ref file2, new Range(0, 0, 0, 0), "// added this comment\n");
await client.WaitForNotificationCompletionAsync(project.Uri, CancellationToken);
var diagnostics0 = await GetLastDiagnostics(project);
var diagnostics1 = await GetLastDiagnostics(file1);
var diagnostics2 = await GetLastDiagnostics(file2);
var combined = diagnostics1.Concat(diagnostics2);
AssertM.Equal(3, combined.Count, $"diagnostics[{combined.Count},{diagnostics1.Length},{diagnostics2.Length},{diagnostics0.Length}]: " + string.Join("\n", combined.Concat(diagnostics0)));
}
[Fact]
public async Task CachingWorksWhenManyChangesAreMadeWithoutWaits() {
var largeImport1 = GetLargeFile("Imported1", 100);
var largeImport2 = GetLargeFile("Imported2", 100);
var importerSource = @"module Importer {
import Imported1
import Imported2
method Bar() {
Imported1.Foo0();
Imported2.Foo0();
}
}";
var temp = GetFreshTempPath();
var project = CreateOpenAndWaitForResolve("", Path.Combine(temp, "dfyconfig.toml"));
var imported1 = CreateAndOpenTestDocument(largeImport1, Path.Combine(temp, "imported1.dfy"));
var imported2 = CreateAndOpenTestDocument(largeImport2, Path.Combine(temp, "imported2.dfy"));
var importer = CreateAndOpenTestDocument(importerSource, Path.Combine(temp, "importer.dfy"));
var before1 = await WaitAndCountHits(imported1);
var before2 = await WaitAndCountHits(imported2);
var beforeImporter = await WaitAndCountHits(importer);
for (int i = 0; i < 100; i++) {
ApplyChange(ref importer, new Range(0, 0, 0, 0), "// added this comment\n");
}
var after1 = await WaitAndCountHits(imported1);
var after2 = await WaitAndCountHits(imported2);
var afterImporter = await WaitAndCountHits(importer);
Assert.Equal(before1.ParseMisses, after1.ParseMisses);
Assert.Equal(before1.ResolutionMisses, after1.ResolutionMisses);
Assert.Equal(before2.ParseMisses, after2.ParseMisses);
Assert.Equal(before2.ResolutionMisses, after2.ResolutionMisses);
// Testing shows that importer can have many parse hits, even though it always gets changed.
// One explanation is that
// Although ProjectManagerDatabase.UpdateDocument is executed serially,
// because parsing is scheduled on a separate thread, it might be possible for
// parsing to trigger twice after two calls to UpdateDocument, so then both parse calls work with the updated file system.
}
private static string GetLargeFile(string moduleName, int lines) {
string GetLineContent(int index) => $" method Foo{index}() {{ assume {{:axiom}} false; }}";
var contentBuilder = new StringBuilder();
contentBuilder.AppendLine($"module {moduleName} {{");
for (int lineNumber = 0; lineNumber < lines; lineNumber++) {
contentBuilder.AppendLine(GetLineContent(lineNumber));
}
contentBuilder.AppendLine("}");
var largeImport = contentBuilder.ToString();
return largeImport;
}
public CachingTest(ITestOutputHelper output) : base(output, LogLevel.Debug) {
sink = null!;
}
}
```
|
```javascript
`if/else` shortcut `conditional operator`
Precision
The difference between null, undefined and NaN
Using `eval`
Base conversion
```
|
Periyapullan Selvam is an Indian politician who is a Member of Legislative Assembly of Tamil Nadu. He was elected from Melur as an All India Anna Dravida Munnetra Kazhagam candidate in 2021.
Elections contested
References
Tamil Nadu MLAs 2021–2026
Tamil Nadu MLAs 2016–2021
Living people
All India Anna Dravida Munnetra Kazhagam politicians
Year of birth missing (living people)
|
The development of the gonads is part of the prenatal development of the reproductive system and ultimately forms the testes in males and the ovaries in females. The gonads initially develop from the mesothelial layer of the peritoneum.
The ovary is differentiated into a central part, the medulla, covered by a surface layer, the germinal epithelium. The immature ova originate from cells from the dorsal endoderm of the yolk sac. Once they have reached the gonadal ridge they are called oogonia. Development proceeds and the oogonia become fully surrounded by a layer of connective tissue cells (pre-granulosa cells). In this way, the rudiments of the ovarian follicles are formed.
In the testis, a network of tubules fuse to create the seminiferous tubules. Via the rete testis, the seminiferous tubules become connected with outgrowths from the mesonephros, which form the efferent ducts of the testis. The descent of the testes consists of the opening of a connection from the testis to its final location at the anterior abdominal wall, followed by the development of the gubernaculum, which subsequently pulls and translocates the testis down into the developing scrotum. Ultimately, the passageway closes behind the testis. A failure in this process causes an indirect inguinal hernia.
Germ cells migrate from near the allantois and colonize the primordial gonads. In the female, the germ cells colonise the cortex and become oogonia. In the male, the germ cells colonise the seminiferous cords of the medulla, becoming spermatogonia.
Before differentiation
The first appearance of the gonad is essentially the same in the two sexes, and consists in a thickening of the mesothelial layer of the peritoneum. The thick plate of epithelium extends deeply, pushing before it the mesoderm and forming a distinct projection. This is termed the gonadal ridge. The gonadal ridge, in turn, develops into a gonad. This is a testis in the male and an ovary in the female.
At first, the mesonephros and gonadal ridge are continuous, but as the embryo grows the gonadal ridge gradually becomes pinched off from the mesonephros. However, some cells of mesonephric origin join the gonadal ridge. Furthermore, the gonadal ridge still remains connected to the remnant of that body by a fold of peritoneum, namely the mesorchium or mesovarium. About the seventh week the distinction of sex in the gonadal ridge begins to be perceptible.
Ovary
The ovary is thus formed mainly from the genital ridge and partly from the mesonephros. Later the mass is differentiated into a central part, the medulla of ovary, covered by a surface layer, the germinal epithelium. Between the cells of the germinal epithelium a number of larger cells, the immature ova, are found. The immature ova, in turn, are carried into the stroma beneath by bud-like ingrowths (genital cords of the germinal epithelium). The surface germinal epithelium ultimately forms the permanent epithelial covering of this organ. Furthermore, it soon loses its connection with the central mass. Instead, the tunica albuginea of the ovaries develops between them.
Origin of ova
During early embryonic development, cells from the dorsal endoderm of the yolk sac migrate along the hindgut to the gonadal ridge. These primordial germ cells (PGCs) multiply by mitosis and once they have reached the gonadal ridge they are called oogonia (diploid stem cells of the ovary).
Once oogonia enter this area they attempt to associate with the other somatic cells, derived from both the peritoneum and mesonephros. Development proceeds and the oogonia become fully surrounded by a layer of connective tissue cells (pre-granulosa cells) in an irregular manner. In this way, the rudiments of the ovarian follicles are formed.
Origin of granulosa cells
The embryological origin of granulosa cells remains controversial. In the 1970s, evidence emerged that the first cells to make contact with the oogonia were of mesonephric origin. It was suggested that mesonephric cells already closely associated with the oogonia proliferated throughout development to form the granulosa cell layer.
Recently this hypothesis has been challenged with some thorough histology. Sawyer et al. hypothesized that in sheep most of the granulosa cells develop from cells of the mesothelium (i.e., epithelial cells from the presumptive surface epithelium of the ovary).
Descent of the ovaries
Just as in the male, there is a gubernaculum in the female, which effects a considerable change in the position of the ovary. The gubernaculum in the female lies in contact with the fundus of the uterus and adheres to this organ, and thus the ovary can only descend as far as to this level. The part of the gubernaculum between the ovary and the uterus ultimately becomes the proper ovarian ligament, while the part between the uterus and the labium majus forms the round ligament of the uterus. A pouch of peritoneum analogous to the vaginal process in the male accompanies it along the inguinal canal: it is called the canal of Nuck.
Pathology
In rare cases, the gubernaculum may fail to contract adhesions to the uterus, and then the ovary descends through the inguinal canal into the labium majus; under these circumstances, its position resembles that of the testis.
Testis
The testis is developed in much the same way as the ovary, originating from mesothelium as well as mesonephros. Like the ovary, in its earliest stages it consists of a central mass covered by a surface epithelium. In the central mass a series of cords appear, and the periphery of the mass is converted into the tunica albuginea, thus excluding the surface epithelium from any part in the formation of the tissue of the testis. The cords of the central mass run together toward the future hilum and form a network which ultimately becomes the rete testis. On the other hand, the seminiferous tubules are developed from the cords distal to the hilum, and between them connective-tissue septa extend. Via the rete testis, the seminiferous tubules become connected with outgrowths from the mesonephros, which form the efferent ducts of the testis.
Descent of the testes
The descent of the testes consists of the opening of a connection from the testis to its final location at the anterior abdominal wall, followed by the development of the gubernaculum, which subsequently pulls and translocates the testis down into the developing scrotum. Ultimately, the passageway closes behind the testis. Such descent is ancestral in placential mammals with a derived condition of nondescent with testes remaining near the kidneys occurring in Afrotheria such as elephants.
Opening of connection
At an early period of fetal life the testes are placed at the back part of abdominal cavity, behind the peritoneum, and each is attached by a peritoneal fold, the mesorchium, to the mesonephros. From the front of the mesonephros a fold of peritoneum termed the inguinal fold grows forward to meet and fuse with a peritoneal fold, the inguinal crest, which grows backward from the antero-lateral abdominal wall. The testis thus acquires an indirect connection with the anterior abdominal wall. At the same time, a portion of the peritoneal cavity lateral to these fused folds is marked off as the future vaginal process.
Development of gubernaculum
Also, in the inguinal crest a structure, the gubernaculum testis, makes its appearance. This is at first a slender band, extending from that part of the skin of the groin which afterward forms the scrotum through the inguinal canal to the body and epididymis of the testis. As and contains the upper part of the gubernaculum, and ultimately also the internal spermatic vessels; the one below, the plica gubernatrix, contains the lower part of the gubernaculum.
The gubernaculum grows into a thick cord. It ends below at the abdominal inguinal ring in a tube of peritoneum, the vaginal process, which protrudes itself down the inguinal canal. By the fifth month the lower part of the gubernaculum still is a thick cord, while the upper part has disappeared. The lower part now consists of a central core of smooth muscle fibers, surrounded by a firm layer of striated muscle elements, connected, behind the peritoneum, with the abdominal wall.
Translocation
As the testes develops, the main portion of the lower end of the gubernaculum is carried, following the skin to which it is attached, to the bottom of this pouch. Other bands are carried to the medial side of the thigh and to the perineum. The tube of peritoneum constituting the vaginal process projects itself downward into the inguinal canal, and emerges at the external inguinal ring, pushing before it a part of the obliquus internus and the aponeurosis of the obliquus externus, which form respectively the cremaster muscle and the external spermatic fascia. The vaginal process forms a gradually elongating pouch, which eventually reaches the bottom of the scrotum, and behind this pouch the testis is drawn by the growth of the body of the fetus, for the gubernaculum does not grow proportionately with the growth of other parts, and therefore the testis, being attached by the gubernaculum to the bottom of the scrotum, is prevented from rising as the body grows, and is instead drawn first into the inguinal canal and eventually into the scrotum. It seems certain also that the gubernacular cord becomes shortened as development proceeds, and this assists in causing the testis to reach the bottom of the scrotum.
Closing of connection
By the end of the eighth month the testis has reached the scrotum, preceded by the vaginal process, which communicates by its upper extremity with the peritoneal cavity. Just before birth the upper part of the vaginal process, at the internal inguinal ring, usually becomes closed, and this obliteration extends gradually downward to within a short distance of the testis. The process of peritoneum surrounding the testis is now entirely cut off from the general peritoneal cavity and constitutes the tunica vaginalis.
Pathology
If the internal inguinal ring does not close properly, then there is a risk that other contents of the abdominal cavity protrudes through the passageway and cause indirect inguinal hernia.
See also
Sexual differentiation in humans
References
Embryology of urogenital system
|
William Jex (23 March 1885 − 19 February 1934) was an English footballer who played as an inside left with Norwich City, Doncaster Rovers, Rotherham Town and Croydon Common, and in the Football League with Gainsborough Trinity in the early 20th century. He was Doncaster's top scorer in each of the three seasons he played for them.
Jex was born in Thorpe Hamlet, a suburb of Norwich, and by trade he was a painter and decorator. He is said to have developed a weak heart after catching a fever following a swim in the River Wensum in Norwich.
Career
His first known clubs are his local side, Thorpe Village, and then Norwich CYMS where he was playing when he first represented Norfolk in 1905 at the age of 19. Southern League side Norwich City signed him in 1906 though his debut on 29 March against QPR was his only appearance in that first season. In 1907–08, he played 9 times in the league, scoring 3 goals, and one match in the FA Cup.
Along with City goalkeeper Fred Thompson, Jex headed north to Doncaster Rovers who were playing in the Midland League. That season Doncaster finished 11th with Jex scoring an excellent 20 goals in his 27 league games, and once in the Sheffield and Hallamshire Senior Cup.
At the end of the season he moved to fellow Midland League side Rotherham Town, who had been runners up in the league, though that season they had their worst league finish of 17th out of 22, and Jex was re−signed by Doncaster for the following season, 1910–11. He played in all 38 league matches and ended up joint top scorer with 23, including two hat−tricks, as Doncaster finished in third position. He also scored 5 times in the FA Cup, with 3 of those in a hat-trick against Grimsby Rovers.
He and teammate Sam Gunton, who'd also come to Rovers from Norwich, then went to Gainsborough Trinity who were in Division Two of the Football League, though after making only 6 starts with no goals, in April 1912 he moved to London club Croydon Common who were playing in the Southern League. With 3 goals in just 6 league matches and no goals in the 5 cup games, he headed back to Doncaster in late September 1914 but his season was disrupted as, just before Christmas, he injured his foot at the Plant Works when a heavy trolley ran over it, leaving him out of the side till April. Even with just the 6 goals, he again was top scorer for the season at Doncaster. In all competitions, he made nearly 100 appearances for Doncaster.
A description of Jex was:
"he is short, but very quick in his stride, he is pluck personified."
Later life
He died in Dulwich Hospital in London at the age of 48 after a short illness started by catching a chill, and is buried in Streatham Park Cemetery near Croydon.
References
1885 births
1934 deaths
People from Thorpe Hamlet
Men's association football inside forwards
English Football League players
Norwich City F.C. players
Doncaster Rovers F.C. players
Rotherham Town F.C. (1899) players
Gainsborough Trinity F.C. players
Croydon Common F.C. players
Midland Football League players
Burials at Streatham Park Cemetery
English men's footballers
|
Charles Randolph Thomas (February 7, 1827 – February 18, 1891), was an attorney and politician; he was elected as U.S. Congressional Representative from North Carolina during the Reconstruction era. He was the father of Charles R. Thomas (1861-1931), also a politician.
Thomas was born in Beaufort, NC, February 7, 1827. He attended a private school in Hillsboro, North Carolina (there was no public education). He was graduated from the University of North Carolina at Chapel Hill in 1849. He studied law, and was admitted to the bar in 1850.
Career
He started a practice in Beaufort and moved to New Bern. He also became involved in politics and was elected as a member of the State constitutional convention in 1861 to set up the new Confederate state. He was appointed as North Carolina Secretary of State in 1864-1865. After the war, he was appointed by the Governor as president of the Atlantic & North Carolina Railroad in 1867. He became a judge of the superior court in 1868-1870.
Thomas was elected from North Carolina's 2nd congressional district as a Republican to the Forty-second and Forty-third Congresses (March 4, 1871 – March 3, 1875). He was an unsuccessful candidate for Republican renomination in 1874, losing to John A. Hyman, the first African American elected to Congress from the state.
Thomas returned to his law practice in New Bern. He died there February 18, 1891.
Notes
Congressional Biographical Directory
External links
1827 births
1891 deaths
University of North Carolina at Chapel Hill alumni
North Carolina state court judges
Secretaries of State of North Carolina
Politicians from New Bern, North Carolina
Republican Party members of the United States House of Representatives from North Carolina
19th-century American politicians
People from Beaufort, North Carolina
19th-century American judges
|
Herbert Anthony Stevens IV (born February 23, 1987), better known by his stage name Ab-Soul, is an American rapper, singer and songwriter. Raised in Carson, California, he signed to indie record label Top Dawg Entertainment (TDE) in 2007, where he eventually formed West Coast hip hop group Black Hippy, alongside fellow California-based rappers Jay Rock, Kendrick Lamar and Schoolboy Q. He is perhaps most known for his introspective lyrics and his five independent albums under TDE, Longterm Mentality, Control System, These Days..., Do What Thou Wilt., and Herbert, which were all released to positive reviews and commercial success.
Early life
Herbert Anthony Stevens IV was born on February 23, 1987, in Los Angeles. He spent the first four years of his life in Korea while his father was in the military, right up until his parents split and he and his mother subsequently moved back to the United States, to live in his grandmother's house in Carson, California. He once recalled being five years old: "I was serious into video games and basketball, at five. But video games for sure. Five… What was that, Nintendo? Sega. Sonic the Hedgehog. Teenage Mutant Ninja Turtles on TV. But I know early on, I really, really liked Michael Jackson, like we all did. Newborn babies loved Michael Jackson." At the age of 10, Stevens contracted Stevens–Johnson syndrome, which caused him to be hospitalized and is the origin of his dark lips and light-sensitive eyes. In his adolescent years, Stevens was severely teased about his condition.
Stevens encountered music at a very young age, due to his family owning a record store. Stevens also began crafting his rapping skills at an early age: "I was on BlackPlanet freestyle chat, rapping my ass off. Text battle. It is a very interesting world. I think that it still exists online, where you freestyle but you type it. They call it keystyle. I think that is where I developed my rhyming skills. I had been rapping a little earlier, maybe around 12 [years old], but when I hopped online and into that culture, that textcee culture. It really got me going as far as being a rapper."
Stevens claims to have written his first verse when he was 12 years old, to the beat of Twista's "Emotions". Rapping continued on as a hobby for Stevens, whose parents "saw a bright, college-type future" for him and enrolled him in advanced classes. It was not until Stevens graduated from high school that he began to take a career in music seriously.
Musical career
2002–10: Career beginnings and signing to TDE
In 2002, Stevens recorded his first song. In 2005, he signed a recording contract with StreetBeat Entertainment, but just a year later, in 2006, he met Punch, President and Chairman of Carson-based indie record label, Top Dawg Entertainment (TDE), who as Stevens says, "saw more in his music than metaphors and punchlines". Before signing to TDE, Stevens was a part of a rap group called Area 51, alongside Brooklyn-native and fellow American rapper Snake Hollywood.
In 2007, Stevens officially became part of the TDE roster. In 2008, Stevens made a brief cameo appearance in the music video for his TDE-mate Jay Rock's commercial debut single, "All My Life (In the Ghetto)". Also in 2008, he began recording music for his debut mixtape, at the TDE Recording Studio: House of Pain. In December 2008, Stevens released his first music video, for a song from the mixtape, titled "A Day in the Life", through YouTube. The mixtape, entitled Longterm, was released in January 2009. It was the first in a series, that Stevens claimed would have four installments: "When I did the first Longterm I knew that there would be four of them. When I did the first one. So there will be four of them: Longterm 1, 2, 3, and 4. So right now we're at two. You'll have to wait for the next one. That's for the next Ab-Soul interview.".
In 2009, he formed supergroup Black Hippy, with his frequent collaborators and TDE label-mates Schoolboy Q, Jay Rock and K-Dot. Stevens released his second mixtape, and the sequel to his first, on June 28, 2010. The tape, titled Longterm 2: Lifestyles of the Broke and Almost Famous was highly acclaimed and featured Stevens singing on several songs.
2011–12: Longterm Mentality and Control System
In February 2011, Ab-Soul revealed he was working on an album titled Longterm Mentality, and subsequently released "Hell Yeah", a track featuring Schoolboy Q. On February 22, 2011, Stevens released another promotional recording taken from the album, "Moscato", a collaboration with another fellow Black Hippy, Kendrick Lamar. In February 2011, Stevens also embarked on the "Road to Paid Dues" concert tour, after being enlisted by fellow American rapper Murs.
On March 21, 2011, Stevens released the music video for a song titled "Nothin' New", in promotion for the album. On March 25, he released "Gone Insane", the fourth track liberated that was taken from the album. On March 30, a trailer for Longterm Mentality, was released via Top Dawg Entertainment. On April 1, 2011, he released the music video for "Gone Insane", directed by Top Dawg in-house directors Fredo Tovar and Scott Fleishman.
Stevens has stated the respective independent albums of his label-mates partly inspired material on Longterm Mentality: "I compare [the process behind] Longterm Mentality to the process with all of my joints. Kendrick's OD had come out and Q's Setbacks had come out. I had these bodies of work to go off of as references, as inspiration. I hear what Kendrick is talking about, I hear what Q is talking about, I heard what Jay Rock was talking about. So how am I going to piece this all together and add my own two cents, too? How do I continue the sound but have my individuality as an artist? It's the same challenge every single time." Stevens released his first independent album, under Top Dawg Entertainment, exclusively through iTunes on April 5, 2011. The album subsequently peaked at #73 on the US Top R&B/Hip-Hop Albums. The album, although its title is Longterm Mentality, is not the third part of his Longterm series.
Soon after the release of Schoolboy Q's second independent album, Habits & Contradictions (2012), Stevens began promoting his second independent album, releasing a song titled "Black Lip Bastard", on January 17, 2012. The song was produced by TDE in-house producer Willie B. On February 28, 2012, Ab-Soul, alongside Schoolboy Q, appeared on Sway Calloway's #SwayInTheMorning radio show, where Ab-Soul called "Black Lip Bastard": "pretty much one of the title tracks", The first song that appears on the album, to be released was "Showin' Love", also produced by Willie B.
On March 24, Schoolboy Q announced #TheGroovyTour; a month-long tour with Ab-Soul accompanying him the entire way. The tour began on April 20, at the Bill Graham Civic Auditorium in San Francisco, California. On April 6, 2012, Ab-Soul liberated a song titled "Terrorist Threats". The song features frequent collaborator Jhené Aiko and fellow American rapper Danny Brown, who proclaimed on Twitter that "Black Hippy the new Beatles and I'm Harry Nilsson". On April 17, 2012, Ab-Soul revealed the album's title to be Control System and unveiled the release date to be May 11, 2012. That same day, he also released a music video for "Pineal Gland", a song inspired by the psychedelic drug DMT and of course the pineal gland, a small endocrine gland in the vertebrate brain. On April 24, 2012, Stevens released another song, "SOPA". The song, produced by Nez & Rio, references the Stop Online Piracy Act (SOPA), a United States bill introduced by U.S. Representative Lamar S. Smith, that would have allowed the U.S. government to control the Internet.
On May 1, 2012, Ab-Soul released another music video, for a new song titled "Empathy", the song features vocals from Stevens' late longtime girlfriend Alori Joh (December 16, 1986 - February 6, 2012), who had committed suicide earlier in February. Joh's death had a huge impact on Stevens and the recording process of Control System. On May 4, 2012, it was revealed "Black Lip Bastard" was remixed and would feature his Black Hippy cohorts, Rock, Lamar and Schoolboy Q. On May 8, 2012, his collaboration with Lamar, titled "ILLuminate", was released. The day before the album's release Ab-Soul revealed the track listing and released snippets from the album. The album, as written on the back cover, is "Dedicated to the beautiful soul of Loriana Angel Johnson aka Alori Joh".
Control System was released exclusively through iTunes on May 11, 2012, under Top Dawg Entertainment. The album sold approximately 5,300 units in an abbreviated week, debuting at number 83 on the Billboard 200 and appearing on several other Billboard charts as well. The album sold an estimated 3,700 the next week. During 2012, Stevens toured with the rest of Black Hippy and fellow American rapper Stalley, on BET's Music Matters Tour.
In late 2012, Stevens was featured on Joe Budden's mixtape A Loose Quarter on the track "Cut From a Different Cloth". The song received praise as one of the best songs on the project. Budden has since announced that he and Ab-Soul have recorded many songs together which will be seeing the light of day in the near future. Budden went on to praise Ab-Soul as "one of the best things going in hip hop right now".
2012–18: These Days… and Do What Thou Wilt.
In October 2012, American singer-songwriter and record producer JMSN, who previously produced "Nibiru" for Stevens earlier in August, for what his label called "TDE Fan Appreciation Week", announced he and Stevens would be releasing a collaborative project together. The lead single for their collaborative album, which was set to be titled Unit 6, was officially released via iTunes on January 22, 2013. The single, titled "You're Gone", features vocals from both artists, as well as production from JMSN. On March 26, 2013, it was announced that Ab-Soul would be featured on XXLs 2013 Freshman Class issue, alongside Schoolboy Q and other up-and-coming rappers.
On August 6, 2013, after a near four-month hiatus, Stevens released a new song produced by Willie B, titled "Christopher DRONEr", alluding to former LAPD police officer Christopher Dorner. Along with the song, he announced he was working on a new solo project. The following day he would speak to XXL and say that he and JMSN had finished the Unit 6 album, however their management could not "see eye to eye", so the project was ultimately shelved for a possible later release, with Stevens saying: "As of right now it's sounding like prequel to my album." He went on to confirm that JMSN and Jhene Aiko, will appear on the upcoming solo project. On October 17, 2013, Stevens stated that he was close to finalizing the project. Then later that week, he confirmed that the project had been turned in for mixing and cleared up rumors that it was titled Black Lip Pastor. With the release of the 56th Annual Grammy Awards nominations, it was revealed Stevens was nominated for Album of the Year for his participation on Macklemore & Ryan Lewis' debut album, The Heist.
On January 2, 2014, Stevens revealed he had turned in two projects to his label Top Dawg, before the year 2013, was over: "I turned in 2 projects last year, yea I know what your thinking, let's see where this year takes me…" he tweeted. On January 6, 2014, in an interview with Bootleg Kev, when speaking on the album Stevens stated: "Ali is mixing it right now," and that they were waiting on the perfect way to present the project, as a result of creative releases such as Nipsey Hussle's Crenshaw. He also revealed the album is about progression and confirmed there would be appearances from his TDE label-mates, as well as production from hip hop producer Statik Selektah. On April 11, 2014, Stevens announced he was also working on the third installment in the Longterm series.
On May 5, 2014, Stevens took to Twitter to announce his third album would be titled These Days…. On May 30, 2014, Top Dawg management took to Twitter to reveal These Days..., is scheduled for a June 24 release date. That same day, TDE management also unveiled the cover art for the album and released a snippet of a music video for Stevens' song "Stigmata". On June 21, 2014, Stevens released a music video for a song titled "Closure", taken from These Days.... The album debuted at number 11 on the US Billboard 200 chart, with first-week sales of 21,812 copies in the United States and has received generally positive reviews from music critics.
In October 2014, in an interview with Montreality, Stevens revealed the title for his first in-store retail project would be Longterm 3. In February 2015, Ab-Soul premiered the song "47 Bars" online, produced by The Alchemist. In July 2015, Stevens tweeted that his next album was "almost done." In July 2015, Stevens gave an update on the album: "My album's almost done..." he wrote on Twitter, adding, "It's a love story". He completed the post with the hashtag "DWTW", presumably the album title acronym to which he kept alluding.
On June 8, 2016, via Twitter, Stevens revealed he had completed his upcoming album and turned it in for mixing. The album, titled Do What Thou Wilt., was released December 9, 2016.
In 2018, Stevens appeared on the song Bloody Waters with Anderson .Paak & James Blake from Black Panther: The Album
2019–present: Herbert
On November 3, 2019, Stevens performed his set at the Day N Vegas music festival and revealed that he "been cookin' the bird up slow", referring to his album. He then ended his set by freestyling and promising a new album in 2020.
On April 20, 2020, to celebrate Top Dawg Entertainment founder and CEO Anthony Tiffith's birthday, as well as start off TDE's Fan Appreciation Week, Stevens released the single "Dangerookipawaa Freestyle".
On April 22, 2022, Stevens released the single "Hollandaise", which was produced by TDE in-house producer Kal Banx.
On November 18, 2022, alongside the release of the single "Gang'Nem", Stevens announced his fifth studio album Herbert, would be released on December 16, 2022.
Herbert was released on December 16, 2022, featuring guest appearances from Joey Bada$$, Big Sean, Jhené Aiko, Russ, Fre$h, Ambré, Alemeda, SiR, Punch, Zacari, and Lance Skiiiwalker.
In February 2023, Stevens performed an NPR Tiny Desk Concert.
In June 2023, These Days was removed from Apple Music and Spotify in the United States for currently unknown reasons. However, the album returned to most streaming platforms in July 2023.
Artistry
Influences
Ab-Soul cites fellow American rappers Twista, Canibus, Eminem, Nas and Lupe Fiasco as major influences, with Jay-Z being his biggest influence. He stated: "There are so many others, but those are the ones that came to my mind at this time. Those artists are basically the template to my format as an MC. They all capture me with their music, whether it be the vibe, delivery, cadence, story, or just the lyrics in general."
Personal life
Stevens has cited the book The Autobiography of Malcolm X (1964) as being highly influential to him.
Stevens dated fellow label mate Alori Joh (born Loriana Johnson) from high school until her untimely and tragic death, where she took her own life by jumping off of a radio tower in Compton, CA. Stevens references the relationship and the fatal loss on his song "The Book of Soul" from his 2012 album, Control System. Since then, Stevens has reportedly dated model Yaris Sanchez. In 2022, he attempted to take his own life by jumping from a highway overpass. A car broke his fall and saved his life. He revealed that his suicidal thoughts were drug-induced and that he would normally not have such feelings.
Discography
Longterm Mentality (2011)
Control System (2012)
These Days… (2014)
Do What Thou Wilt. (2016)
Herbert (2022)
Concert tours
These Days Tour (2014)
YMF Tour (2017)
The Intelligent Movement Tour (2023)
See also
List of hip-hop musicians
List of people from California
Music of California
References
External links
1987 births
Living people
21st-century American rappers
21st-century African-American male singers
African-American male rappers
American male rappers
African-American male singer-songwriters
American hip hop singers
Black Hippy members
Hip hop activists
People from Carson, California
Rappers from Los Angeles
Singer-songwriters from California
Top Dawg Entertainment artists
West Coast hip hop musicians
|
Max Creutz (8 December 1876 – 13 March 1932) was a German art historian and curator of the Museum für Angewandte Kunst Köln and the Kaiser-Wilhelm-Museum in Krefeld where he worked from 1922 until his death. In Cologne, in 1914 he was instrumental in the first exhibition of the Deutscher Werkbund, Deutsche Werkbundausstellung. In Krefeld, he succeeded in acquiring modern art exhibits, including works by Max Ernst, Wassily Kandinsky, and Alexej von Jawlensky. He included a substantial collection of art, crafts and design from the Bauhaus.
Life and work
Creutz was born in Aachen and attended the Progymnasium in Jülich, and then the Gymnasium in Düren, where he graduated in 1897. His father, also Max Creutz was Königlicher Kreis-Rentmeister. Creutz studied art history in Vienna, and attended a school for painting. In Munich and then at the Humboldt University of Berlin he studied art history and philosophy, and trained himself in painting. Meanwhile, he traveled extensively, through Germany, Italy, Belgium, and the Netherlands. He attained his PhD on 16 March 1901, with a thesis titled "Masaccio, mit dem Versuch zur stilistischen und chronologischen Einordnung seiner Werke" (Masaccio, trying to sort his works in style and time). This was followed by a period as a research assistant at the Kunstgewerbemuseum Berlin, where he worked on the new edition of the Kunsthandbuch (1904). He also published in the journal .
Cologne
From 1908, Creutz was director of the Museum für Angewandte Kunst Köln. At the end of 1911, the association of craftsmen Deutscher Werkbund, founded in 1907, hoped to have a representative exhibition of their own. Carl Rehorst, the chairman of the Cologne Werkbund, wanted it in his city at all costs and immediately initiated the founding of an association, with himself as executive chairman, together with the mayor Max Wallraf and the chairman of Deutscher Werkbund, . Initially, only Karl Ernst Osthaus and Creutz were included as "local confidants" in the regional association.
In 1912, Creutz was on the organizing committee of the Internationale Kunstausstellung des Sonderbundes Westdeutscher Kunstfreunde und Künstler in Cologne, bringing together more than 600 artworks from artists like Van Gogh, Munch, Picasso, Cézanne, Kirchner and others.
Creutz became vice secretary for the 1914 Deutsche Werkbundausstellung. He noted in 1913 on Rehorst's urban planning: "Rehorst is attempting a balance between the preservation of the old cityscape and the construction of the new one. [...] It is particularly to Karl Rehorst's credit that, in the face of great difficulties, he has treated precisely the stepchildren of architecture: utilitarian buildings and industrial works, with as much love as the city's representative buildings." Rehorst repeatedly adapted the overall plan of the exhibition and organised it with a huge staff of municipal officials. The Deutsche Werkbundausstellung was opened on 16 May 1914.
In 1919, the exhibition of the collection opened at the Kunstgewerbemuseum Köln. Creutz, a Rhinelander as Clemens, was one of few people with knowledge of the collecting activities of the painter.
Krefeld
In 1922, Creutz moved from Cologne to Krefeld to succeed Friedrich Deneken, who had been director of the Kaiser-Wilhelm-Museum there for a quarter of a century. While Deneken's focus had been on modern decorative arts and small art (Kleinkunst) of Jugendstil and Impressionism, Creutz shifted the exhibition and acquisition policy to modern art, the contemporary art of the time. Soon, the museum's collection included not only works by the so-called German Impressionists, but also by the Brücke painters, Der Blaue Reiter artists, and works by . In addition to important individual works such as Marine verte (1925) by Max Ernst, Sintflut (1912) by Wassily Kandinsky, the Symphonie Schwarz-Rot (1929) by Alexej von Jawlensky, works by Karl Schmidt-Rottluff, Ernst Ludwig Kirchner, Erich Heckel, Heinrich Nauen and Heinrich Campendonk were added. Campendonk's Pierrot mit Schlange was acquired in 1923.
In 1923 Creutz succeeded in bringing a travelling model exhibition of Deutscher Werkbund to Krefeld, presenting over 2000 objects and graphic works from the . It consisted of works by the most important modern artists, architects and designers from the period 1900 to 1914, making Krefeld one of the few collections representing the Bauhaus movement. From 1911, he worked closely with the Hagen-based art collector and patron Karl Ernst Osthaus. In 1923, Creutz commissioned Johan Thorn-Prikker to paint monumental murals for his museum, depicting four phases of life from childhood to maturity. In 1928, in collaboration with Kandisky, he held an exhibition titled Farbe (Colour). Kandinsky, who contributed exhibitis, had given Bauhaus courses on the use of colour in crafts and industry, had attended a 1902 exhibition Farbenschau organised by Deneken in Krefeld and had been inspired to contribute to the Der Blaue Reiter almanch.
Two new villas were designed by Mies van der Rohe for industrialists Hermann Lange (1874–1942) and Josef Esters, and built in Krefeld side by side as Haus Lange and Haus Esters. Lange was a co-founder of the Neue Kunst association for modern art in Krefeld and supported Creutz in numerous undertakings that served to promote modern art. The villa house museum collections today.
Private life and legacy
Creutz was married to Käthe, née Schütze, a sister of the painter, graphic artist and women's rights activist Ilse Schütze (1868–1923), who was married to .
Creutz died in 1932 at the age of 55. He did not have to witness how an essential part of his life's work was destroyed in 1937 by the Nazis' expropriation and sale of the Expressionist collection of the Kaiser Wilhelm Museum. Three 1925 painting by Mondrian escaped because Creutz had failed to list them in the inventory. The paintings Pierrot mit Schlange by Campendonk and Emil Nolde's Milking Cows (1913) returned to Krefeld after World War II. Pierrot mit Schlange was restored and exhibited again in 2016.
In 2019, on the occasion of the centenary of the Bauhaus, the Kunstmuseum Krefeld held an exhibition of the Bauhaus arts, crafts and design that Creutz had brought to Krefeld.
Publications
Julius Lessing, Max Creutz (eds:): Wandteppiche und Decken des Mittelalters in Deutschland. Wasmuth, Berlin 1901
Kunsthandbuch für Deutschland, Erstausgabe 1904
Das Charlottenburger Rathaus. in: Berliner Architekturwelt. year 8, 1906
, Max Creutz: Cölnischer Kunstgewerbe-Verein. XVIII. Jahres-Bericht des Kunstgewerbe-Museums der Stadt Cöln für 1908. DuMont, Cologne, 1909
, Max Creutz: Geschichte der Metallkunst. Vol. 2: Max Creutz: Kunstgeschichte der edlen Metalle. Enke, Stuttgart 1909
Joseph Maria Olbrich, Max Creutz: Das Warenhaus Tietz in Düsseldorf. Wasmuth, Berlin 1909
Max Creutz: Banken und andere Verwaltungsgebäude. Wasmuth, Berlin, 1911
Das Warenhaus Tiez in Elberfeld, von Prof. Wilhelm Kreis, X. Sonderheft der Architektur des XX. Jahrhunderts. Ernst Wasmuth, Berlin 1912
References
Further reading
Gudrun M. König: Konsumkultur: inszenierte Warenwelt um 1900, Böhlau, 2007, ,
Sabine Röder: Max Creutz und der Kampf um die Moderne in den 1920er Jahren In Reiner Stamm (ed.): Catalogue: Farbwelten Bremen 2009, , .
External links
Gerhard Storck: Ursprünge: Als Krefelder Kunst in die Zukunft aufbrach, März 1932, starb in Krefeld der Kunsthistoriker Max Creutz, Westdeutsche Zeitung, 5 April 2007, retrieved 23 September 2021
German art historians
German curators
1876 births
1932 deaths
People from Aachen
|
```javascript
/**
* @license Apache-2.0
*
*
*
* path_to_url
*
* Unless required by applicable law or agreed to in writing, software
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
*/
'use strict';
// MODULES //
var bench = require( '@stdlib/bench' );
var randu = require( '@stdlib/random/base/randu' );
var isnan = require( '@stdlib/math/base/assert/is-nan' );
var EPS = require( '@stdlib/constants/float64/eps' );
var pkg = require( './../package.json' ).name;
var pdf = require( './../lib' );
// MAIN //
bench( pkg, function benchmark( b ) {
var sigma;
var mu;
var x;
var y;
var i;
b.tic();
for ( i = 0; i < b.iterations; i++ ) {
x = ( randu()*100.0 ) - 100;
mu = ( randu()*100.0 ) - 50.0;
sigma = ( randu()*20.0 ) + EPS;
y = pdf( x, mu, sigma );
if ( isnan( y ) ) {
b.fail( 'should not return NaN' );
}
}
b.toc();
if ( isnan( y ) ) {
b.fail( 'should not return NaN' );
}
b.pass( 'benchmark finished' );
b.end();
});
bench( pkg+':factory', function benchmark( b ) {
var mypdf;
var sigma;
var mu;
var x;
var y;
var i;
mu = 10.0;
sigma = 4.0;
mypdf = pdf.factory( mu, sigma );
b.tic();
for ( i = 0; i < b.iterations; i++ ) {
x = randu() * 50.0;
y = mypdf( x );
if ( isnan( y ) ) {
b.fail( 'should not return NaN' );
}
}
b.toc();
if ( isnan( y ) ) {
b.fail( 'should not return NaN' );
}
b.pass( 'benchmark finished' );
b.end();
});
```
|
Naouirou Ahamada (born 29 March 2002) is a French professional footballer who plays as a defensive midfielder for Premier League club Crystal Palace.
Club career
On 5 October 2020, VfB Stuttgart signed Ahamada on loan until the end of the season with an option to buy. On 1 July 2021, the option was exercised and the club signed him permanently.
On 31 January 2023, Ahamada was signed on a three-and-a-half year deal by Premier League club Crystal Palace for £9.7 million. He made his debut for the club on 4 February, coming on as a substitute for Cheick Doucouré in a 2–1 away loss to Manchester United.
International career
Ahamada was born in France and is of Comorian and Malagasy descent. He is a youth international for France.
Career statistics
References
External links
Profile at the Crystal Palace F.C. website
Naouirou Ahamada at Athletic updates
2002 births
Living people
Footballers from Marseille
French men's footballers
Men's association football midfielders
France men's youth international footballers
FC Istres players
Juventus FC players
Juventus Next Gen players
VfB Stuttgart players
Serie C players
Bundesliga players
Regionalliga players
Premier League players
French expatriate men's footballers
French expatriate sportspeople in Italy
Expatriate men's footballers in Italy
French expatriate sportspeople in Germany
Expatriate men's footballers in Germany
French sportspeople of Comorian descent
VfB Stuttgart II players
Crystal Palace F.C. players
Expatriate men's footballers in England
|
```html
<!--
FSWebServer - Example Index Page
This file is part of the WebServer library for Arduino environment.
This library is free software; you can redistribute it and/or
modify it under the terms of the GNU Lesser 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
You should have received a copy of the GNU Lesser General Public
Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA
-->
<!DOCTYPE html>
<html>
<head>
<meta http-equiv="Content-type" content="text/html; charset=utf-8">
<title>ESP Monitor</title>
<script type="text/javascript" src="graphs.js"></script>
<script type="text/javascript">
var heap,temp,digi;
var reloadPeriod = 1000;
var running = false;
function loadValues(){
if(!running) return;
var xh = new XMLHttpRequest();
xh.onreadystatechange = function(){
if (xh.readyState == 4){
if(xh.status == 200) {
var res = JSON.parse(xh.responseText);
heap.add(res.heap);
temp.add(res.analog);
digi.add(res.gpio);
if(running) setTimeout(loadValues, reloadPeriod);
} else running = false;
}
};
xh.open("GET", "/all", true);
xh.send(null);
};
function run(){
if(!running){
running = true;
loadValues();
}
}
function onBodyLoad(){
var refreshInput = document.getElementById("refresh-rate");
refreshInput.value = reloadPeriod;
refreshInput.onchange = function(e){
var value = parseInt(e.target.value);
reloadPeriod = (value > 0)?value:0;
e.target.value = reloadPeriod;
}
var stopButton = document.getElementById("stop-button");
stopButton.onclick = function(e){
running = false;
}
var startButton = document.getElementById("start-button");
startButton.onclick = function(e){
run();
}
// Example with 10K thermistor
//function calcThermistor(v) {
// var t = Math.log(((10230000 / v) - 10000));
// t = (1/(0.001129148+(0.000234125*t)+(0.0000000876741*t*t*t)))-273.15;
// return (t>120)?0:Math.round(t*10)/10;
//}
//temp = createGraph(document.getElementById("analog"), "Temperature", 100, 128, 10, 40, false, "cyan", calcThermistor);
temp = createGraph(document.getElementById("analog"), "Analog Input", 100, 128, 0, 1023, false, "cyan");
heap = createGraph(document.getElementById("heap"), "Current Heap", 100, 125, 0, 30000, true, "orange");
digi = createDigiGraph(document.getElementById("digital"), "GPIO", 100, 146, [0, 4, 5, 16], "gold");
run();
}
</script>
</head>
<body id="index" style="margin:0; padding:0;" onload="onBodyLoad()">
<div id="controls" style="display: block; border: 1px solid rgb(68, 68, 68); padding: 5px; margin: 5px; width: 362px; background-color: rgb(238, 238, 238);">
<label>Period (ms):</label>
<input type="number" id="refresh-rate"/>
<input type="button" id="start-button" value="Start"/>
<input type="button" id="stop-button" value="Stop"/>
</div>
<div id="heap"></div>
<div id="analog"></div>
<div id="digital"></div>
</body>
</html>
```
|
Claes Hugo Hansén (born 26 December 1972) a Swedish theatre director. Currently employed by the Stockholm City Theatre.
Hansén is also a member of Mensa, a social organization whose members are in the top 2% of intelligence as measured by an IQ test entrance exam.
Productions
The Testament of Mary (Marias Testamente), Stockholm City Theatre 2013
Demons (Demoner), Stockholm City Theatre 2013
Natascha Kampusch, Stockholm City Theatre 2012
Persona, Stockholm City Theatre 2011
On Golden Pond (Sista Sommaren), Stockholm City Theatre 2010
Red and Green (Rött och Grönt), Stockholm City Theatre 2010
Shopping and F***ing, Stockholm City Theatre 2009
Augenlicht (Skimmer), Malmö City Theatre 2009
I'm feeling much better now (Nu mår jag mycket bättre), Stockholm City Theatre 2009
Five times God (Fem gånger Gud), Stockholm City Theatre 2008
The bitter tears of Petra von Kant (Petra von Kants bittra tårar), Stockholm City Theatre 2008
The New Trial (Nya Processen), Stockholm City Theatre 2007
Kränk, Stockholm City Theatre 2006
Miss Julie (Fröken Julie), Gotlands nation 2000
References
1972 births
Living people
Swedish theatre directors
Mensans
|
Juan José "Juanjo" Sánchez Purata (born 9 January 1998) is a Mexican professional footballer who plays as a centre-back for Major League Soccer club Atlanta United, on loan from Tigres UANL.
Career statistics
Club
Honours
Tigres UANL
Campeones Cup: 2018
CONCACAF Champions League: 2020
References
1998 births
Living people
Mexican men's footballers
Men's association football defenders
Tigres UANL footballers
Liga MX players
Sportspeople from San Luis Potosí
Atlanta United FC players
Major League Soccer players
|
```java
/*
* DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER.
*
* This code is free software; you can redistribute it and/or modify it
* published by the Free Software Foundation. Oracle designates this
* particular file as subject to the "Classpath" exception as provided
* by Oracle in the LICENSE file that accompanied this code.
*
* This code is distributed in the hope that it will be useful, but WITHOUT
* ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or
* version 2 for more details (a copy is included in the LICENSE file that
* accompanied this code).
*
* 2 along with this work; if not, write to the Free Software Foundation,
* Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA.
*
* Please contact Oracle, 500 Oracle Parkway, Redwood Shores, CA 94065 USA
* or visit www.oracle.com if you need additional information or have any
* questions.
*/
package me.zhanghai.android.douya.functional.throwing;
import me.zhanghai.android.douya.functional.FunctionalException;
import me.zhanghai.android.douya.functional.compat.ToDoubleFunction;
/**
* Represents a function that produces a double-valued result. This is the
* {@code double}-producing primitive specialization for {@link ThrowingFunction}.
*
* <p>This is a <a href="package-summary.html">functional interface</a>
* whose functional method is {@link #applyAsDouble(Object)}.
*
* @param <T> the type of the input to the function
*
* @see ThrowingFunction
* @since 1.8
*/
@FunctionalInterface
public interface ThrowingToDoubleFunction<T> extends ToDoubleFunction<T> {
/**
* Applies this function to the given argument.
*
* @param value the function argument
* @return the function result
*/
double applyAsDoubleThrows(T value) throws Exception;
/**
* Applies this function to the given argument.
*
* @param value the function argument
* @return the function result
*/
default double applyAsDouble(T value) {
try {
return applyAsDoubleThrows(value);
} catch (Exception e) {
throw new FunctionalException(e);
}
}
}
```
|
```scala
package com.wavesplatform.transaction.lease
import com.wavesplatform.account.{AddressScheme, KeyPair, PrivateKey, PublicKey}
import com.wavesplatform.common.state.ByteStr
import com.wavesplatform.crypto
import com.wavesplatform.lang.ValidationError
import com.wavesplatform.transaction.*
import com.wavesplatform.transaction.serialization.impl.LeaseCancelTxSerializer
import com.wavesplatform.transaction.validation.TxValidator
import com.wavesplatform.transaction.validation.impl.LeaseCancelTxValidator
import monix.eval.Coeval
import play.api.libs.json.JsObject
import scala.util.Try
final case class LeaseCancelTransaction(
version: TxVersion,
sender: PublicKey,
leaseId: ByteStr,
fee: TxPositiveAmount,
timestamp: TxTimestamp,
proofs: Proofs,
chainId: Byte
) extends Transaction(TransactionType.LeaseCancel)
with SigProofsSwitch
with Versioned.ToV3
with TxWithFee.InWaves
with FastHashId
with PBSince.V3 {
override val bodyBytes: Coeval[Array[TxVersion]] = Coeval.evalOnce(LeaseCancelTxSerializer.bodyBytes(this))
override val bytes: Coeval[Array[TxVersion]] = Coeval.evalOnce(LeaseCancelTxSerializer.toBytes(this))
override val json: Coeval[JsObject] = Coeval.evalOnce(LeaseCancelTxSerializer.toJson(this))
}
object LeaseCancelTransaction extends TransactionParser {
type TransactionT = LeaseCancelTransaction
val typeId: TxType = 9: Byte
implicit val validator: TxValidator[LeaseCancelTransaction] = LeaseCancelTxValidator
implicit def sign(tx: LeaseCancelTransaction, privateKey: PrivateKey): LeaseCancelTransaction =
tx.copy(proofs = Proofs(crypto.sign(privateKey, tx.bodyBytes())))
override def parseBytes(bytes: Array[Byte]): Try[LeaseCancelTransaction] =
LeaseCancelTxSerializer.parseBytes(bytes)
def create(
version: TxVersion,
sender: PublicKey,
leaseId: ByteStr,
fee: Long,
timestamp: TxTimestamp,
proofs: Proofs,
chainId: Byte = AddressScheme.current.chainId
): Either[ValidationError, TransactionT] =
for {
fee <- TxPositiveAmount(fee)(TxValidationError.InsufficientFee)
tx <- LeaseCancelTransaction(version, sender, leaseId, fee, timestamp, proofs, chainId).validatedEither
} yield tx
def signed(
version: TxVersion,
sender: PublicKey,
leaseId: ByteStr,
fee: Long,
timestamp: TxTimestamp,
signer: PrivateKey,
chainId: Byte = AddressScheme.current.chainId
): Either[ValidationError, TransactionT] =
create(version, sender, leaseId, fee, timestamp, Nil, chainId).map(_.signWith(signer))
def selfSigned(
version: TxVersion,
sender: KeyPair,
leaseId: ByteStr,
fee: Long,
timestamp: TxTimestamp,
chainId: Byte = AddressScheme.current.chainId
): Either[ValidationError, TransactionT] =
signed(version, sender.publicKey, leaseId, fee, timestamp, sender.privateKey, chainId).map(_.signWith(sender.privateKey))
}
```
|
The Embers Avenue, also known as Embers, was a gay bar and nightclub located in the Old Town Chinatown neighborhood of Portland, Oregon, in the United States. Embers hosted a variety of events, including comedy and drag shows, karaoke, and live music. The club opened in 1969, and closed in late 2017. The Oregonian reported in late November 2017 that the building owner has intentions to fill the space with a similar venue. It was speculated in January 2018 that Badlands was expected to open that year.
Reception
Donald Olson, writing for Frommer's, rated the venue as two out of three stars. He described the club as a primarily gay disco also appealing to straight people, with "lots of flashing lights and sweaty bodies until the early morning".
References
External links
The Embers Avenue at The Portland Mercury
Sexy space music by Andrea Vedder (May 4, 2010), Daily Vanguard
1969 establishments in Oregon
2017 disestablishments in Oregon
Defunct LGBT nightclubs in Oregon
Defunct nightclubs in Portland, Oregon
LGBT culture in Portland, Oregon
Northwest Portland, Oregon
Old Town Chinatown
|
Jonathan Tyler is an American rock band from Dallas, Texas.
History
The band was formed in January 2007 in Dallas, Texas by Jonathan Tyler, Brandon Pinckard, along with Oklahoma natives Nick Jay, and Jordan Cain. The band immediately went into the studio with local producer Chris Bell to record their first independent record Hot Trottin. After playing nearly every venue in Deep Ellum the band began to venture outside of Dallas into Austin, Houston, and other surrounding cities. Emotion Brown joined the band in May 2007.
By 2008, the band began garnering regional and national attention by supporting major national acts including Erykah Badu, Leon Russell, Deep Purple, The Black Crowes, Kool & the Gang, Chicago, Heart, Cross Canadian Ragweed, among others. The band was discovered at SXSW 2008 by an A&R representative from Atlantic Records, and was soon signed to F-Stop Music/Atlantic Records. The band was awarded "Best Blues Act" by the 2008 Dallas Observer Music Awards.
In 2009, JTNL continued touring extensively across the United States, most notably alongside Lynyrd Skynyrd, Kid Rock, O.A.R., & AC/DC. The band also played the Austin City Limits Music Festival, Forecastle Festival, Summerfest, Wakarusa, and SXSW. In August, JTNL recorded their first album Pardon Me for F-Stop Music/Atlantic Records. Jay Joyce was selected by the band to produce the record from his Nashville studio. The band was awarded "Best Group", "Best Male Vocalist", and "Best Blues Act" by the 2009 Dallas Observer Music Awards. Rave reviews from outlets across the country began pouring in for the band and their live show, including praise from critics in USA Today, American Songwriter, Chicago Sun Times, Orlando Weekly, Austin American Statesman, Arizona Daily Star, Urban Tulsa Weekly, and Nuvo Weekly (Indianapolis) among numerous others.
On April 27, 2010, Pardon Me was released nationwide. It was awarded "Reader's Pick Best Local CD Release" in the Dallas Observer, the "fourth best release of 2010" by the Dallas Morning News, and received favorable reviews nationwide.
In 2010, JTNL most notably toured alongside ZZ Top, JJ Grey & MOFRO, American Bang, Robert Randolph and the Family Band, and others. They played Bonnaroo Music Festival, Voodoo Fest, Summerfest, BamaJam, and SXSW.
Blender Magazine exclusively debuted the video for "Gypsy Woman" November 15, 2010 on Blender.com.
The band was named "Top Artist of 2010" by Pegasus News.
Jonathan Tyler was named "Best Male Vocalist" by the 2010 Dallas Observer Music Awards.
JTNL was named "Pick of the Week" in USA Today on May 5, 2010.
Television and film appearances
"Devil's Basement" was featured on the trailer for the HBO series Boardwalk Empire.
"Hot Sake" was featured in episode 11 of the Fox television series The Good Guys.
"Pardon Me" was featured on the premier of the NBC series Friday Night Lights.
"Young & Free" was used throughout the 2010 ESPN College Football season, and throughout 2010 on the Fox Sports channel.
The band performed "Pardon Me" on the ABC television program Jimmy Kimmel Live! on April 8, 2010. They also performed it during an appearance on The Gordon Keith Show in Dallas.
The band performed "Gypsy Woman" on the WGN Midday News on WGN-TV Chicago and WGN America on December 14, 2010.
The group's version of "Sugar, Sugar" was picked up in Fall 2011 as the theme to the TLC series Cake Boss, replacing a prior version of the song sung by The Nerds.
Select Songwriting and Production Discography
Discography
Studio albums
Hot Trottin (2007) – Independent release
Pardon Me (2010) – F-Stop Music/Atlantic Records
Holy Smokes (2015) – Timeless Echo/Thirty Tigers
Singles
References
External links
Hard rock musical groups from Texas
Musical groups from Dallas
Musical groups established in 2007
|
```java
Common mistake on switch statements
Altering format string output by changing a format specifier's `argument_index`
Metadata: creating a user-defined file attribute
Limit Accessibility of `Fields`
Methods performing *Security Checks* must be declared `Private` or `Final`
```
|
The Cayos Cochinos or Cochinos Cays consist of two small islands (Cayo Menor and Cayo Grande) and 13 smaller coral cays situated northeast of La Ceiba on the northern shores of Honduras. Although geographically separate, they belong to the Bay Islands department and are part of the Roatán municipality. The population numbered 108 at the 2001 census. The total land area measures about .
The islands are a Marine Protected Area and are managed by the Honduras Coral Reef Foundation. The coral reef here is part of the world's second largest coral reef system known as the Meso-American Barrier Reef. There is a scientific research station on Cayo Menor, the smaller of the two main islands in the system.
National Geographic writes, "The waters around this collection of coral cays are a marine biologist's dream: protected by the government, off-limits to commercial divers and fishermen, and busy with creatures that may not yet have names."
Tourism
The Cayos Cochinos have no roads, cars or bikes. There is a hiking trail that connects residences and beaches on Cayo Grande. There is a lighthouse on the highest point of the island which can be hiked to through scenic jungles and which are home to the only pink boas in the world. The only inhabitants of the islands are Garifuna fishing villages (Chachahuete and East End), nine private homes on Cayo Grande, and six homes on the 13 smaller cays. The islands are accessible by boat from La Ceiba or by sailboat charter departing from Utila or Roatán.
The actions taken in preserving the underwater environment has left the Cayos Cochinos' waters as the healthiest and most pristine marine life in the Bay Islands. The Honduras Coral Reef Fund is responsible for upholding the environmental restrictions and protecting the marine park, and collect a park entrance fee from all those who enter.
Both Garifuna villages offer cheap lodging for backpackers who wish to stay in either East End or Chachahuete in hammocks or hostel-like huts.
Transport
The Cayos Cochinos are accessible from Roatán via charter company. Smaller boats also leave from La Ceiba, Sambo Creek, Nueva Armenia and from dive shops in Utila. There are daily trips from La Ceiba as well as Cayos Cochinos Divers / Pirate Islands Divers, which also offers scuba diving day and overnight trips.
Conservation
Established as a key area of the Mesoamerican Barrier Reef System, the Cayos and the surrounding waters were declared a marine reserve in 1994, with the help of the Smithsonian Institution, in order to protect all marine and terrestrial flora and fauna within a . The reserve extends eight kilometers in all directions. Laws prohibit all commercial fishing, netting, and trapping within the marine park. Local Garifuna are permitted to fish with hand lines, but prohibited from netting and spearfishing. In designated areas, there is a lobster diving season for qualified Garifuna fishermen. Since 1994, the Smithsonian Institution, World Wildlife Fund (WWF), Honduras Coral Reef Fund, Operation Wallacea and other non-profit organizations have helped preserve the natural beauty of the area.
References
External links
Operation Wallacea is a charitable biological research group working in various areas of Honduras, including Cayo Menor
Garifuna of Honduras/Cayos Cochinos
Cayos Cochinos Divers/Cayos Cochinos
Pirate Islands Divers/Cayos Cochinos
Caribbean islands of Honduras
Bay Islands Department
|
```objective-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
//
#ifndef CLIENT_TEXT_CHAT_CONTROL_PROXY_H
#define CLIENT_TEXT_CHAT_CONTROL_PROXY_H
#include "base/macros_magic.h"
#include "client/text_chat_control.h"
#include <memory>
namespace base {
class TaskRunner;
} // namespace base
namespace client {
class TextChatControlProxy final : public std::enable_shared_from_this<TextChatControlProxy>
{
public:
TextChatControlProxy(std::shared_ptr<base::TaskRunner> io_task_runner,
TextChatControl* text_chat_control);
~TextChatControlProxy();
void dettach();
void onTextChatMessage(const proto::TextChat& text_chat);
private:
std::shared_ptr<base::TaskRunner> io_task_runner_;
TextChatControl* text_chat_control_;
DISALLOW_COPY_AND_ASSIGN(TextChatControlProxy);
};
} // namespace client
#endif // CLIENT_TEXT_CHAT_CONTROL_PROXY_H
```
|
```php
<?php
/*
*
*
* path_to_url
*
* Unless required by applicable law or agreed to in writing, software
* WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
*/
namespace Google\Service\ChromePolicy;
class GoogleChromePolicyV1PolicySchemaFieldDependencies extends \Google\Model
{
/**
* @var string
*/
public $sourceField;
/**
* @var string
*/
public $sourceFieldValue;
/**
* @param string
*/
public function setSourceField($sourceField)
{
$this->sourceField = $sourceField;
}
/**
* @return string
*/
public function getSourceField()
{
return $this->sourceField;
}
/**
* @param string
*/
public function setSourceFieldValue($sourceFieldValue)
{
$this->sourceFieldValue = $sourceFieldValue;
}
/**
* @return string
*/
public function getSourceFieldValue()
{
return $this->sourceFieldValue;
}
}
// Adding a class alias for backwards compatibility with the previous class name.
class_alias(GoogleChromePolicyV1PolicySchemaFieldDependencies::class, your_sha256_hashdDependencies');
```
|
The Thirty Meter Telescope (TMT) protests are a series of protests and demonstrations that began on the Island of Hawaii over the choosing of Mauna Kea for the site location of the Thirty Meter Telescope. Mauna Kea is the most sacred dormant volcano of Native Hawaiian religion and culture, and was known to natives as the home to Wākea, the sky god. Protests began locally within the state of Hawaii on October 7, 2014 but went global within weeks of the April 2, 2015 arrest of 31 people who had blockaded the roadway to keep construction crews off the summit.
The TMT, a $1.4 billion ground-based, large segmented mirror reflecting telescope grew from astronomers' prioritization in 2000 of a thirty-meter telescope to be built within the decade. Mauna Kea was announced as TMT's preferred site in 2009. Opposition to the project began shortly after the announcement of Mauna Kea as the chosen site out of 5 proposals. While opposition against the observatories on Mauna Kea has been ongoing since the first telescope, built by the University of Hawaii, this protest may be the most vocal. The project was expected to be completed by 2024, nearly simultaneously with the 39-meter Extremely Large Telescope being built in Chile; however, on December 2, 2015, the Supreme Court of Hawaii invalidated the TMT's building permits. The court ruled that due process was not followed. The TMT corporation then removed all construction equipment and vehicles from Mauna Kea, and re-applied for a new permit, meant to respect the Supreme Court's ruling. This was granted on September 28, 2018. On October 30, 2018, the Court validated the new construction permit.
The controversy has led to considerable division in the local community with residents choosing support or opposition. Notable native Hawaiian supporters include Peter Apo, sitting trustee of the Office of Hawaiian Affairs, and leading University of Hawaii professor and astronomer the late Dr. Paul Coleman, who in 2015 said "Hawaiians are just so tied to astronomy I cannot, in any stretch of the imagination, think that TMT is something that our ancestors wouldn't just jump on and embrace". In July 2019, 300 protestors gathered in support of the TMT project outside the Hawaii State Capitol in Honolulu.
Background
Development of Mauna Kea observatories
After studying photos for NASA's Apollo program that contained greater detail than any ground based telescope, Gerard Kuiper began seeking an arid site for infrared studies. While he first began looking in Chile, he also made the decision to perform tests in the Hawaiian Islands. Tests on Maui's Haleakalā were promising but the mountain was too low in the inversion layer and often covered by clouds. On the "Big Island" of Hawaii, Mauna Kea is considered the highest island mountain in the world, measuring roughly 33,000 feet from the base deep under the Pacific Ocean. While the summit is often covered with snow the air itself is extremely dry. Kuiper began looking into the possibility of an observatory on Mauna Kea. After testing, he discovered the low humidity was perfect for infrared signals. He persuaded then-governor John A. Burns, to bulldoze a dirt road to the summit where he built a small telescope on Puu Poliahu, a cinder cone peak. The peak was the second highest on the mountain with the highest peak being holy ground, so Kuiper avoided it.
Next, Kuiper tried enlisting NASA to fund a larger facility with a large telescope, housing and other needed structures. NASA, in turn decided to make the project open to competition. Professor of physics John Jefferies of the University of Hawaii placed a bid on behalf of the university. Jefferies had gained his reputation through observations at Sacramento Peak Observatory. The proposal was for a two-meter telescope to serve both the needs of NASA and the university. While large telescopes are not ordinarily awarded to universities without well established astronomers, Jefferies and UH were awarded the NASA contract, infuriating Kuiper who felt that "his mountain" had been "stolen" from "him". Kuiper would abandon his site (the very first telescope on Mauna Kea) over the competition and begin work in Arizona on a different NASA project. After considerable testing by Jefferies' team, the best locations were determined to be near the summit at the top of the cinder cones. Testing also determined Mauna Kea to be superb for nighttime viewing due to many factors including the thin air, constant trade winds and being surrounded by sea. Jefferies would build a 2.24 meter telescope with the State of Hawaii agreeing to build a reliable, all weather roadway to the summit. Building began in 1967 and first light seen in 1970.
Observatory opposition
Although polls, some of them highly criticized, indicate that a majority of Hawaii residents support the Thirty Meter Telescope, opposition to the project and other observatories has existed since 1964. In Honolulu, the governor and legislature, enthusiastic about the development, set aside an even larger area for the observatory causing opposition in the city of Hilo. Native kānaka ʻōiwi believed the entire site was sacred and that developing the mountain, even for science, would spoil the area. Environmentalists were concerned about rare native bird populations and other citizens of Hilo were concerned about the sight of the domes from the city. Using town hall meetings, Jefferies emphasized the economic advantage and prestige the island would receive. Over the years, the opposition to the observatories may have become the most visible example of the conflict science has encountered over access and use of environmental and culturally significant sites. Opposition to development grew shortly after expansion of the observatories commenced. Once access was opened up by the roadway to the summit, skiers began using it for recreation and objected when the road was closed as a precaution against vandalism when the telescopes were being built. Hunters voiced concerns as did the Hawaiian Audubon Society who were supported by Governor George Ariyoshi.
The Audubon Society objected to further development on Mauna Kea over concerns to habitat of the endangered palila, an endemic species to only specific parts of this mountain. The bird is the last of the finch billed honeycreepers existing on the island. Over 50% of native bird species had been killed off due to loss of habitat from early western settlers or the introduction of non native species competing for resources. Hunters and sportsmen were concerned that the hunting of feral animals would be affected by the telescope operations. None of these concerns proved accurate. A "Save Mauna Kea" movement was inspired by the proliferation of telescopes with opposition believing development of the mountain to be sacrilegious. Native Hawaiian non-profit groups such as Kahea, whose goals are the protection of cultural heritage and the environment, oppose development on Mauna Kea as a sacred space to the Hawaiian religion. Today, Mauna Kea hosts the world's largest location for telescope observations in infrared and submillimeter astronomy. The land itself is protected by the US Historical Preservation Act due to its significance to Hawaiian culture but still allowed development.
Outrigger and Thirty Meter Telescope proposals
Further development of the Mauna Kea observatories is still opposed by environmental groups and some Native Hawaiians. A 2006 proposal for the Outrigger Telescopes to become extensions of the Keck Observatory was canceled after a judges determination that a full environmental impact statement must be prepared before any further development of the site. The "outrigger" would have linked the Keck I and Keck II telescopes. Environmental groups and Native Hawaiian activist were a lot stronger at this time than in the past but NASA went ahead with the proposal for lack of an alternate site. The group Mauna Kea Anaina Hou made several arguments against the development including that Mauna Kea was a sacred mountain to Native Hawaiians where many deities had lived, and that the cinder cone being proposed as the site was holy in Hawaiian tradition as a burial site for a demi-god. The group raised several other concerns such as environmental over native insects, the question of Ceded lands and an audit report, critical of the mountain's management.
The Thirty Meter Telescope (TMT) is a proposed extremely large, segmented mirror telescope, planned for the summit of Mauna Kea. It is now the focal point of further development of the observatory site, with a current ongoing legal battle in the Hawaii court system. The proposal continues to spawn a great deal of controversy over the use of the site for science.
The TMT project is a response to recommendation in 2000 from the US National Academy of Sciences that a thirty-meter telescope be a top priority, and that it be built within the decade. Urgency in construction is due to the competitive nature of science with the European-Extremely Large Telescope also under construction. The two projects are also complementary, in that the EELT would only view the Southern Celestial Hemisphere, while Mauna Kea offers the best views of the Northern Celestial Hemisphere. However, Mauna Kea's summit is considered the most sacred of all the mountains in Hawaii to many Native Hawaiian people. Native Hawaiian activists such as Kealoha Pisciotta, a former employee of the Mauna Kea Observatories, have raised concerns over the perceived desecration of Mauna Kea posed by TMT construction and presence. Pisciotta, a former telescope systems specialist technician at James Clerk Maxwell Telescope, is one of several people suing to stop the construction and is also director of Mauna Kea Anaina Hou.
As of April, 2015, two separate legal appeals were still pending.
The 1998 study Mauna Kea Science Reserve and Hale Pohaku Complex Development Plan Update stated that "... nearly all the interviewees and all others who participated in the consultation process (Appendices B and C) called for a moratorium on any further development on the summit of Mauna Kea". Many native Hawaiians and environmentalists are opposed to any further telescopes.
The Hawaii Board of Land and Natural Resources conditionally approved the Mauna Kea site for the TMT in February 2011. While the approval has been challenged, the Board officially approved the site following a hearing on April 12, 2013.
Indigenous peoples rights
The issue of native peoples, their religious freedom and rights in regards to authority for large science-based projects has become a major issue to contend with. Mount Graham in Arizona had an issue with the sanctity of the mountain raised by activists. Observatories have succeeded in being built, but only after protracted and expensive litigation and effort.
Blockade and protests
Roadway blockade and ground breaking interruption
On October 7, 2014 the groundbreaking for the telescope was being live streamed via webcam. The proceedings were interrupted when the official caravan encountered several dozen demonstrators picketing and chanting in the middle of the roadway. A planned ceremony at the base of the mountain was scheduled by the group, Mauna Kea Anaina Hou, in opposition of the telescope and in a press release dated that day, the organization Sacred Mauna Kea stated: "Native Hawaiians and non-Hawaiians will gather for a peaceful protest against the Astronomy industry and the State of Hawaii’s ground-breaking ceremony for a thirty-meter telescope (TMT) on the summit of Mauna Kea." Several members traveled up the mountain and were stopped by police, where they laid down in the road and blocked the caravan. The nonviolent protest did not stop or block any people but when the ceremony for the ground breaking began, protesters interrupted the blessing, stopping the proceedings as well as the groundbreaking. That same day in California, protesters demonstrated outside the headquarters of the Gordon and Betty Moore Foundation in Palo Alto, CA.
Second Mauna Kea blockade and arrests, 2015
Beginning in late March 2015 demonstrators halted construction crews near the visitors center, again by blocking access of the road to the summit of the mountain. Heavy equipment had already been placed near the site. Daniel Meisenzahl, a spokesman for the University of Hawaii, stated that the 5 tractors trailers of equipment that were moved up the mountain the day before had alerted protesters that began organizing the demonstrations. Kamahana Kealoha of the group Sacred Mauna Kea stated that over 100 demonstrators had traveled up to the summit to camp overnight, to be joined by more protesters in the early morning to blockade crews. On April 2, 2015, 300 protesters were gathered near the visitor's center where 12 people were arrested. 11 more protesters were arrested at the summit. Protesters, ranging in age from 27 to 75 years of age were handcuffed and led away by local police. Among the major concerns of the protest groups is whether the land appraisals were done accurately and that Native Hawaiians were not consulted. When the trucks were finally allowed to pass, protesters followed the procession up the summit. A project spokesman said that work had begun after arrests were made and the road cleared.
Among the arrests was professional surfer and former candidate for mayor of Kauai, Dustin Barca. A number of celebrity activists of Native Hawaiian descent, both local and national, began campaigning over social media, including Game of Thrones star Jason Momoa who urged Dwayne Johnson (The Rock) to join the protests with him on top of Mauna Kea. Construction was halted for one week at the request of Hawaii state governor David Ige on April 7, 2015 after the protest on Mauna Kea continued and demonstrations began to appear over the state. Project Manager, Gary Sanders stated that TMT agreed to the one-week stop for continued dialogue. Kealoha Pisciotta, president of Mauna Kea Anaina Hou viewed the development as positive but said opposition to the project would continue. Pisciotta also stated that the protests would continue to be within a Kapu Aloha; "moving in Aloha with steadfast determination".
Temporary halt
Governor Ige announced that the project was being temporarily postponed until at least April 20, 2015. In response to the growing protests the TMT Corporation's division of Hawaii Community Affairs launched an internet microsite, updating content regularly. The company also took to social media to respond to the opposition's growing momentum by hiring public relations firms to assist as the company's voice in the islands. TMT sublease payments on hold following order for a contested case hearing.
National and international demonstrations
The protests sparked statewide, national as well as international attention to Hawaiian culture, Mauna Kea and the 45-year history of 13 other telescopes on the mountain.
At the University of Hawaii Manoa, hundreds of students lined the streets for blocks and, one by one, they passed the stones from the student taro patch of the university's Center on Hawaiian Studies down the human chain to the lawn in front of the office university president, David Lassner, where the stones were used to build an ahu (the altar of a heiau) as a message to the university.
On April 21, 2015, hundreds of protesters filled the streets of Honolulu protesting against the TMT.
2019 demonstrations
On July 14, 2019, an online petition titled "The Immediate Halt to the Construction of the TMT Telescope" was posted on Change.org. The online petition has currently gathered over 278,057 signatures worldwide. On 15 July, protestors blocked the access road to the mountain preventing the planned construction from commencing. On July 16, thirteen astronomical facilities on the mountain stopped activities and evacuated their personnel. On July 17, 33 protestors were arrested, all of whom were kūpuna, or elders, as the blockage of the access road continued. The days actions were described in a court declaration filed in connection to a Mauna Kea access case by Hawaii County Police, which claims that there was a "significant risk" that certain protesters would "respond with violence" if officers forcefully separated protesters blocking the road. A Native Hawaiian Legal Corporation legal observer there that day claims that the report over embellished the belief that there was a threat. A poetic short film, This is the Way We Rise by Ciara Lacy, presents the protests in a representation centered on Jamaica Heolimeleikalani Osorio. The film was screened at the 2021 Sundance Film Festival.
More than 1,000 people marched in Waikiki and gathered in Kapiolani Park on July 21, 2019 in protest of the project. The protest continued into August 2019 at the entrance of the Mauna Kea access road, in front of Pu'u Huluhulu on Hawaii Route 200. It was announced on August 9, that astronomers at other Mauna Kea observatories would return to work after halting for many weeks in response to the gathering protesters and activists. However, a former systems specialist for one of the facilities claimed it was wrong to blame the demonstrators stating: "They chose to close down for fear of protesters who are unarmed and nonviolent."
On 19 December, Governor David Ige announced at a press conference that he was reopening the access road and withdrawing law enforcement from the mountain . TMT representatives had informed him that they are not ready to start construction in the foreseeable future.
The announcement came a day after the Hawaii County Council unanimously rejected a proposal by Mayor Harry Kim that would have authorized the county to accept reimbursement from the state for providing law enforcement on the mountain.
Puʻuhonua o Puʻuhuluhulu
On July 10, 2019, Gov. Ige and the Department of Transportation issued a press release informing the public of upcoming closure of Mauna Kea access road beginning July 15 in order to move large construction equipment to the TMT construction site.
Shortly after sunrise on July 13, 2019, the Royal Order of Kamehameha, along with Mauna Kea protectors began the process of designating Puʻuhuluhulu as a puʻuhonua which, historically, has served as a space of protection during contentious times. The Puʻuhonua o Puʻuhuluhulu boundaries were secured through ceremony and the approval of the Royal Order of Kamehameha, establishing a site of protection, sanctuary and refuge for Mauna Kea protectors. Situated on a 38-acre conservation district directly across from the Mauna Kea access road, Puʻuhonua o Puʻuhuluhulu have access to food, medical supplies, education, cultural practices and ceremony.
Governance and Code of Conduct
Kapu Aloha is the governance model for Puʻuhonua o Puʻuhuluhulu. Under Kapua aloha there is a subset of rules that include:
Kapu Aloha always
NO weapons, NO smoking of any kind and NO alcohol.
MĀLAMA each other.
Ask consent for any pictures or video.
Pick up ʻōpala you see.
BE PONO.
Mauna Medics
The Mauna Medics hui was co-founded by Dr. Kalama O Ka Aina Niheu in 2017 order to provide medical assistance should any of the protector need medical assistance. The Mauna Medics hui is on site at Puʻuhonua o Puʻuhuluhulu 24 hours a day and are available to treat minor medical issues such as altitude sickness. Due to the altitude and harsh weather conditions at Puuhonua o Puuhuluhulu, the Mauna Medics treat illnesses such as hypothermia, sunburn, and dehydration. Medical professionals such as doctors, nurses, and paramedics volunteer their time at Puʻuhonua o Puʻuhuluhulu and all medical supplies are also donated to make sure that protectors are cared for. The Mauna Medic hui provides sunscreen, water stations, and basic medical advice to all visitors of Puʻuhonua o Puʻuhuluhulu free of charge.
Puʻuhuluhulu University
On Maunakea at Puʻuhonua o Puʻuhuluhulu exists Puʻuhuluhulu University. A key component in the movement to prevent the construction of the Thirty Meter Telescope on Maunakea is the creation of access to education rooted in Hawaiian history and Hawaiian culture. “Presley Keʻalaanuhea Ah Mook Sang, a Hawaiian language instructor at the University of Hawaii at Mānoa, said she first came up with the idea to start a community-led school or “teach-in” after witnessing the crowd swell in that first week from hundreds of protesters to thousands”. The grassroots establishment of Puʻuhuluhulu University at Puʻuhonua o Puʻuhuluhulu has created a platform for the lāhui (Hawaiian Nation) and facilitators of the University to co-create a reciprocal and place-based style approach to learning that is accessible to people of all ages and backgrounds.
Puʻuhuluhulu University provides free classes to anyone who visits Puʻuhonua o Puʻuhuluhulu. The course offerings range from Introduction to Hawaiian Language, Hawaiian Law, the history of Hawaiʻi, and tours of Puʻuhuluhulu. The common goal across the wide variety of courses is the intent to uplift the community with ʻike Hawaiʻi (Hawaiian knowledge) through their teachings. Classes at Puʻuhuluhulu University are taught by kiaʻi (protectors) of Maunakea, community members, and professors at the University of Hawaiʻi. One of the most consistent courses offered at Puʻuhuluhulu University is Hawaiian Language. Kaipu Baker, a recent graduate of the University of Hawaiʻi who has taught Hawaiian language courses at Puʻuhuluhulu University noted that learning the Hawaiian language creates access to knowing cultural stories and their significance embedded in the language.
In addition to the daily course offerings by Puʻuhuluhulu University are several community services created by University facilitators to support the well-being of both long-term and daily visitors at Puʻuhonua o Puʻuhuluhlu. These services operate as stations on the University Campus that include Hale Mana Māhū, where you can learn about queer history and theory from a Native Hawaiian perspective, Hale Kūkākūkā where people can discuss and unpack their experiences on Maunakea, and a lomi (massage) tent. The motto of Puʻuhuluhulu University is “E Mau ke Ea o ka ʻĀina i ka Pono” which can be translated to “The Sovereignty of the Land is Perpetuated in what is Just” and the hope to fulfill this motto is in the daily creation of a true Hawaiian Place of Learning.
Daily Protocol
On the Mauna Kea access road in front of what is now known as the kupuna (elders) tent there is daily protocol at 8am, 12noon and 5:30pm, in which protectors and visitors are able to learn and participate in Hawaiian cultural practices such as oli (chant), hula, and hoʻokupu (offerings). Some of the oli and hula that are taught and performed during protocol are: E Ala E, E Kānehoalani E, E Hō Mai, Nā ʻAumakua, E Iho Ana, ʻŌ Hānau ka Mauna a Kea, MaunaKea Kuahiwi, Kua Loloa Keaʻau i ka Nāhele, ʻAuʻa ʻIa, I One Huna Ka Pahu, Na Kea Koʻu Hoʻohihi ka Mauna, ʻAi Kamumu Kēkē, Kūkulu ka Pahu, Kaʻi Kūkulu. Indigenous peoples from all around the world have attended protocol to offer solidarity with the Protect Mauna Kea movement. Puʻuhonua o Puʻuhuluhulu's noon protocol has also had Jason Momoa, Dwayne "The Rock" Johnson, Damien Marley, Jack Johnson, and other celebrities participate and give hoʻokupu (offerings) of solidarity to the Mauna Kea protectors.
Permitting
On December 2, 2015, the Supreme Court of Hawaii invalidated the TMT's building permits, ruling that due process was not followed when the Board of Land and Natural Resources approved the permit before the contested case hearing. The TMT company chairman stated: "T.M.T. will follow the process set forth by the state." On December 16, the TMT corporation began removal of all construction equipment and vehicles from Mauna Kea. As noted above, the Supreme Court of the State of Hawaii ultimately approved the permit following a lengthy contested hearing case. Both the contested hearing case and the Hawaii Supreme Court rejected the arguments asserted by the protesters, finding them to be without merit.
On September 28, 2017, the Hawaii Board of Land and Natural Resources approved the TMT's Conservation District Use Permit. On October 30, 2018, the Supreme Court of Hawaii validated the construction permit.
Reactions
The protests have caused many to voice their support for either the telescope being built, or for its construction on Mauna Kea to be halted. Many of the more public support for either side has caused massive controversy and discussion between science and native culture.
Independent polls commissioned by local media organizations show consistent support for the project in the islands with over two thirds of local residents supporting the project. These same polls indicate Native Hawaiian community support remains split with about half of Hawaiian respondents supporting construction of the new telescope.
Against protesters
In 2015 University of California astronomers sent out a mass email urging other astronomers to support the TMT through a petition written by a native Hawaiian science student. Concern was raised over the content of the email, with the wording of "a horde of native Hawaiians" to describe the protesters considered to be problematic and potentially racist.
Hawaii based businesses that support the telescope were named in a boycott that was popularized on social media. Businesses included were KTA Super Stores and HPM Building Supply.
Support for protesters
Scientists have taken to Twitter and other social media platforms to voice their support publicly for the protest using #ScientistsforMaunaKea, in which they highlight their field and why they feel that the TMT is not needed on the mountain. An open letter was also published and signed by nearly 1,000 members of the scientific community that takes no position on the siting of TMT on Maunakea, but denounces "the criminalization of the protectors on Maunakea". In an online petition, a group of Canadian academics, scientists, and students have called on Prime Minister Justin Trudeau together with Industry Minister Navdeep Bains and Science Minister Kirsty Duncan to divest Canadian funding from the project. Native Hawaiian academics from various fields have also voiced their opposition to the telescope and participated in the protests themselves, such as Oceanographer Rosie Alegado. On July 20, 2019 an online petition titled "A Call to Divest Canada's Research Funding for the Thirty Meter Telescope on Mauna Kea" has been posted on Change.org.
Several celebrities have supported the protest. Some, such as Damian Marley, Jason Momoa, Dwayne Johnson, Jack Johnson and Ezra Miller traveled to the location and participated in the protests. Others, such as Leonardo DiCaprio, Bruno Mars, Emilia Clarke, Nathalie Emmanuel, Rosario Dawson, Jill Wagner, Jai Courtney, Kelly Slater and Madison Bumgarner have used social media to promote the cause. Hawaiian athletes including Jordan Yamamoto, Ilima-Lei Macfarlane and Max Holloway have publicly supported the protests.
See also
Maui solar telescope protests
Giant Magellan Telescope
Office of Hawaiian Affairs
References
External links
INSIGHTS ON PBS HAWAII: Should the Thirty Meter Telescope Be Built? – roundtable discussion (video, aired on April 30, 2015)
Controversies in the United States
Environmental controversies
Environmental issues in Hawaii
Hawaiian religion
Indigenous peoples and the environment
2015 in Hawaii
2015 protests
2019 protests
Nonviolent occupation
Nonviolent resistance movements
Occupy movement in the United States
Religion and politics
Religion and science
Thirty Meter Telescope
|
```go
/*
path_to_url
Unless required by applicable law or agreed to in writing, software
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
*/
package rest
import (
"fmt"
"net/http"
"sync"
"k8s.io/klog"
clientcmdapi "k8s.io/client-go/tools/clientcmd/api"
)
type AuthProvider interface {
// WrapTransport allows the plugin to create a modified RoundTripper that
// attaches authorization headers (or other info) to requests.
WrapTransport(http.RoundTripper) http.RoundTripper
// Login allows the plugin to initialize its configuration. It must not
// require direct user interaction.
Login() error
}
// Factory generates an AuthProvider plugin.
// clusterAddress is the address of the current cluster.
// config is the initial configuration for this plugin.
// persister allows the plugin to save updated configuration.
type Factory func(clusterAddress string, config map[string]string, persister AuthProviderConfigPersister) (AuthProvider, error)
// AuthProviderConfigPersister allows a plugin to persist configuration info
// for just itself.
type AuthProviderConfigPersister interface {
Persist(map[string]string) error
}
// All registered auth provider plugins.
var pluginsLock sync.Mutex
var plugins = make(map[string]Factory)
func RegisterAuthProviderPlugin(name string, plugin Factory) error {
pluginsLock.Lock()
defer pluginsLock.Unlock()
if _, found := plugins[name]; found {
return fmt.Errorf("auth Provider Plugin %q was registered twice", name)
}
klog.V(4).Infof("Registered Auth Provider Plugin %q", name)
plugins[name] = plugin
return nil
}
func GetAuthProvider(clusterAddress string, apc *clientcmdapi.AuthProviderConfig, persister AuthProviderConfigPersister) (AuthProvider, error) {
pluginsLock.Lock()
defer pluginsLock.Unlock()
p, ok := plugins[apc.Name]
if !ok {
return nil, fmt.Errorf("no Auth Provider found for name %q", apc.Name)
}
return p(clusterAddress, apc.Config, persister)
}
```
|
```ruby
# frozen_string_literal: false
#
# erbhandler.rb -- ERBHandler Class
#
# Author: IPR -- Internet Programming with Ruby -- writers
# reserved.
#
# $IPR: erbhandler.rb,v 1.25 2003/02/24 19:25:31 gotoyuzo Exp $
require_relative 'abstract'
require 'erb'
module WEBrick
module HTTPServlet
##
# ERBHandler evaluates an ERB file and returns the result. This handler
# is automatically used if there are .rhtml files in a directory served by
# the FileHandler.
#
# ERBHandler supports GET and POST methods.
#
# The ERB file is evaluated with the local variables +servlet_request+ and
# +servlet_response+ which are a WEBrick::HTTPRequest and
# WEBrick::HTTPResponse respectively.
#
# Example .rhtml file:
#
# Request to <%= servlet_request.request_uri %>
#
# Query params <%= servlet_request.query.inspect %>
class ERBHandler < AbstractServlet
##
# Creates a new ERBHandler on +server+ that will evaluate and serve the
# ERB file +name+
def initialize(server, name)
super(server, name)
@script_filename = name
end
##
# Handles GET requests
def do_GET(req, res)
unless defined?(ERB)
@logger.warn "#{self.class}: ERB not defined."
raise HTTPStatus::Forbidden, "ERBHandler cannot work."
end
begin
data = File.open(@script_filename, &:read)
res.body = evaluate(ERB.new(data), req, res)
res['content-type'] ||=
HTTPUtils::mime_type(@script_filename, @config[:MimeTypes])
rescue StandardError
raise
rescue Exception => ex
@logger.error(ex)
raise HTTPStatus::InternalServerError, ex.message
end
end
##
# Handles POST requests
alias do_POST do_GET
private
##
# Evaluates +erb+ providing +servlet_request+ and +servlet_response+ as
# local variables.
def evaluate(erb, servlet_request, servlet_response)
Module.new.module_eval{
servlet_request.meta_vars
servlet_request.query
erb.result(binding)
}
end
end
end
end
```
|
```xml
import express from "express";
import type {
EmitterWebhookEvent as WebhookEvent,
Webhooks,
} from "@octokit/webhooks";
import type { LRUCache } from "lru-cache";
import type { RedisOptions } from "ioredis";
import type { Options as LoggingOptions } from "pino-http";
import { Probot } from "./index.js";
import { Context } from "./context.js";
import { ProbotOctokit } from "./octokit/probot-octokit.js";
import type { Logger } from "pino";
import type { RequestRequestOptions } from "@octokit/types";
export interface Options {
privateKey?: string;
githubToken?: string;
appId?: number | string;
Octokit?: typeof ProbotOctokit;
log?: Logger;
redisConfig?: RedisOptions | string;
secret?: string;
logLevel?: "trace" | "debug" | "info" | "warn" | "error" | "fatal";
logMessageKey?: string;
port?: number;
host?: string;
baseUrl?: string;
request?: RequestRequestOptions;
webhookPath?: string;
}
export type State = {
appId?: number;
privateKey?: string;
githubToken?: string;
log: Logger;
Octokit: typeof ProbotOctokit;
octokit: ProbotOctokit;
cache?: LRUCache<number, string>;
webhooks: {
secret?: string;
};
port?: number;
host?: string;
baseUrl?: string;
webhookPath: string;
request?: RequestRequestOptions;
};
// Omit the `payload`, `id`,`name` properties from the `Context` class as they are already present in the types of `WebhookEvent`
// The `Webhooks` class accepts a type parameter (`TTransformed`) that is used to transform the event payload in the form of
// WebhookEvent["payload"] & T
// Simply passing `Context` as `TTransformed` would result in the payload types being too complex for TypeScript to infer
// See path_to_url
// See path_to_url as for why this is in a seperate type, and not directly passed to `Webhooks`
type SimplifiedObject = Omit<Context, keyof WebhookEvent>;
export type ProbotWebhooks = Webhooks<SimplifiedObject>;
export type ApplicationFunctionOptions = {
getRouter?: (path?: string) => express.Router;
cwd?: string;
[key: string]: unknown;
};
export type ApplicationFunction = (
app: Probot,
options: ApplicationFunctionOptions,
) => void | Promise<void>;
export type ServerOptions = {
cwd?: string;
log?: Logger;
port?: number;
host?: string;
webhookPath?: string;
webhookProxy?: string;
Probot: typeof Probot;
loggingOptions?: LoggingOptions;
request?: RequestRequestOptions;
};
export type MiddlewareOptions = {
probot: Probot;
webhooksPath?: string;
[key: string]: unknown;
};
export type OctokitOptions = NonNullable<
ConstructorParameters<typeof ProbotOctokit>[0]
>;
export type PackageJson = {
name?: string;
version?: string;
description?: string;
homepage?: string;
repository?: string;
engines?: {
[key: string]: string;
};
};
export type Env = Record<Uppercase<string>, string>;
type ManifestPermissionValue = "read" | "write" | "none";
type ManifestPermissionScope =
| "actions"
| "checks"
| "contents"
| "deployments"
| "id-token"
| "issues"
| "discussions"
| "packages"
| "pages"
| "pull-requests"
| "repository-projects"
| "security-events"
| "statuses";
export type Manifest = {
/**
* The name of the GitHub App.
*/
name?: string;
/**
* __Required.__ The homepage of your GitHub App.
*/
url: string;
/**
* The configuration of the GitHub App's webhook.
*/
hook_attributes?: {
/*
* __Required.__ The URL of the server that will receive the webhook POST requests.
*/
url: string;
/*
* Deliver event details when this hook is triggered, defaults to true.
*/
active?: boolean;
};
/**
* The full URL to redirect to after a user initiates the registration of a GitHub App from a manifest.
*/
redirect_url?: string;
/**
* A full URL to redirect to after someone authorizes an installation. You can provide up to 10 callback URLs.
*/
callback_urls?: string[];
/**
* A full URL to redirect users to after they install your GitHub App if additional setup is required.
*/
setup_url?: string;
/**
* A description of the GitHub App.
*/
description?: string;
/**
* Set to `true` when your GitHub App is available to the public or `false` when it is only accessible to the owner of the app.
*/
public?: boolean;
/**
* The list of events the GitHub App subscribes to.
*/
default_events?: WebhookEvent[];
/**
* The set of permissions needed by the GitHub App. The format of the object uses the permission name for the key (for example, `issues`) and the access type for the value (for example, `write`).
*/
default_permissions?:
| "read-all"
| "write-all"
| Record<ManifestPermissionScope, ManifestPermissionValue>;
/**
* Set to `true` to request the user to authorize the GitHub App, after the GitHub App is installed.
*/
request_oauth_on_install?: boolean;
/**
* Set to `true` to redirect users to the setup_url after they update your GitHub App installation.
*/
setup_on_update?: boolean;
};
```
|
Petitswood () is a townland in the civil parish of Mullingar in County Westmeath, Ireland.
The townland is located in the east of Mullingar town, the N4 motorway passes through the east of the area, and the Royal Canal passes through the west.
References
Townlands of County Westmeath
|
The discography for American jazz singer Michael Feinstein.
1986 Live at the Algonquin (Asylum)
1987 Pure Gershwin (Asylum)
1987 Remember: Michael Feinstein Sings Irving Berlin (Asylum)
1988 Isn't It Romantic (Asylum)
1989 The M.G.M. Album (Elektra)
1989 Over There (EMI Digital)
1990 Michael Feinstein Sings the Burton Lane Songbook, Vol. 1 (Elektra/Nonesuch)
1991 Michael Feinstein Sings the Jule Styne Songbook (Elektra/Nonesuch)
1992 Michael Feinstein Sings the Burton Lane Songbook, Vol. 2 (Elektra)
1992 Pure Imagination (Elektra)
1993 Michael Feinstein Sings the Jerry Herman Songbook (Elektra/Asylum)
1993 Forever (Elektra)
1995 Such Sweet Sorrow (Atlantic)
1995 Michael Feinstein Sings the Hugh Martin Songbook (Elektra/Asylum)
1996 Nice Work If You Can Get It: Songs by the Gershwins (Atlantic)
1998 Nobody But You (Wea International)
1998 Michael & George: Feinstein Sings Gershwin (Concord Jazz)
1999 Big City Rhythms (Concord) #7 Billboard Jazz chart
2000 Romance on Film, Romance on Broadway (Concord) #11 Billboard Independent Albums chart
2001 Michael Feinstein with the Israel Philharmonic Orchestra (Concord) #9 Billboard Jazz chart, #33 Billboard Independent Albums chart
2001 With a Song in My Heart (Concord)
2001 An Intimate Holiday with Michael Feinstein (Concord)
2002 The Michael Feinstein Anthology (Elektra/Rhino)
2002 Livingston and Evans Songbook (Feinery)
2003 Only One Life: The Songs of Jimmy Webb (Concord Jazz)
2005 Hopeless Romantics (with George Shearing) (Concord) #18 Billboard Jazz albums chart
2008 The Sinatra Project (Concord) #3 Billboard Jazz album chart, #10 Billboard Heatseekers chart
2009 The Power of Two (with Cheyenne Jackson) (Harbinger Records) #15 Billboard Jazz album chart, #17 Billboard Heatseekers chart
2010 Fly Me to the Moon (with Joe Negri) (DuckHole Records) #39 Billboard Jazz album chart
2011 Cheek to Cheek: Cook and Feinstein (with Barbara Cook) (DuckHole Records)
2011 We Dreamed These Days (DuckHole Records)
2011 The Sinatra Project, Vol. 2: The Good Life (Concord)
2013 Change of Heart: The Songs of André Previn (Telarc)
2014 A Michael Feinstein Christmas (Concord)
2021 Gershwin Country (Concord)
Vocal jazz discographies
|
Alberto Altarac is a Bosnian former footballer who played as a midfielder.
Career
Altarac played in the Yugoslav Second League in 1969 with FK Sloboda Tuzla, and assisted in securing promotion to the Yugoslav First League. He featured in the 1970–71 Yugoslav Cup final, but lost the series to Red Star Belgrade. In 1974, he played in the National Soccer League with Toronto Croatia.
After his football career he worked as an Italian translator.
International career
Altarac played in 1966 with the Yugoslavia national under-18 football team, and featured in the 1966 UEFA European Under-18 Championship.
References
Living people
Men's association football midfielders
Bosnia and Herzegovina men's footballers
Yugoslav men's footballers
FK Sloboda Tuzla players
Toronto Croatia players
Yugoslav First League players
Yugoslav Second League players
Canadian National Soccer League players
Year of birth missing (living people)
|
Kingston Pioneer Cemetery is a heritage-listed cemetery at Bega Road, Kingston, City of Logan, Queensland, Australia. It was built from 1896 to 1941. It was added to the Queensland Heritage Register on 26 May 2000.
History
The Kingston Pioneer Cemetery, on 2 small blocks of land in Kingston, was used as burial ground at least between 1896 and 1941. It is not known exactly when the land first came into use as a cemetery; however, the first known burial was in 1896 and the last in 1941. The graves of early pioneers, Charles and Harriett Kingston and John and Emily Mayes, are located in the cemetery.
Captain Patrick Logan led the first expedition to explore the area south of Brisbane in 1827, and travelled through the area now known as Logan City. He described the area as having very fine timber and quite a few swamps. In 1849, ten years after the closure of the Moreton Bay convict settlement, the ban around the settlement was lifted, and the first leases of land around the Logan River took place. With the separation of Queensland from New South Wales in 1859, the new Queensland Government realised there was a problem, having too much land and not enough residents. Consequently, the government embarked on a program to encourage new immigrants to settle in Queensland from overseas, by giving them a land order when they arrived.
Europeans began to settle around Loganholme in 1863, growing crops such as cotton and sugar cane. Already by this time, a cotton mill and sugar mill had been established. In 1868 James Trahey purchased a block of land where the Kingston railway station would eventually be located. At the time the area was known as Scrubby Creek. Trahey was the first settler to buy land in the area; however he moved away after only a very brief time.
Charles Kingston and his family (after whom the suburb was named) arrived in Australia in 1857. The family moved around the Brisbane area several times, including to Redbank, Oxley and Eight Mile Plains before settling on land near Scrubby Creek which Kingston had purchased in 1872. The Kingston's property was known as Oakwood. John Mayes and his family also moved to the Scrubby Creek area from England around the same time as the Kingstons. Other settlers, such as James Laughlin and the Armstrongs also selected land in the vicinity.
Early industries that thrived in the area were timber getting, cotton growing and sugar growing. But it was soon realised that the area was very suitable for dairying and fruit growing due to the Logan River, and small swamps and creeks in the area. Both the Kingston and the Mayes families were involved in fruit growing, particularly grapes, and the area became known to produce excellent wines before the 1900s. There was also a coal mine and a metal and gravel quarry in the area.
In 1877 the first post office for the immediate area was established, on the same site as Oakwood (the Kingston's home). Eight years later, in 1885 a rail service from Loganlea to Stanley Street in Brisbane was opened, the tracks passed through Charles Kingston's property.
In 1888, Charles and his wife Harriett returned to visit England, and on their return made plans to build a new house, much grander than the first. The new home was built in 1890, on a hill which overlooked the railway station. Kingston House became a landmark for the district and is heritage-listed today. Their home (now at 5 Collin Court) could be seen from many points around Kingston, and the large ballroom in Kingston House was the centre of social life in the district. Charles Kingston died in 1904, three months after he and Harriett celebrated their 50th wedding anniversary. Harriett Kingston died in 1911. Both are buried at the Kingston Pioneer cemetery.
Although the area in which the Kingston Pioneer Cemetery is situated is marked on an 1875 map as a reserve, it is not specifically labelled as a cemetery reserve and the date of the first burial is unknown. The earliest known grave is the cemetery is that of Frances Armstrong who was buried there in 1896.
The graves of John and Emily Mayes are also found in the Kingston Pioneer Cemetery. John, Emily and their two small children arrived in Australia as free settlers on 9 July 1871 from England aboard the Indus. The family moved from Brisbane to Waterford, where they selected a property of soon after their arrival. The Mayes' lease was subject to conditions requiring improvements under the provisions of the Crown Lands Alienation Act (1868). The Kingston family were also subject to the same leasing requirements.
When they arrived at what was to become Kingston, the Mayes family lived in a tent on the property, but in 1872 a small timber slab hut was constructed, now known as Mayes Cottage. The Mayes family were supported principally by timber getting on the property. Later, the Mayes family were involved in dairying and, in 1906, purchased shares in the newly formed Kingston Cooperative Dairy Company.
John Mayes died on 10 June 1908 and was buried in the Kingston Pioneer Cemetery. Emily married John's brother Richard and moved to Mooloolah; however, following her death in 1933, she was buried in the Kingston Pioneer Cemetery.
Description
The Kingston Pioneer Cemetery is on two blocks of land either side of the driveway entering Kingston College, off Bega Road. The main, or larger, cemetery can be seen from Bega Road, the second, smaller cemetery, is located off Pioneer Road, in a south-easterly direction, approximately from the main cemetery.
In the larger cemetery, which measures approximately , there are eleven graves, five of which are multiple burials. Of the eleven graves, seven are identified and four are unmarked. It is possible that there are more unmarked graves indicated by the spacing between some of the visible plots. The cemetery is on a grassed area surrounded by a timber slip rail fence with an entrance gate along the eastern boundary. Along the western boundary of the fence there is a half metre gap between the cemetery and a small area of bushland.
A number of the graves are marked by large concrete headstones with decorative motifs. The grave of Charles Kingston is marked by an obelisk on a three tier plinth. The top of the obelisk has been broken off. Another grave, with two burials, is marked out by a low concrete enclosure with a concrete headstone with a marble plaque. Other graves are surrounded by metal fencing, some of which have decorative finials.
The smaller cemetery, which measures approximately , is located off Pioneer Lane adjacent to Kingston College, and is thought to have been the Catholic section of the cemetery. In this cemetery there are 7 graves, one of which holds four burials. Two graves are unmarked; however, the size of the graves suggests the deceased may be children.
The grave with the four burials is identified with a large concrete cross with decorative motifs and a plaque with the names of the deceased, another grave is marked out by a simple white, timber cross. All the graves, including the two small, unmarked graves, are surrounded by a metal fence with decorative elements such as finials.
Logan City Council has placed interpretive signage at both cemeteries and both are currently maintained by the council, which has also undertaken conservation work on some of the headstones.
Heritage listing
Kingston Pioneer Cemetery was listed on the Queensland Heritage Register on 26 May 2000 having satisfied the following criteria.
The place is important in demonstrating the evolution or pattern of Queensland's history.
The graves of Charles and Harriett Kingston and John and Emily Mayes are found in the cemetery. The Kingston and Mayes families were two of the first pioneer settlers in the area, which was then known as Scrubby Creek. The cemetery is significant not only as the final resting place of some of the earliest non-Indigenous settlers in the area, but is also significant for its association with the descendants of those buried in the cemetery many of whom remain in the Kingston/Logan area.
The place has a strong or special association with a particular community or cultural group for social, cultural or spiritual reasons.
It is significant for its association with the Kingston, Mayes and Armstrong families who contributed to the settlement and growth of the Logan area, particularly from the 1870s through to the mid-1940s.
The place has a special association with the life or work of a particular person, group or organisation of importance in Queensland's history.
The cemetery has a strong association with the people of Logan City, and the suburb of Kingston in particular.
References
Attribution
External links
Photos of the cemetery and its headstones
Queensland Heritage Register
Kingston, Queensland
Cemeteries in Queensland
Articles incorporating text from the Queensland Heritage Register
|
Pujilí is a small town in the Cotopaxi Province of Ecuador, located ten to twenty minutes from Latacunga. It is the seat of the Pujilí Canton. Pujilí houses mainly indigenous Ecuadorians, and does not see a lot of tourists. It is well known for the market the town hosts on Sundays and Wednesdays. Among the many things sold there are their clothes, which people travel miles to buy, and has become a very profitable local endeavor. Pujilí is also known for its pottery and ceramics. It does not see as much tourist activity as towns such as Otavalo, so it remains a pretty pure indigenous market. However, more and more it is being discovered by tourists thirsting for something more authentic. Pujilí is also home to churches, artisan shops, and a yellow and blue staircase from which you can see the entire town.
Pujilí is the birthplace of General Guillermo Rodríguez Lara (born November 4, 1924), a career army officer who was president of Ecuador from 1972 to 1976. After being removed from power in 1976, Lara retired to his farm outside Pujilí, where he lived out his days.
References
www.inec.gov.ec
www.ame.gov.ec
Populated places in Cotopaxi Province
|
```html
<!DOCTYPE html>
<html>
<body>
<p>b
<iframe name="foo" src="subframe-a.html">
</body>
</html>
```
|
Master of Theology (, abbreviated MTh, ThM, or MTheol) is a post-graduate degree offered by universities, divinity schools, and seminaries. It can serve as a transition degree for entrance into a PhD program or as a stand-alone terminal degree depending on one's particular educational background and institution of study. In North America, the ThM typically requires at least 2–3 years of prerequisite graduate study for entrance into the program, typically a Master of Divinity or equivalent.
Coursework
The Master of Theology often includes one or two years of specialized advanced and/or doctoral level studies in theological research (i.e. counseling, church history, systematic theology, etc.). Depending on the institution, it may or may not require comprehensive examinations and a research thesis, but is required to produce "learning outcomes that demonstrate advanced competency in one area or discipline of theological study and capacity to conduct original research in that area."
North America
In North America, the Association of Theological Schools requires a Master of Theology, or the equivalent Master of Sacred Theology, to be the minimum educational credential for teaching theological subjects in its accredited seminaries and graduate schools. The Association of Theological Schools classifies both degrees as "Advanced Programs Oriented Toward Theological Research and Teaching."
The Master of Theology often functions as a terminal level degree, dependent upon one's particular educational route or institution of study. Some institutions award a Master of Theology en route to a Doctor of Philosophy or Doctor of Theology.
See also
Master of Divinity
References
Christian education
Theology
Religious degrees
|
Parents' Day is observed in South Korea on May 8 and in the United States on the fourth Sunday of July. The South Korean designation was established in 1973, replacing the Mother's Day previously marked on May 8, and includes public and private celebrations. The United States day was created in 1994 under President Bill Clinton. June 1 has also been proclaimed as "Global Day of Parents" by the United Nations as a mark of appreciation for the commitment of parents towards their children. In the Philippines, while it is not strictly observed or celebrated, the first Monday of December each year is proclaimed as Parents' Day.
International
The United Nations proclaimed June 1 to be the Global Day of Parents "to appreciate all parents in all parts of the world for their selfless commitment to children and their lifelong sacrifice towards nurturing this relationship".
In the United States
In the United States, Parents' Day is held on the fourth Sunday of July. This was established in 1994 when President Bill Clinton signed a Congressional Resolution into law () for "recognizing, uplifting, and supporting the role of parents in the rearing of children." The bill was introduced by Republican Senator Trent Lott. It was supported by members of the Unification Church which also celebrates a holiday called Parents' Day, although on a different date. Parents' Day is celebrated throughout the United States.
In South Korea
In South Korea, Parents' Day ( Eobeoinal) is annually held on May 8. Parents' Day is celebrated by both the public and the government. Family events focus on the parents; popular actions include giving parents carnations. The ceremony to designate Parents' Day as an anniversary and to wear carnations originated in Christian culture in the United States. Western religion, culture, and Confucian ideas combined to make it a traditional holiday. Public events are led by the Ministry of Health and Welfare and include public celebrations and awards.
The origins of Parents' Day can be traced back to the 1930s. Starting in 1930, some Christian communities began to celebrate Mother's Day or Parents' Day. This tradition was combined with Korea's traditional Confucianism culture to eventually establish Mother's Day. In 1956, the State Council of South Korea designated May 8 as an annual Mother's Day. However, the question of Father's Day was discussed and on March 30, 1973, May 8 was designated as Parents' Day under Presidential Decree 6615, or the Regulations Concerning Various Holidays (각종 기념일 등에 관한 규정). When Parents' Day was first established, the entire week with the 8th day was designated to be a week to respect the elderly, but respecting elders in the month of May was abolished in 1997 with October becoming the month designated for respecting the elderly.
In the Philippines
Mothers' Day is traditionally celebrated on the first Monday of December. On this day, children placed pink cadena de amor on their chest. Children who no longer have mothers place white cadena de amor.
In 1921, Circular No. 33 designating the first Monday every December as Mothers' day was issued, as a response to the appeal Ilocos Norte Federation of Woman's Clubs. During the Philippine Commonwealth Government, then President Quezon issued Proclamation No. 213, s. 1937 declaring the day designated as Mothers' Day as Parents' Day. This was due to finding petitions to set a special date for Fathers’ Day not advisable as there are already set of numerous holidays set, and deeming it more fitting to celebrate both Mothers' and Fathers' Day together and not apart. In 1980, a proclamation was issued declaring first Sunday and the first Monday of December as Father's Day and Mother's Day respectively. In 1988, the issued presidential proclamation followed the international day of celebration of Father's and Mother's Day which most Filipinos are familiar with. However, then President Estrada tried to revive the tradition through Proclamation No. 58, s. 1998.
In the Democratic Republic of the Congo
In the Democratic Republic of the Congo, Parents’ Day, also called Siku ya Wazazi in Swahili, is one of the public holidays especially celebrated on August 1 each year. This day is devoted to honor the role played by mothers and fathers in the Congolese society and the significance of the family unit.
The origin of this celebration is attributed to Mobutu in 1979 who decided to replace All Saints' Day, a vestige of the colonial era, with this holiday now dedicated to parents and ancestors in general. Early in the morning, people go to clean up the cemeteries in remembrance of the deceased relatives before giving cards and gifts to their parents. This accentuates the traditional roles of parents, which is to look after and provide for the family as numerous as it may be. Culturally, parents are not only the individual that gave you birth and brought you up to face this challenging world. They are all those who placed the building blocks of your life. Thus, this is the unique day consecrated to relax and think of parents with beautiful gifts that make them realize that they are not taken for granted but, in the contrary, are loved and cared for.
Elsewhere
In India, Parents' Worship Day is celebrated on 14th February.
See also
Father's Day
Mother's Day
Grandparents Day
Public holidays in the United States
Public holidays in South Korea
List of International observances
References
External links
National Parents' Day Coalition
White House press release proclaiming Sunday, July 23, 2006 as Parents' Day
May observances
June observances
July observances
Family member holidays
Holidays and observances by scheduling (nth weekday of the month)
Observances in South Korea
Observances in the United States
Spring (season) events in South Korea
United Nations days
|
```objective-c
#pragma once
#include <cassert>
#include <cstring>
#include <algorithm>
#include <memory>
#include <Common/Exception.h>
#include <Common/Priority.h>
#include <IO/BufferBase.h>
#include <IO/AsynchronousReader.h>
namespace DB
{
namespace ErrorCodes
{
extern const int ATTEMPT_TO_READ_AFTER_EOF;
extern const int CANNOT_READ_ALL_DATA;
}
static constexpr auto DEFAULT_PREFETCH_PRIORITY = Priority{0};
/** A simple abstract class for buffered data reading (char sequences) from somewhere.
* Unlike std::istream, it provides access to the internal buffer,
* and also allows you to manually manage the position inside the buffer.
*
* Note! `char *`, not `const char *` is used
* (so that you can take out the common code into BufferBase, and also so that you can fill the buffer in with new data).
* This causes inconveniences - for example, when using ReadBuffer to read from a chunk of memory const char *,
* you have to use const_cast.
*
* Derived classes must implement the nextImpl() method.
*/
class ReadBuffer : public BufferBase
{
public:
/** Creates a buffer and sets a piece of available data to read to zero size,
* so that the next() function is called to load the new data portion into the buffer at the first try.
*/
ReadBuffer(Position ptr, size_t size) : BufferBase(ptr, size, 0) { working_buffer.resize(0); }
/** Used when the buffer is already full of data that can be read.
* (in this case, pass 0 as an offset)
*/
ReadBuffer(Position ptr, size_t size, size_t offset) : BufferBase(ptr, size, offset) {}
// Copying the read buffers can be dangerous because they can hold a lot of
// memory or open files, so better to disable the copy constructor to prevent
// accidental copying.
ReadBuffer(const ReadBuffer &) = delete;
// FIXME: behavior differs greately from `BufferBase::set()` and it's very confusing.
void set(Position ptr, size_t size) { BufferBase::set(ptr, size, 0); working_buffer.resize(0); }
/** read next data and fill a buffer with it; set position to the beginning of the new data
* (but not necessarily to the beginning of working_buffer!);
* return `false` in case of end, `true` otherwise; throw an exception, if something is wrong;
*
* if an exception was thrown, is the ReadBuffer left in a usable state? this varies across implementations;
* can the caller retry next() after an exception, or call other methods? not recommended
*/
bool next()
{
chassert(!hasPendingData());
chassert(position() <= working_buffer.end());
bytes += offset();
bool res = nextImpl();
if (!res)
{
working_buffer = Buffer(pos, pos);
}
else
{
pos = working_buffer.begin() + std::min(nextimpl_working_buffer_offset, working_buffer.size());
chassert(position() < working_buffer.end());
}
nextimpl_working_buffer_offset = 0;
chassert(position() <= working_buffer.end());
return res;
}
void nextIfAtEnd()
{
if (!hasPendingData())
next();
}
virtual ~ReadBuffer() = default;
/** Unlike std::istream, it returns true if all data was read
* (and not in case there was an attempt to read after the end).
* If at the moment the position is at the end of the buffer, it calls the next() method.
* That is, it has a side effect - if the buffer is over, then it updates it and set the position to the beginning.
*
* Try to read after the end should throw an exception.
*/
bool ALWAYS_INLINE eof()
{
return !hasPendingData() && !next();
}
void ignore()
{
if (!eof())
++pos;
else
throwReadAfterEOF();
}
void ignore(size_t n)
{
while (n != 0 && !eof())
{
size_t bytes_to_ignore = std::min(static_cast<size_t>(working_buffer.end() - pos), n);
pos += bytes_to_ignore;
n -= bytes_to_ignore;
}
if (n)
throwReadAfterEOF();
}
/// You could call this method `ignore`, and `ignore` call `ignoreStrict`.
size_t tryIgnore(size_t n)
{
size_t bytes_ignored = 0;
while (bytes_ignored < n && !eof())
{
size_t bytes_to_ignore = std::min(static_cast<size_t>(working_buffer.end() - pos), n - bytes_ignored);
pos += bytes_to_ignore;
bytes_ignored += bytes_to_ignore;
}
return bytes_ignored;
}
void ignoreAll()
{
tryIgnore(std::numeric_limits<size_t>::max());
}
/// Peeks a single byte.
bool ALWAYS_INLINE peek(char & c)
{
if (eof())
return false;
c = *pos;
return true;
}
/// Reads a single byte.
[[nodiscard]] bool ALWAYS_INLINE read(char & c)
{
if (peek(c))
{
++pos;
return true;
}
return false;
}
void ALWAYS_INLINE readStrict(char & c)
{
if (read(c))
return;
throwReadAfterEOF();
}
/** Reads as many as there are, no more than n bytes. */
[[nodiscard]] size_t read(char * to, size_t n)
{
size_t bytes_copied = 0;
while (bytes_copied < n && !eof())
{
size_t bytes_to_copy = std::min(static_cast<size_t>(working_buffer.end() - pos), n - bytes_copied);
::memcpy(to + bytes_copied, pos, bytes_to_copy);
pos += bytes_to_copy;
bytes_copied += bytes_to_copy;
}
return bytes_copied;
}
/** Reads n bytes, if there are less - throws an exception. */
void readStrict(char * to, size_t n)
{
auto read_bytes = read(to, n);
if (n != read_bytes)
throw Exception(ErrorCodes::CANNOT_READ_ALL_DATA,
"Cannot read all data. Bytes read: {}. Bytes expected: {}.", read_bytes, std::to_string(n));
}
/** A method that can be more efficiently implemented in derived classes, in the case of reading large enough blocks.
* The implementation can read data directly into `to`, without superfluous copying, if in `to` there is enough space for work.
* For example, a CompressedReadBuffer can decompress the data directly into `to`, if the entire decompressed block fits there.
* By default - the same as read.
* Don't use for small reads.
*/
[[nodiscard]] virtual size_t readBig(char * to, size_t n) { return read(to, n); }
/** Do something to allow faster subsequent call to 'nextImpl' if possible.
* It's used for asynchronous readers with double-buffering.
* `priority` is the `ThreadPool` priority, with which the prefetch task will be scheduled.
* Lower value means higher priority.
*/
virtual void prefetch(Priority) {}
/**
* Set upper bound for read range [..., position).
* Useful for reading from remote filesystem, when it matters how much we read.
* Doesn't affect getFileSize().
* See also: SeekableReadBuffer::supportsRightBoundedReads().
*
* Behavior in weird cases is currently implementation-defined:
* - setReadUntilPosition() below current position,
* - setReadUntilPosition() above the end of the file,
* - seek() to a position above the until position (even if you setReadUntilPosition() to a
* higher value right after the seek!),
*
* Implementations are recommended to:
* - Allow the read-until-position to go below current position, e.g.:
* // Read block [300, 400)
* setReadUntilPosition(400);
* seek(300);
* next();
* // Read block [100, 200)
* setReadUntilPosition(200); // oh oh, this is below the current position, but should be allowed
* seek(100); // but now everything's fine again
* next();
* // (Swapping the order of seek and setReadUntilPosition doesn't help: then it breaks if the order of blocks is reversed.)
* - Check if new read-until-position value is equal to the current value and do nothing in this case,
* so that the caller doesn't have to.
*
* Typical implementations discard any current buffers and connections when the
* read-until-position changes even by a small (nonzero) amount.
*/
virtual void setReadUntilPosition(size_t /* position */) {}
virtual void setReadUntilEnd() {}
protected:
/// The number of bytes to ignore from the initial position of `working_buffer`
/// buffer. Apparently this is an additional out-parameter for nextImpl(),
/// not a real field.
size_t nextimpl_working_buffer_offset = 0;
private:
/** Read the next data and fill a buffer with it.
* Return `false` in case of the end, `true` otherwise.
* Throw an exception if something is wrong.
*/
virtual bool nextImpl() { return false; }
[[noreturn]] static void throwReadAfterEOF()
{
throw Exception(ErrorCodes::ATTEMPT_TO_READ_AFTER_EOF, "Attempt to read after eof");
}
};
using ReadBufferPtr = std::shared_ptr<ReadBuffer>;
/// Due to inconsistencies in ReadBuffer-family interfaces:
/// - some require to fully wrap underlying buffer and own it,
/// - some just wrap the reference without ownership,
/// we need to be able to wrap reference-only buffers with movable transparent proxy-buffer.
/// The uniqueness of such wraps is responsibility of the code author.
std::unique_ptr<ReadBuffer> wrapReadBufferReference(ReadBuffer & ref);
std::unique_ptr<ReadBuffer> wrapReadBufferPointer(ReadBufferPtr ptr);
}
```
|
The 1576 Plot was a conspiracy in Sweden in 1576. The purpose was to depose John III of Sweden and reinstate the imprisoned Eric XIV of Sweden on the Swedish throne. It was the last of three major plots to free the imprisoned Eric XIV, and was preceded by the 1569 Plot and the 1574 Mornay Plot.
Background
The rebellion was instigated by Mauritz Rasmusson (Mauricius Erasmi) (d. 1577), a Protestant clergyman and vicar of Timmele. He was opposed to the Pro-Catholic tendencies toward a Counter-Reformation under John III and his Catholic queen Catherine Jagiellon, which was highlighted by the introduction of the nova ordinantia-reform of 1575 and the Red Book-reform of 1576 during the Liturgical struggle.
Plan
Mauritz Rasmusson conspired with the nobleman Erik Gyllenstierna and through his connections acquired allies among the clergy, peasants and merchants in Västergötland. The rebellion was to take place in Västergötland and in Småland. Their purpose was to deposed John III, free Eric XIV and reinstate him or - if this proved impossible, Duke Charles or, as a third alternative, elect Erik Gyllenstierna to the throne.
Trial
In November 1576, John III was informed about the conspiracy when Lasse Rasmusson, brother of Mauritz Rasmusson and secretary of Erik Gyllenstierna's cousin Nils Gyllenstierna, was overheard. On 12 November, an investigation was issued. Witnesses claimed that Mauritz Rasmusson had planned to free Erik XIV, have John III killed, but also have Erik Gyllenstierna and "all the nobility of the realm" killed. On 29 November, the trial was conducted in Vadstena. Mauritz Rasmusson denied the accusations, but several witnesses testified against him, including his own wife Anna Lassadotter and his brothers, which was given much credibility.
19 December 1576, Mauritz Rasmusson was condemned to death guilty of treason. During torture, he pointed out the nobleman Erik Gyllenstierna as his accomplice, but retracted it again. In January 1577, the imprisoned Erik XIV was moved from his prison to another deemed more safe, and in February, he died in prison.
In March 1577, Mauritz Rasmusson was confronted in prison by those accused of being his accomplices. Erik Gyllenstierna was freed from all charges because no evidence could be found against him. As Mauritz Rasmusson himself retracted his confessions against everyone he pointed out as his accomplices, no one could be sentenced with him. He was sent to his home parish of Timmele and executed there in April 1577. The public reportedly viewed him as innocent, and folk legend claimed that everyone who testified against him was therefore cursed.
Aftermath
The plot made John III fear a new Dacke Feud, and caused a mistrust and conflict with the clergy in February 1577, when he sharply criticized the clergy during a meeting with them. In parallel to this, admiral Bengt Bagge was executed for un-connected suspected treason in Stockholm in 1577, contributing to the political tension.
It is estimated, that these events influenced the restrictions of John III against the imprisoned Eric XIV, the orders that Eric was to be killed if anyone attempted to free him, and the death of Eric in February 1577.
See also
1569 Plot
Mornay Plot
References
1576 in Europe
Rebellions in Sweden
1576 in Sweden
Attempted coups d'état in Europe
1576 in Christianity
16th century in Sweden
16th-century coups d'état
Conspiracies
Swedish Reformation
|
The seventh season of the reality television series Love & Hip Hop: New York aired on VH1 from November 21, 2016 until February 27, 2017. The show was primarily filmed in New York City, New York. It was executively produced by Mona Scott-Young and Stephanie R. Gayle for Monami Entertainment, Toby Barraud, Stefan Springman, Mala Chapple, David DiGangi, and Josh Richards for Eastern TV, and Nina L. Diaz and Vivian Gomez for VH1.
The series chronicles the lives of several women and men in the New York area, involved in hip hop music. It consists of 16 episodes, including a two-part reunion special hosted by Nina Parker.
Production
On November 14, 2016, VH1 announced that Love & Hip Hop would be returning for a seventh season on November 21, 2016.
Kimbella Vanderhee returned as a series regular after being absent from the show since the second season. Bianca Bonnie was promoted to the main cast, along with The Wire star Felicia "Snoop" Pearson. After a controversial storyline last season involving their duelling pregnancies, Tara and Amina were phased out of the show, appearing only as supporting cast members. One of the season's leading storylines was the violent feud between Yandy and Mendeecees' baby mamas Samantha Wallace and Erika DeShazo, as they battle for custody over Mendeecees' children. Samantha and Erika would join the supporting cast, along with Samantha's mother Kim Wallace and Mendeecees' mother Judy Harris. The season's supporting cast, the largest in the show's history so far, would also include Juelz Santana, Juju C., fiancée of Cam'ron, Snoop's girlfriend J. Adrienne, radio personality DJ Drewski and his girlfriend Sky Landish, Cardi's sister Hennessy Carolina and producer Swift Star. Singers Sofi Green and Major Galore, Rich's daughter Ashley Trowers, his girlfriend Jade Wifey and Swift's girlfriend Asia Cole appeared in minor supporting roles. Love & Hip Hop: Hollywood star Moniece Slaughter made a special crossover appearance in two episodes.
On December 30, 2016, Cardi B announced she was leaving the show to focus on her rap career.
Synopsis
With her husband Mendeecees in jail, Yandy finds herself in a custody battle with his baby mamas Samantha and Erika over their children. Kimbella struggles to move forward from Juelz's past infidelities and trust him again as he embarks on a career comeback. Cardi's fame has reached new heights but her attraction to her producer Swift creates new dramas. Bianca links up with old flame DJ Drewski, igniting a feud with his girlfriend Sky. The creep squad is torn apart after Self and Cisco get into a contract war over Mariahlynn. Snoop and her girlfriend J Adrienne come to blows over J's intense jealousy. Remy's career is better than ever but she is starting to feel the pressure from Papoose to expand their family.
Cast
Starring
Yandy Smith-Harris (15 episodes)
Kimbella Vanderhee (12 episodes)
Cardi B (14 episodes)
Bianca Bonnie (12 episodes)
Mariahlynn (14 episodes)
Felicia "Snoop" Pearson (13 episodes)
Remy Ma (10 episodes)
Also starring
Hennessy Carolina (9 episodes)
Rich Dollaz (14 episodes)
DJ Self (13 episodes)
Cisco Rosado (11 episodes)
Samantha Wallace (11 episodes)
Juelz Santana (11 episodes)
J. Adrienne (13 episodes)
Swift Star (7 episodes)
Papoose (9 episodes)
DJ Drewski (10 episodes)
Sofi Green (4 episodes)
Sky Landish (10 episodes)
Kim Wallace (7 episodes)
Erika DeShazo (12 episodes)
Judy Harris (8 episodes)
Asia Davies (3 episodes)
Ashley Trowers (4 episodes)
Jade Wifey (3 episodes)
Juju C. (10 episodes)
Moniece Slaughter (2 episodes)
Peter Gunz (9 episodes)
Tara Wallace (5 episodes)
Major Galore (5 episodes)
Amina Buddafly (3 episodes)
Nef Harris, Dejanae Mackie, Jace Smith, Miracle Kaye Hall, Jewel Escobar, Shaft, Irene Mackie, Whitney Pankey and Cory Gunz appear as guest stars in several episodes. Mendeecees Harris appears via phone call conversations with Yandy, as he was incarcerated during filming. The show also features minor appearances from notable figures within the hip hop industry and New York's social scene, including Fat Joe, French Montana, Sisterhood of Hip Hops Nyemiah Supreme, Cam'ron, Vado, Method Man, Lil Durk, Noreaga, Konshens, Red Café and Michael K. Williams.
The show features cameo appearances from the cast's children, including Kimbella and Juelz' children Leandro, Juelz and Bella James, Mendeeces's children Lil Mendeecees, Aasim, Omere and Skylar Harris, and Peter's children Jamison, Kaz, Cori, Gunner and Bronx Pankey. James R. appears in an uncredited cameo appearance, he would join the supporting cast in season eight.
Episodes
Webisodes
Check Yourself
Love & Hip Hop New York: Check Yourself, which features the cast's reactions to each episode, was released weekly with every episode on digital platforms.
Bonus scenes
Deleted scenes from the season's episodes were released weekly as bonus content on VH1's official website.
Music
Several cast members had their music featured on the show and released singles to coincide with the airing of the episodes.
References
External links
2016 American television seasons
2017 American television seasons
Love & Hip Hop
|
Tecno Camon 15 Air, Tecno Camon 15, Tecno Camon 15 Pro and Tecno Camon 15 Premier are Android-based smartphones manufactured, released and marketed by the Chinese brand Tecno Mobile as part of Tecno Camon 15 series. The device were unveiled during an online event held on 2 April 2020 due to the COVID-19 pandemic as successors to Tecno Camon 12 series. It is the seventh generation of Tecno's Camon Series of smartphones.
The Camon 15 Air, Camon 15, Camon 15 Pro and Camon 15 Premier are the upgraded versions of Camon 12 series, coming with different features, including the OS, storage, camera, display and battery capacity. The phones have received generally favorable reviews, with critics mostly noting the better camera setup and bigger battery. Critics, however, still criticize the lack of fast charging and missing USB Type-C port.
Specifications
Hardware
The Camon 15 Air and Camon 15 feature a 720p resolution display with a 20:9 aspect ratio, while the Camon 15 Pro and Camon 15 Premier feature a 1080p resolution display with a 19.5:9 aspect ratio. All the Camon 15 series, features a display size of 6.6-inches; the Camon 15 Air and Camon 15 have IPS Dot-in display, making it the first Tecno device to come with a dot in-display front camera (punch hole) and a front LED flashlight, while the Camon 15 Pro and Camon 15 Premier feature a FHD+ display without the usual notches, making it the first Tecno device to feature such. Camon 15 Air and Camon 15 come with a MediaTek Helio P22 SoC, Camon 15 Pro comes with MediaTek Helio P35, while Camon 15 Premier comes with MediaTek W Helio P35. The Camon 15 Air comes with 3 GB of RAM, the Camon 15 comes with 4 GB of RAM, while the Camon 15 Pro and Camon 15 Premier both come with 6 GB of RAM. Camon 15 Air and Camon 15 both come with 64 GB storage, while Camon 15 Pro and Camon 15 Premier come with 128 GB storage. Camon 15 Air and Camon 15 feature the ability to use a microSD card to expand the storage to a maximum of 256 GB, while Camon 15 Pro and Camon 15 Premier can be expanded to 512 GB. The Camon 15 Air and Camon 15 come with the battery capacities of 5000 mAh, while the Camon 15 Pro and Camon 15 Premier come with the battery capacity of 4000 mAh. The cameras on the Camon 15 series improve considerably over its predecessors. The Camon 12 is equipped with three rear sensors whilst the Camon 15 has four rear sensors. The Camon 15 series comes with an LED flash and AI scene detection. The Camon 15 Pro and Camon 15 Premier come with a pop-up selfie camera, making them the first Tecno devices to come with such.
Software
All the devices ship with Android 10 with a new HiOS 6.0, unlike the versions found on Camon 12 series. The HiOS 6.0 features a system-wide Dark Theme, Social Turbo and Game mode.
Reception
Dolapo Iyunade from TechCity gave the Camon 15 a score of 3.8/5, stating that the device has good battery life and large display, however, she complained of the missing USB Type-C port, but opined that it still makes for a good device.
Busayo Omotimehin from Phones Corridor praised the Camon 15 Premier design, display, battery and camera, but wished that the device had a USB Type-C port and super-fast charger out of the box.
Kenn Abuya from Techweez gave a positive review of the Camon 15, noting that the screen is big enough for consuming media content and browsing, he went further to state that the camera is a notable improvement from the Camon 12 by sheer numbers, while praising the battery capacity, but noted that the charging speed is slow due to lack of fast charging technology.
Meenu Rana from The Mobile Indian praised the Camon 15 Pro as one of the best-designed smartphones from Tecno, stressing that the camera looks impressive. He went further to express his concerns, noting that the software needs improvements.
Chetan Nayak from Boy Genius Report gave a positive review of Camon 15 Pro, stating that the device come with unique features and compromises, he went further to praise the device's pop-up camera, stressing that the device has a decent camera performance and good looks and many software-backed features. He criticized the lack of a USB Type-C port.
References
Android (operating system) devices
Tecno smartphones
Mobile phones introduced in 2020
|
```php
<?php
declare(strict_types=1);
/**
*/
namespace OCA\Testing\Listener;
use OCP\EventDispatcher\Event;
use OCP\EventDispatcher\IEventListener;
use OCP\IConfig;
use OCP\Settings\Events\DeclarativeSettingsGetValueEvent;
/**
* @template-implements IEventListener<DeclarativeSettingsGetValueEvent>
*/
class GetDeclarativeSettingsValueListener implements IEventListener {
public function __construct(private IConfig $config) {
}
public function handle(Event $event): void {
if (!$event instanceof DeclarativeSettingsGetValueEvent) {
return;
}
if ($event->getApp() !== 'testing') {
return;
}
$value = $this->config->getUserValue($event->getUser()->getUID(), $event->getApp(), $event->getFieldId());
$event->setValue($value);
}
}
```
|
```smalltalk
/*
This file is part of the iText (R) project.
Authors: Apryse Software.
This program is offered under a commercial and under the AGPL license.
For commercial licensing, contact us at path_to_url For AGPL licensing, see below.
AGPL licensing:
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
*/
using System;
using System.Collections.Generic;
using iText.StyledXmlParser.Css;
using iText.StyledXmlParser.Css.Selector;
using iText.StyledXmlParser.Css.Util;
namespace iText.StyledXmlParser.Css.Page {
/// <summary>
/// <see cref="iText.StyledXmlParser.Css.CssNestedAtRule"/>
/// implementation for page rules.
/// </summary>
public class CssPageRule : CssNestedAtRule {
/// <summary>The page selectors.</summary>
private IList<ICssSelector> pageSelectors;
/// <summary>
/// Creates a new
/// <see cref="CssPageRule"/>
/// instance.
/// </summary>
/// <param name="ruleParameters">the rule parameters</param>
public CssPageRule(String ruleParameters)
: base(CssRuleName.PAGE, ruleParameters) {
pageSelectors = new List<ICssSelector>();
String[] selectors = iText.Commons.Utils.StringUtil.Split(ruleParameters, ",");
for (int i = 0; i < selectors.Length; i++) {
selectors[i] = CssUtils.RemoveDoubleSpacesAndTrim(selectors[i]);
}
foreach (String currentSelectorStr in selectors) {
pageSelectors.Add(new CssPageSelector(currentSelectorStr));
}
}
/* (non-Javadoc)
* @see com.itextpdf.styledxmlparser.css.CssNestedAtRule#addBodyCssDeclarations(java.util.List)
*/
public override void AddBodyCssDeclarations(IList<CssDeclaration> cssDeclarations) {
// TODO DEVSIX-6364 Fix the body declarations duplication for each pageSelector part
// Due to this for-loop, on toString method call for the CssPageRule instance
// all the body declarations will be duplicated for each pageSelector part.
// This potentially could lead to a nasty behaviour when declarations will double
// for each read-write iteration of the same css-file (however, this use case seems
// to be unlikely to happen).
// Possible solution would be to split single page rule with compound selector into
// several page rules with simple selectors on addition of the page rule to it's parent.
//
// Also, the same concerns this method implementation in CssMarginRule class.
//
// See CssStyleSheetParserTest#test11 test.
foreach (ICssSelector pageSelector in pageSelectors) {
this.body.Add(new CssNonStandardRuleSet(pageSelector, cssDeclarations));
}
}
/* (non-Javadoc)
* @see com.itextpdf.styledxmlparser.css.CssNestedAtRule#addStatementToBody(com.itextpdf.styledxmlparser.css.CssStatement)
*/
public override void AddStatementToBody(CssStatement statement) {
if (statement is CssMarginRule) {
((CssMarginRule)statement).SetPageSelectors(pageSelectors);
}
this.body.Add(statement);
}
/* (non-Javadoc)
* @see com.itextpdf.styledxmlparser.css.CssNestedAtRule#addStatementsToBody(java.util.Collection)
*/
public override void AddStatementsToBody(ICollection<CssStatement> statements) {
foreach (CssStatement statement in statements) {
AddStatementToBody(statement);
}
}
}
}
```
|
Switchblade Honey is a 2003 72-page science fiction graphic novel written by Warren Ellis and drawn by Brandon McKinney, published by AiT/Planet Lar.
Overview
Ellis got the idea for Switchblade Honey while watching Star Trek: Voyager, and commenting on how he preferred Patrick Stewart to Kate Mulgrew. He then had an entertaining thought:
"They should get Ray Winstone as captain."
He realized that modern TV science fiction tended to whitewash its characters, and using the actor as the archetype, came up with a foul-mouthed, chain-smoking, hard-drinking starship captain – John Ryder. McKinney agreed to draw the book, and the result was Switchblade Honey.
Plot
In the 23rd century, humanity is a multi-stellar nation embroiled in a hopeless war with the Chasta, an advanced species. John Ryder, an abrasive yet brilliant and noble starship captain, faces execution for refusing to destroy an ally starship as part of an involuntary kamikaze tactic. He has been given a chance to put his skills to use one last time, by leading a Dirty Dozen-like crew in a long-term guerrilla war against the Chasta.
References
External links
2003 graphic novels
2003 comics debuts
AiT/Planet Lar titles
American graphic novels
Comics by Warren Ellis
Fictional astronauts
Science fiction comics
Black comedy comics
|
Ernest Spiteri-Gonzi (born 21 October 1955) is a retired footballer who played as a striker. Born in England, he played for the Malta national team.
Club career
During his club career, Spiteri-Gonzi played for Hibernians. He twice became Maltese top goalscorer, in the 1980–81 and 1981–82 seasons. He was also voted Maltese Player of the Year in the 1981–82 season.
International career
Spieri-Gonzi has played for Malta and has earned a total of 20 caps, scoring 3 goals. He has represented his country in 4 FIFA World Cup qualification matches. On 18 March 1979, in a match against Turkey, he scored the first Maltese international goal in 17 years.
References
External links
1955 births
Living people
Footballers from Aldershot
People with acquired Maltese citizenship
Maltese men's footballers
Malta men's international footballers
Men's association football forwards
Hibernians F.C. players
|
Hezekiah Woodward (1590–1675) was an English nonconformist minister and educator, who was involved in the pamphlet wars of the 1640s. He was a Comenian in educational theory, and an associate of Samuel Hartlib. He was one of those articulating the Puritan argument against the celebration of Christmas.
Life
In the early 1640s he was a preacher at Aldermanbury in London. At this period he was linked with John Milton, as authors in "the frequent printing of scandalous Books by divers". He was officially examined about his writings at the end of December 1644, being released after two days, and having acknowledged authorship of some work or works, thought to have included the anonymous As You Were. Milton either was not pulled in, or was quickly allowed to go.
Then, at St Michael's Church, Bray, he was an Independent minister, but was ejected in 1662, after the English Restoration of 1660. Subsequently he was in Uxbridge, one of the founders of the Old Meeting Congregational Church there.
Writings
He engaged Thomas Edwards, a major writer on the Presbyterian side. Woodward supported Katherine Chidley against Edwards.
As You Were: or a reducing (1644) was published anonymously, and in support of John Goodwin. It was a reply to Faces About, attributed to George Gillespie. Gillespie hit back in Wholesome Severity, from the Presbyterian side.
On education, he advanced the argument that the current grammar schools lacked provision for the most elementary schooling, to the detriment of the quality of the latter. His A Light to Grammar (1641) makes the case for education based on stimulation; A Gate to Science favoured realism and intelligibility in textbooks.
Parents, in his view, delegated too much of a child's upbringing to teachers. He wrote about his own schooling, in A Childes Patrimony (1640), and Portion (1649).
Family
His daughter Frances married John Oxenbridge. His daughter Sarah married Daniel Henchman (c.1627-1685), a founder of Worcester, Massachusetts.
References
C. B. Freeman, A Puritan Educator: Hezekiah Woodward and His "Childes Patrimony", British Journal of Educational Studies, Vol. 9, No. 2 (May, 1961), pp. 132–142
Notes
1590 births
1675 deaths
Ejected English ministers of 1662
17th-century English educators
|
```go
package murmur3
import (
"fmt"
"hash"
"testing"
)
var data = []struct {
h32 uint32
h64_1 uint64
h64_2 uint64
s string
}{
{0x00000000, 0x0000000000000000, 0x0000000000000000, ""},
{0x248bfa47, 0xcbd8a7b341bd9b02, 0x5b1e906a48ae1d19, "hello"},
{0x149bbb7f, 0x342fac623a5ebc8e, 0x4cdcbc079642414d, "hello, world"},
{0xe31e8a70, 0xb89e5988b737affc, 0x664fc2950231b2cb, "19 Jan 2038 at 3:14:07 AM"},
{0xd5c48bfc, 0xcd99481f9ee902c9, 0x695da1a38987b6e7, "The quick brown fox jumps over the lazy dog."},
}
func TestRef(t *testing.T) {
for _, elem := range data {
var h32 hash.Hash32 = New32()
h32.Write([]byte(elem.s))
if v := h32.Sum32(); v != elem.h32 {
t.Errorf("'%s': 0x%x (want 0x%x)", elem.s, v, elem.h32)
}
var h32_byte hash.Hash32 = New32()
h32_byte.Write([]byte(elem.s))
target := fmt.Sprintf("%08x", elem.h32)
if p := fmt.Sprintf("%x", h32_byte.Sum(nil)); p != target {
t.Errorf("'%s': %s (want %s)", elem.s, p, target)
}
if v := Sum32([]byte(elem.s)); v != elem.h32 {
t.Errorf("'%s': 0x%x (want 0x%x)", elem.s, v, elem.h32)
}
var h64 hash.Hash64 = New64()
h64.Write([]byte(elem.s))
if v := h64.Sum64(); v != elem.h64_1 {
t.Errorf("'%s': 0x%x (want 0x%x)", elem.s, v, elem.h64_1)
}
var h64_byte hash.Hash64 = New64()
h64_byte.Write([]byte(elem.s))
target = fmt.Sprintf("%016x", elem.h64_1)
if p := fmt.Sprintf("%x", h64_byte.Sum(nil)); p != target {
t.Errorf("'%s': %s (want %s)", elem.s, p, target)
}
if v := Sum64([]byte(elem.s)); v != elem.h64_1 {
t.Errorf("'%s': 0x%x (want 0x%x)", elem.s, v, elem.h64_1)
}
var h128 Hash128 = New128()
h128.Write([]byte(elem.s))
if v1, v2 := h128.Sum128(); v1 != elem.h64_1 || v2 != elem.h64_2 {
t.Errorf("'%s': 0x%x-0x%x (want 0x%x-0x%x)", elem.s, v1, v2, elem.h64_1, elem.h64_2)
}
var h128_byte Hash128 = New128()
h128_byte.Write([]byte(elem.s))
target = fmt.Sprintf("%016x%016x", elem.h64_1, elem.h64_2)
if p := fmt.Sprintf("%x", h128_byte.Sum(nil)); p != target {
t.Errorf("'%s': %s (want %s)", elem.s, p, target)
}
if v1, v2 := Sum128([]byte(elem.s)); v1 != elem.h64_1 || v2 != elem.h64_2 {
t.Errorf("'%s': 0x%x-0x%x (want 0x%x-0x%x)", elem.s, v1, v2, elem.h64_1, elem.h64_2)
}
}
}
func TestIncremental(t *testing.T) {
for _, elem := range data {
h32 := New32()
h128 := New128()
for i, j, k := 0, 0, len(elem.s); i < k; i = j {
j = 2*i + 3
if j > k {
j = k
}
s := elem.s[i:j]
print(s + "|")
h32.Write([]byte(s))
h128.Write([]byte(s))
}
println()
if v := h32.Sum32(); v != elem.h32 {
t.Errorf("'%s': 0x%x (want 0x%x)", elem.s, v, elem.h32)
}
if v1, v2 := h128.Sum128(); v1 != elem.h64_1 || v2 != elem.h64_2 {
t.Errorf("'%s': 0x%x-0x%x (want 0x%x-0x%x)", elem.s, v1, v2, elem.h64_1, elem.h64_2)
}
}
}
//---
func bench32(b *testing.B, length int) {
buf := make([]byte, length)
b.SetBytes(int64(length))
b.ResetTimer()
for i := 0; i < b.N; i++ {
Sum32(buf)
}
}
func Benchmark32_1(b *testing.B) {
bench32(b, 1)
}
func Benchmark32_2(b *testing.B) {
bench32(b, 2)
}
func Benchmark32_4(b *testing.B) {
bench32(b, 4)
}
func Benchmark32_8(b *testing.B) {
bench32(b, 8)
}
func Benchmark32_16(b *testing.B) {
bench32(b, 16)
}
func Benchmark32_32(b *testing.B) {
bench32(b, 32)
}
func Benchmark32_64(b *testing.B) {
bench32(b, 64)
}
func Benchmark32_128(b *testing.B) {
bench32(b, 128)
}
func Benchmark32_256(b *testing.B) {
bench32(b, 256)
}
func Benchmark32_512(b *testing.B) {
bench32(b, 512)
}
func Benchmark32_1024(b *testing.B) {
bench32(b, 1024)
}
func Benchmark32_2048(b *testing.B) {
bench32(b, 2048)
}
func Benchmark32_4096(b *testing.B) {
bench32(b, 4096)
}
func Benchmark32_8192(b *testing.B) {
bench32(b, 8192)
}
//---
func benchPartial32(b *testing.B, length int) {
buf := make([]byte, length)
b.SetBytes(int64(length))
start := (32 / 8) / 2
chunks := 7
k := length / chunks
tail := (length - start) % k
b.ResetTimer()
for i := 0; i < b.N; i++ {
hasher := New32()
hasher.Write(buf[0:start])
for j := start; j+k <= length; j += k {
hasher.Write(buf[j : j+k])
}
hasher.Write(buf[length-tail:])
hasher.Sum32()
}
}
func BenchmarkPartial32_8(b *testing.B) {
benchPartial32(b, 8)
}
func BenchmarkPartial32_16(b *testing.B) {
benchPartial32(b, 16)
}
func BenchmarkPartial32_32(b *testing.B) {
benchPartial32(b, 32)
}
func BenchmarkPartial32_64(b *testing.B) {
benchPartial32(b, 64)
}
func BenchmarkPartial32_128(b *testing.B) {
benchPartial32(b, 128)
}
//---
func bench128(b *testing.B, length int) {
buf := make([]byte, length)
b.SetBytes(int64(length))
b.ResetTimer()
for i := 0; i < b.N; i++ {
Sum128(buf)
}
}
func Benchmark128_1(b *testing.B) {
bench128(b, 1)
}
func Benchmark128_2(b *testing.B) {
bench128(b, 2)
}
func Benchmark128_4(b *testing.B) {
bench128(b, 4)
}
func Benchmark128_8(b *testing.B) {
bench128(b, 8)
}
func Benchmark128_16(b *testing.B) {
bench128(b, 16)
}
func Benchmark128_32(b *testing.B) {
bench128(b, 32)
}
func Benchmark128_64(b *testing.B) {
bench128(b, 64)
}
func Benchmark128_128(b *testing.B) {
bench128(b, 128)
}
func Benchmark128_256(b *testing.B) {
bench128(b, 256)
}
func Benchmark128_512(b *testing.B) {
bench128(b, 512)
}
func Benchmark128_1024(b *testing.B) {
bench128(b, 1024)
}
func Benchmark128_2048(b *testing.B) {
bench128(b, 2048)
}
func Benchmark128_4096(b *testing.B) {
bench128(b, 4096)
}
func Benchmark128_8192(b *testing.B) {
bench128(b, 8192)
}
//---
```
|
```vue
<template>
<input :value="checkedValue" :checked="checked" @change="handleChange" type="checkbox" />
</template>
<script setup>
import { useField } from 'vee-validate';
const props = defineProps({
name: String,
checkedValue: String,
});
// The `name` is returned in a function because we want to make sure it stays reactive
// If the name changes you want `useField` to be able to pick it up
const { handleChange, checked } = useField(() => props.name, undefined, {
type: 'checkbox',
checkedValue: props.checkedValue,
});
</script>
```
|
```java
/*
* one or more contributor license agreements. See the NOTICE file distributed
* with this work for additional information regarding copyright ownership.
*/
package io.camunda.zeebe.engine.state.migration.to_8_3;
import io.camunda.zeebe.engine.state.immutable.ProcessingState;
import io.camunda.zeebe.engine.state.migration.MigrationTask;
import io.camunda.zeebe.engine.state.mutable.MutableProcessingState;
import io.camunda.zeebe.protocol.ZbColumnFamilies;
public final class MultiTenancyDecisionStateMigration implements MigrationTask {
@Override
public String getIdentifier() {
return getClass().getSimpleName();
}
@Override
public boolean needsToRun(final ProcessingState processingState) {
return hasDeployedDecisionsInDeprecatedCF(processingState);
}
@Override
public void runMigration(final MutableProcessingState processingState) {
final var migrationState = processingState.getMigrationState();
migrationState.migrateDecisionStateForMultiTenancy();
}
private static boolean hasDeployedDecisionsInDeprecatedCF(final ProcessingState processingState) {
return !processingState.isEmpty(ZbColumnFamilies.DEPRECATED_DMN_DECISION_REQUIREMENTS);
}
}
```
|
Jerash ( Ǧaraš; ; , ) is a city in northern Jordan. The city is the administrative center of the Jerash Governorate, and has a population of 50,745 as of 2015. It is located north of the capital city Amman.
The earliest evidence of settlement in Jerash is in a Neolithic site known as Tal Abu Sowan, where rare human remains dating to around 7500 BC were uncovered. Jerash flourished during the Greek, Hellenistic, Roman, and Byzantine periods until the mid-eighth century CE, when the 749 Galilee earthquake destroyed large parts of it, while subsequent earthquakes contributed to additional destruction. However, in the year 1120, Zahir ad-Din Toghtekin, atabeg of Damascus ordered a garrison of forty men to build up a fort in an unknown site of the ruins of the ancient city, likely the highest spot of the city walls in the north-eastern hills. It was captured in 1121 by Baldwin II, King of Jerusalem, and utterly destroyed. Then, the Crusaders immediately abandoned Jerash and withdrew to Sakib (Seecip); the eastern border of the settlement.
Jerash was then deserted until it reappeared in the historical record at the beginning of Ottoman rule in the area during the early 16th century. In the census of 1596, it had a population of 12 Muslim households. However, archaeologists found a small Mamluk hamlet in the Northwest Quarter which indicates that Jerash was resettled before the Ottoman era. The excavations conducted since 2011 have shed light on the Middle Islamic period as recent discoveries have uncovered a large concentration of Middle Islamic/Mamluk structures and pottery. The ancient city has been gradually revealed through a series of excavations which commenced in 1925, and continue to this day.
Jerash today is home to one of the best preserved Greco-Roman cities, which earned it the nickname "Pompeii of the Middle East". Approximately 330,000 visitors arrived in Jerash in 2018, making it one of the most visited sites in Jordan. The city hosts the Jerash Festival, one of the leading cultural events in the Middle East that attracts tens of thousands of visitors every year.
History
Neolithic age
Archaeologists have found ruins of settlements dating back to the Neolithic Age. Moreover, in August 2015, an archaeological excavation team from the University of Jordan unearthed two human skulls that date back to the Neolithic period (7500–5500 BC) at a site in Jerash, which forms solid evidence of inhabitance of Jordan in that period especially with the existence of 'Ain Ghazal Neolithic settlement in Amman. The importance of the discovery lies in the rarity of the skulls, as archaeologists estimate that a maximum of 12 sites across the world contain similar human remains.
Bronze age
Evidence of settlements dating to the Bronze Age (3200–1200 BC) have been found in the region.
Hellenistic period
Jerash is the site of the ruins of the Greek city of Gerasa, also referred to as Antioch on the Golden River.
Ancient Greek inscriptions from the city support that the city was founded by Alexander the Great and his general Perdiccas, who allegedly settled aged Macedonian soldiers there during the spring of 331 BC, when he left Egypt and crossed Syria on route to Mesopotamia. However, other sources, namely the city's former name of "Antioch on the Chrysorrhoas, point to a founding by Seleucid King Antioch IV, while still others attribute the founding to Ptolemy II of Egypt.
In the early 80s BC Hasmonean king Alexander Jannaeus besieged and conquered Gerasa, incorporating it into the Kingdom of Judea. Archeological findings indicate that public buildings in Gerasa may have been destroyed during that period.
Roman period
With the Roman conquest of the area in 63 BCE, the short-lived Jewish rule of Gerasa came to an end. Pompey attached the city to the Decapolis, a league of Hellenistic cities that enjoyed considerable autonomy under Roman protection. The historian Josephus mentions the city as being principally inhabited by Syrians, and also having a small Jewish community. During the First Jewish–Roman War, Gerasa was among the few non-Jewish cities in the region not to kill or imprison its Jewish residents, and its residents even escorted any Jews who wanted to leave to the border.
Jerash was the birthplace of the mathematician Nicomachus of Gerasa () (). It has been proposed to identify it as Geresh, a place mentioned by Josephus as the birthplace of Jewish Zealot leader Simon bar Giora, but other scholars identify it with modern-day Jurish.
In the second half of the 1st century AD, the city of Jerash achieved great prosperity. In AD 106, Jerash was absorbed into the Roman province of Arabia, which included the cities of Philadelphia (modern day Amman), Petra and Bostra. The Romans ensured security and peace in this area, which enabled its people to devote their efforts and time to economic development and encouraged civic building activity. Emperor Trajan constructed roads throughout the province, and more trade came to Jerash. Emperor Hadrian visited Jerash in AD 129–130, and the triumphal arch known as the Arch of Hadrian was built to celebrate this occasion.
Byzantine period
The city finally reached a size of about within its walls. Beneath the foundations of a Byzantine church that was built in Jerash in AD 530 there was discovered a mosaic floor with ancient Greek and Hebrew-Aramaic inscriptions. The presence of the Hebrew-Aramaic script has led scholars to think that the place was formerly a synagogue, before being converted into a church. Jerash was invaded by the Persian Sassanids in AD 614.
Few years later, the Byzantine army was defeated in the Battle of the Yarmuk by the invading Muslim forces and these territories became part of the Rashidun Caliphate.
Early Muslim period
The city flourished during the Umayyad Caliphate. It had numerous shops and issued coins with the mint named "Jerash" in Arabic. It was also a center for ceramic manufacture; molded ceramic lamps had Arabic inscriptions that showed the potter's name and Jerash as the place of manufacture. The large mosque and several churches that continued to be used as places of worship, indicated that during the Umayyad period Jerash had a sizable Muslim community that co-existed with the Christians. In CE 749, a devastating earthquake destroyed much of Jerash and its surroundings.
Crusader period
In the early 12th century a fortress was built by a garrison stationed in the area by the Zahir ad-Din Toghtekin, atabeg of Damascus. Baldwin II, King of Jerusalem, captured and burned the fortress in 1121–1122 CE. Although the site of the fortification has often been identified with the ruins of the temple of Artemis, there is no evidence of the creation of a fortification in the temple in the 12th century. The location of this fort is probably to be found at the highest point of the city walls, in the north-eastern hills.
Mid to Late Muslim period
Small settlements continued in Jerash during the Mamluk Sultanate, and Ottoman periods. This occurred particularly in the Northwest Quarter and around the Temple of Zeus, where several Islamic Mamluk domestic structures have now been excavated.
In 1596, during the Ottoman era, Jerash was noted in the census as Jaras, being located in the nahiya of Bani Ilwan in the liwa of Ajloun. It had a population of 12 Muslim households. They paid a fixed tax-rate of 25% on various agricultural products, including wheat, barley, olive trees/fruit trees, goats and beehives, in addition to occasional revenues and a press for olive oil/grape syrup; a total of 6,000 akçe.
In 1838 Jerash was noted as a ruin.
Climate
Jerash has a hot-summer Mediterranean climate (Köppen climate classification Csa).
Archaeology
Jerash is considered one of the largest and most well-preserved sites of Greek and Roman architecture in the world outside Italy. And is sometimes misleadingly referred to as the "Pompeii of the Middle East" or of Asia, referring to its size, extent of excavation and level of preservation. One of the first to explore the site of Jerash in the 19th century was Prince Abamelek. Excavation and restoration of Jerash has been almost continuous since the 1920s.
Greco-Roman period
Remains in the Greco-Roman Gerasa include:
The unique oval plaza, which is surrounded by a fine Ionic colonnade
The two large sanctuaries dedicated to Artemis and Zeus with their well preserved temples
Two theatres (the South Theatre and the North Theatre)
The long colonnaded street or cardo and its side streets or decumani
The two tetrapyla of Jerash, one at the intersection of northern-decumanus and cardo maximus and the other at the intersection of southern-Decumanus and cardo maximus
The Hadrian's Arch
The circus/hippodrome
Two major thermae (communal baths complexes)
A large nymphaeum fed by an aqueduct
A beautiful macellum or porticoed market
A trapezoidal plaza delimited by two open-exedra buildings
An almost complete circuit of city walls
Two large bridges across the nearby river
An extramural sanctuary with large pools and a small theatre.
Most of these monuments were built by donations of the city's wealthy citizens.
The south theatre has a focus in the center of the pit in front of the stage, marked by a distinct stone, and from which normal speaking can be heard easily throughout the auditorium.
In 2018, at least 14 marble sculptures were discovered in the excavation of the Eastern Baths of Gerasa, including images of Aphrodite and Zeus.
Late Roman and Early Byzantine period
A large Christian community lived in Jerash. A large cathedral was built in the city in the 4th century, the first of at least 14 churches built between the 4th and the 7th-century, many with superb mosaic floors.
The supposed sawmill of Gerasa is well described in the Visitors Centre. The use of water power to saw wood or stone is well known in the Roman world: the invention occurred in the 3rd century BC. They converted the rotary movement from the mill into a linear motion using a crankshaft; good examples are known also from Hierapolis and Ephesus.
Early Muslim period
Rashidun Mosque
Umayyad Mosques
Umayyad Houses
Jarash, view of archaeological site from south west
Archaeological museums
The archaeological site of Jerash has two museums in which are displayed archaeological materials and corresponding information about the site and its rich history. The Jerash Archaeological Museum, which is the older of the two museums, is found on top of the mound known as "Camp Hill" just east of the Cardo and overlooking the Oval Plaza. The small museum contains a chronological display of artifacts found in and around Jerash from prehistoric to Islamic times. The museum displays a unique group of small statues of a group identified as the Muses of the Olympic pantheon which were discovered at Jerash in 2016. The statues, which are Roman in date, were found in a fragmentary condition and have been partially restored. The museum also contains a well-preserved lead sarcophagus dated to the late 4th to 5th centuries and features Christian and pagan symbolism. The museum also has a number of sculptures, altars, and mosaics displayed outside.
The Jerash Visitor Center serves as a more recent archaeological museum, and presents the site of Jerash in a thematic approach with a focus on the evolution and development of the city of Jerash over time, as well as economy, technology, religion, and daily life. The center also displays further sculptures discovered in Jerash in 2016, including restored statues of Zeus and Aphrodite, as well as a marble head thought to represent the Roman Empress Julia Domna.
Modern Jerash
Jerash has developed dramatically in the last century with the growing importance of the tourism industry in the city. Jerash is now the second-most popular tourist attraction in Jordan, closely behind the ruins of Petra. On the western side of the city, which contained most of the representative buildings, the ruins have been carefully preserved and spared from encroachment, with the modern city sprawling to the east of the river which once divided ancient Jerash in two.
Territorial expansion
Recently the city of Jerash has expanded to include many of the surrounding areas.
Demographics
Jerash has an ethnically diverse population. The vast majority are Arabs, though the population includes small numbers of Kurds, Circassians and Armenians. A majority is Muslim.
Jerash became a destination for many successive waves of foreign migrants. In 1885, the Ottoman authorities directed the Circassian immigrants who were mainly of peasant stock to settle in Jerash, and distributed arable land among them. The new immigrants have been welcomed by the local people. Later, Jerash also witnessed waves of Palestinian refugees who flowed to the region in 1948 and 1967. The Palestinian refugees settled in two camps; Souf camp near the town of Souf and Gaza (Jerash) camp at Al Ḩaddādah village.
The Jordanian census of 1961 found 3,796 inhabitants in Jerash, of whom 270 were Christians.
According to the Jordan national census of 2004, the population of the city was 31,650 and was ranked as the 14th largest municipality in Jordan. According to the last national census in 2015, the population of the city was 50,745, while the population of the governorate was 237,059.
Culture and entertainment
Since 1981, the old city of Jerash has hosted the Jerash Festival of Culture and Arts, a three-week-long summer program of dance, music, and theatrical performances. The festival is frequently attended by members of the royal family of Jordan and is hailed as one of the largest cultural activities in the region.
In addition performances of the Roman Army and Chariot Experience (RACE) were started at the hippodrome in Jerash. The show runs twice daily, at 11 am and at 2 pm, and at 10 am on Fridays, except Tuesdays. It features forty-five legionaries in full armor in a display of Roman army drill and battle tactics, ten gladiators fighting "to the death" and several Roman chariots competing in a classical seven-lap race around the ancient hippodrome.
Economy
Jerash's economy largely depends on commerce and tourism. Jerash is also a main source of the highly educated and skilled workforce in Jordan. The location of the city, being just half an hour ride from the largest three cities in Jordan (Amman, Zarqa and Irbid), makes Jerash a good business location.
Education
Jerash has two universities: Jerash Private University and Philadelphia University.
Tourism
The number of tourists who visited the ancient city of Jerash reached 214,000 during 2005. The number of non-Jordanian tourists was 182,000 last year, and the sum of entry charges reached JD900,000. The Jerash Festival of Culture and Arts is an annual celebration of Arabic and international culture during the summer months. Jerash is located 48 km north of the capital city of Amman. The festival site is located within the ancient ruins of Jerash, some of which date to the Roman age (63 BC). The Jerash Festival is a festival which features poetry recitals, theatrical performances, concerts and other forms of art. In 2008, authorities launched the Jordan Festival, a nationwide theme-oriented event under which the Jerash Festival became a component. However, the government revived the Jerash Festival as the "substitute (Jordan Festival) proved to be not up to the message intended from the festival."
Gallery
See also
Exorcism of the Gerasene demoniac
Jerash Cathedral
Scythopolis (Beth-Shean)
Temple of Artemis, Jerash
References
Bibliography
(p. 462)
External links
Photos of Jerash from the American Center of Research
Photos of Jerash from the Manar al-Athar photo archive
Archaeological sites in Jordan
Decapolis
Former populated places in Southwest Asia
Populated places in Jerash Governorate
Roman towns and cities in Jordan
1910 establishments in the Ottoman Empire
|
Smedovac is a village in the municipality of Negotin, Serbia. According to the 2002 census, the village has a population of 163 people.
References
Populated places in Bor District
|
```python
"""distutils.command.config
Implements the Distutils 'config' command, a (mostly) empty command class
that exists mainly to be sub-classed by specific module distributions and
applications. The idea is that while every "config" command is different,
at least they're all named the same, and users always see "config" in the
list of standard commands. Also, this is a good place to put common
configure-like tasks: "try to compile this C code", or "figure out where
this header file lives".
"""
from __future__ import annotations
import os
import pathlib
import re
from collections.abc import Sequence
from distutils._log import log
from ..core import Command
from ..errors import DistutilsExecError
from ..sysconfig import customize_compiler
LANG_EXT = {"c": ".c", "c++": ".cxx"}
class config(Command):
description = "prepare to build"
user_options = [
('compiler=', None, "specify the compiler type"),
('cc=', None, "specify the compiler executable"),
('include-dirs=', 'I', "list of directories to search for header files"),
('define=', 'D', "C preprocessor macros to define"),
('undef=', 'U', "C preprocessor macros to undefine"),
('libraries=', 'l', "external C libraries to link with"),
('library-dirs=', 'L', "directories to search for external C libraries"),
('noisy', None, "show every action (compile, link, run, ...) taken"),
(
'dump-source',
None,
"dump generated source files before attempting to compile them",
),
]
# The three standard command methods: since the "config" command
# does nothing by default, these are empty.
def initialize_options(self):
self.compiler = None
self.cc = None
self.include_dirs = None
self.libraries = None
self.library_dirs = None
# maximal output for now
self.noisy = 1
self.dump_source = 1
# list of temporary files generated along-the-way that we have
# to clean at some point
self.temp_files = []
def finalize_options(self):
if self.include_dirs is None:
self.include_dirs = self.distribution.include_dirs or []
elif isinstance(self.include_dirs, str):
self.include_dirs = self.include_dirs.split(os.pathsep)
if self.libraries is None:
self.libraries = []
elif isinstance(self.libraries, str):
self.libraries = [self.libraries]
if self.library_dirs is None:
self.library_dirs = []
elif isinstance(self.library_dirs, str):
self.library_dirs = self.library_dirs.split(os.pathsep)
def run(self):
pass
# Utility methods for actual "config" commands. The interfaces are
# loosely based on Autoconf macros of similar names. Sub-classes
# may use these freely.
def _check_compiler(self):
"""Check that 'self.compiler' really is a CCompiler object;
if not, make it one.
"""
# We do this late, and only on-demand, because this is an expensive
# import.
from ..ccompiler import CCompiler, new_compiler
if not isinstance(self.compiler, CCompiler):
self.compiler = new_compiler(
compiler=self.compiler, dry_run=self.dry_run, force=True
)
customize_compiler(self.compiler)
if self.include_dirs:
self.compiler.set_include_dirs(self.include_dirs)
if self.libraries:
self.compiler.set_libraries(self.libraries)
if self.library_dirs:
self.compiler.set_library_dirs(self.library_dirs)
def _gen_temp_sourcefile(self, body, headers, lang):
filename = "_configtest" + LANG_EXT[lang]
with open(filename, "w", encoding='utf-8') as file:
if headers:
for header in headers:
file.write(f"#include <{header}>\n")
file.write("\n")
file.write(body)
if body[-1] != "\n":
file.write("\n")
return filename
def _preprocess(self, body, headers, include_dirs, lang):
src = self._gen_temp_sourcefile(body, headers, lang)
out = "_configtest.i"
self.temp_files.extend([src, out])
self.compiler.preprocess(src, out, include_dirs=include_dirs)
return (src, out)
def _compile(self, body, headers, include_dirs, lang):
src = self._gen_temp_sourcefile(body, headers, lang)
if self.dump_source:
dump_file(src, f"compiling '{src}':")
(obj,) = self.compiler.object_filenames([src])
self.temp_files.extend([src, obj])
self.compiler.compile([src], include_dirs=include_dirs)
return (src, obj)
def _link(self, body, headers, include_dirs, libraries, library_dirs, lang):
(src, obj) = self._compile(body, headers, include_dirs, lang)
prog = os.path.splitext(os.path.basename(src))[0]
self.compiler.link_executable(
[obj],
prog,
libraries=libraries,
library_dirs=library_dirs,
target_lang=lang,
)
if self.compiler.exe_extension is not None:
prog = prog + self.compiler.exe_extension
self.temp_files.append(prog)
return (src, obj, prog)
def _clean(self, *filenames):
if not filenames:
filenames = self.temp_files
self.temp_files = []
log.info("removing: %s", ' '.join(filenames))
for filename in filenames:
try:
os.remove(filename)
except OSError:
pass
# XXX these ignore the dry-run flag: what to do, what to do? even if
# you want a dry-run build, you still need some sort of configuration
# info. My inclination is to make it up to the real config command to
# consult 'dry_run', and assume a default (minimal) configuration if
# true. The problem with trying to do it here is that you'd have to
# return either true or false from all the 'try' methods, neither of
# which is correct.
# XXX need access to the header search path and maybe default macros.
def try_cpp(self, body=None, headers=None, include_dirs=None, lang="c"):
"""Construct a source file from 'body' (a string containing lines
of C/C++ code) and 'headers' (a list of header files to include)
and run it through the preprocessor. Return true if the
preprocessor succeeded, false if there were any errors.
('body' probably isn't of much use, but what the heck.)
"""
from ..ccompiler import CompileError
self._check_compiler()
ok = True
try:
self._preprocess(body, headers, include_dirs, lang)
except CompileError:
ok = False
self._clean()
return ok
def search_cpp(self, pattern, body=None, headers=None, include_dirs=None, lang="c"):
"""Construct a source file (just like 'try_cpp()'), run it through
the preprocessor, and return true if any line of the output matches
'pattern'. 'pattern' should either be a compiled regex object or a
string containing a regex. If both 'body' and 'headers' are None,
preprocesses an empty file -- which can be useful to determine the
symbols the preprocessor and compiler set by default.
"""
self._check_compiler()
src, out = self._preprocess(body, headers, include_dirs, lang)
if isinstance(pattern, str):
pattern = re.compile(pattern)
with open(out, encoding='utf-8') as file:
match = any(pattern.search(line) for line in file)
self._clean()
return match
def try_compile(self, body, headers=None, include_dirs=None, lang="c"):
"""Try to compile a source file built from 'body' and 'headers'.
Return true on success, false otherwise.
"""
from ..ccompiler import CompileError
self._check_compiler()
try:
self._compile(body, headers, include_dirs, lang)
ok = True
except CompileError:
ok = False
log.info(ok and "success!" or "failure.")
self._clean()
return ok
def try_link(
self,
body,
headers=None,
include_dirs=None,
libraries=None,
library_dirs=None,
lang="c",
):
"""Try to compile and link a source file, built from 'body' and
'headers', to executable form. Return true on success, false
otherwise.
"""
from ..ccompiler import CompileError, LinkError
self._check_compiler()
try:
self._link(body, headers, include_dirs, libraries, library_dirs, lang)
ok = True
except (CompileError, LinkError):
ok = False
log.info(ok and "success!" or "failure.")
self._clean()
return ok
def try_run(
self,
body,
headers=None,
include_dirs=None,
libraries=None,
library_dirs=None,
lang="c",
):
"""Try to compile, link to an executable, and run a program
built from 'body' and 'headers'. Return true on success, false
otherwise.
"""
from ..ccompiler import CompileError, LinkError
self._check_compiler()
try:
src, obj, exe = self._link(
body, headers, include_dirs, libraries, library_dirs, lang
)
self.spawn([exe])
ok = True
except (CompileError, LinkError, DistutilsExecError):
ok = False
log.info(ok and "success!" or "failure.")
self._clean()
return ok
# -- High-level methods --------------------------------------------
# (these are the ones that are actually likely to be useful
# when implementing a real-world config command!)
def check_func(
self,
func,
headers=None,
include_dirs=None,
libraries=None,
library_dirs=None,
decl=False,
call=False,
):
"""Determine if function 'func' is available by constructing a
source file that refers to 'func', and compiles and links it.
If everything succeeds, returns true; otherwise returns false.
The constructed source file starts out by including the header
files listed in 'headers'. If 'decl' is true, it then declares
'func' (as "int func()"); you probably shouldn't supply 'headers'
and set 'decl' true in the same call, or you might get errors about
a conflicting declarations for 'func'. Finally, the constructed
'main()' function either references 'func' or (if 'call' is true)
calls it. 'libraries' and 'library_dirs' are used when
linking.
"""
self._check_compiler()
body = []
if decl:
body.append(f"int {func} ();")
body.append("int main () {")
if call:
body.append(f" {func}();")
else:
body.append(f" {func};")
body.append("}")
body = "\n".join(body) + "\n"
return self.try_link(body, headers, include_dirs, libraries, library_dirs)
def check_lib(
self,
library,
library_dirs=None,
headers=None,
include_dirs=None,
other_libraries: Sequence[str] = [],
):
"""Determine if 'library' is available to be linked against,
without actually checking that any particular symbols are provided
by it. 'headers' will be used in constructing the source file to
be compiled, but the only effect of this is to check if all the
header files listed are available. Any libraries listed in
'other_libraries' will be included in the link, in case 'library'
has symbols that depend on other libraries.
"""
self._check_compiler()
return self.try_link(
"int main (void) { }",
headers,
include_dirs,
[library] + list(other_libraries),
library_dirs,
)
def check_header(self, header, include_dirs=None, library_dirs=None, lang="c"):
"""Determine if the system header file named by 'header_file'
exists and can be found by the preprocessor; return true if so,
false otherwise.
"""
return self.try_cpp(
body="/* No body */", headers=[header], include_dirs=include_dirs
)
def dump_file(filename, head=None):
"""Dumps a file content into log.info.
If head is not None, will be dumped before the file content.
"""
if head is None:
log.info('%s', filename)
else:
log.info(head)
log.info(pathlib.Path(filename).read_text(encoding='utf-8'))
```
|
```c
*
* Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to
* deal in the Software without restriction, including without limitation the
* rights to use, copy, modify, merge, publish, distribute, sublicense, and/or
* sell copies of the Software, and to permit persons to whom the Software is
* furnished to do so, subject to the following conditions:
*
* The above copyright notice and this permission notice shall be included in
* all copies or substantial portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
* FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS
* IN THE SOFTWARE.
*/
#include "task.h"
#include "uv.h"
#define NUM_TIMERS (10 * 1000 * 1000)
static int timer_cb_called;
static int close_cb_called;
static void timer_cb(uv_timer_t* handle) {
timer_cb_called++;
}
static void close_cb(uv_handle_t* handle) {
close_cb_called++;
}
BENCHMARK_IMPL(million_timers) {
uv_timer_t* timers;
uv_loop_t* loop;
uint64_t before_all;
uint64_t before_run;
uint64_t after_run;
uint64_t after_all;
int timeout;
int i;
timers = malloc(NUM_TIMERS * sizeof(timers[0]));
ASSERT(timers != NULL);
loop = uv_default_loop();
timeout = 0;
before_all = uv_hrtime();
for (i = 0; i < NUM_TIMERS; i++) {
if (i % 1000 == 0) timeout++;
ASSERT(0 == uv_timer_init(loop, timers + i));
ASSERT(0 == uv_timer_start(timers + i, timer_cb, timeout, 0));
}
before_run = uv_hrtime();
ASSERT(0 == uv_run(loop, UV_RUN_DEFAULT));
after_run = uv_hrtime();
for (i = 0; i < NUM_TIMERS; i++)
uv_close((uv_handle_t*) (timers + i), close_cb);
ASSERT(0 == uv_run(loop, UV_RUN_DEFAULT));
after_all = uv_hrtime();
ASSERT(timer_cb_called == NUM_TIMERS);
ASSERT(close_cb_called == NUM_TIMERS);
free(timers);
fprintf(stderr, "%.2f seconds total\n", (after_all - before_all) / 1e9);
fprintf(stderr, "%.2f seconds init\n", (before_run - before_all) / 1e9);
fprintf(stderr, "%.2f seconds dispatch\n", (after_run - before_run) / 1e9);
fprintf(stderr, "%.2f seconds cleanup\n", (after_all - after_run) / 1e9);
fflush(stderr);
MAKE_VALGRIND_HAPPY();
return 0;
}
```
|
```c++
//////////////////////////////////////////////////////////////////////////////
//
// LICENSE_1_0.txt or copy at path_to_url
//
// See path_to_url for documentation.
//
//////////////////////////////////////////////////////////////////////////////
#ifndef BOOST_CONTAINER_DETAIL_IS_SORTED_HPP
#define BOOST_CONTAINER_DETAIL_IS_SORTED_HPP
#ifndef BOOST_CONFIG_HPP
# include <boost/config.hpp>
#endif
#if defined(BOOST_HAS_PRAGMA_ONCE)
# pragma once
#endif
namespace boost {
namespace container {
namespace container_detail {
template <class ForwardIterator, class Pred>
bool is_sorted (ForwardIterator first, ForwardIterator last, Pred pred)
{
if(first != last){
ForwardIterator next = first;
while (++next != last){
if(pred(*next, *first))
return false;
++first;
}
}
return true;
}
template <class ForwardIterator, class Pred>
bool is_sorted_and_unique (ForwardIterator first, ForwardIterator last, Pred pred)
{
if(first != last){
ForwardIterator next = first;
while (++next != last){
if(!pred(*first, *next))
return false;
++first;
}
}
return true;
}
} //namespace container_detail {
} //namespace container {
} //namespace boost {
#endif //#ifndef BOOST_CONTAINER_DETAIL_IS_SORTED_HPP
```
|
```ruby
require_relative '../../spec_helper'
require_relative 'fixtures/classes'
describe "Numeric#<=>" do
before :each do
@obj = NumericSpecs::Subclass.new
end
it "returns 0 if self equals other" do
(@obj <=> @obj).should == 0
end
it "returns nil if self does not equal other" do
(@obj <=> NumericSpecs::Subclass.new).should == nil
(@obj <=> 10).should == nil
(@obj <=> -3.5).should == nil
(@obj <=> bignum_value).should == nil
end
describe "with subclasses of Numeric" do
before :each do
@a = NumericSpecs::Comparison.new
@b = NumericSpecs::Comparison.new
ScratchPad.clear
end
it "is called when instances are compared with #<" do
(@a < @b).should be_false
ScratchPad.recorded.should == :numeric_comparison
end
it "is called when instances are compared with #<=" do
(@a <= @b).should be_false
ScratchPad.recorded.should == :numeric_comparison
end
it "is called when instances are compared with #>" do
(@a > @b).should be_true
ScratchPad.recorded.should == :numeric_comparison
end
it "is called when instances are compared with #>=" do
(@a >= @b).should be_true
ScratchPad.recorded.should == :numeric_comparison
end
end
end
```
|
Mitsuru Nishikawa (西川 満, Nishikawa Mitsuru; 1908 February 12 – 1999 February 24) was a writer and literary figure during the Japanese rule in Taiwan.
Born in Aizuwakamatsu City, Fukushima Prefecture, Japan, he moved to Taiwan with his family during his childhood and returned to Japan for college. He returned to Taiwan shortly after graduation. When he was a senior in high school, Mitsuru Nishikawa established the poetry society Mori Poetry Society (杜の詩人社), starting to produce poetry collections. Later, he embarked on his writing career and received multiple literary awards.
In addition to writing, Nishikawa was also active in newspaper editing and literary communities. He was an editor and head of the arts and literature department at the Taiwan Daily Newspaper. He also edited the Taiwan Book Lovers' Association's official magazine Love Books (愛書) and organized the Taiwan Poet Association and Taiwan Literary Arts Association, founding magazines such as Formosa (華麗島) and Bungei Taiwan (文藝臺灣). In April 1946, a year after Japan's defeat, Mitsuru Nishikawa was repatriated to Japan.
Activities
Returning to Taiwan after graduating from university, Nishikawa made extensive use of Taiwanese folklore material in his modern poetry. His collection of poems, Mazu Festival (媽祖祭), employed a variety of montage techniques, using Taiwanese vocabulary and Buddhist stories. Drawing on folk beliefs and legendary tales, Nishikawa developed prose poems rich in fantasy, garnering reviews from many scholars and poets. The birth of his eldest son, Jun Nishikawa (西川潤), and his focus on folklore inspired him to write fairy tales. He also adapted the history of Taiwan into novels. His representative work Chihkan Record (赤嵌記) won the Taiwan Literary Award in the first Taiwan Literature Awards. Towards the end of the war, Mitsuru Nishikawa wrote mainly about national politics, in line with the war efforts and policies of the Empire of Japan.
Reference
People from Aizuwakamatsu
Japanese expatriates in Taiwan
Waseda University alumni
Taiwanese poets
Taiwanese novelists
|
```smalltalk
using System;
using System.Collections;
using System.Collections.Generic;
using System.Diagnostics.CodeAnalysis;
using System.Management.Automation;
using System.Management.Automation.Internal;
using System.Text;
namespace Microsoft.PowerShell.Commands.Internal.Format
{
/// <summary>
/// Normalized parameter class to be constructed from the command line parameters
/// using the metadata information provided by an instance of CommandParameterDefinition
/// it's basically the hash table with the normalized values.
/// </summary>
internal class MshParameter
{
internal Hashtable hash = null;
internal object GetEntry(string key)
{
if (this.hash.ContainsKey(key))
return this.hash[key];
return AutomationNull.Value;
}
}
internal class NameEntryDefinition : HashtableEntryDefinition
{
internal const string NameEntryKey = "name";
internal NameEntryDefinition()
: base(NameEntryKey, new string[] { FormatParameterDefinitionKeys.LabelEntryKey }, new Type[] { typeof(string) }, false)
{
}
}
/// <summary>
/// Metadata base class for hashtable entry definitions
/// it contains the key name and the allowable types
/// it also provides hooks for type expansion.
/// </summary>
internal class HashtableEntryDefinition
{
internal HashtableEntryDefinition(string name, IEnumerable<string> secondaryNames, Type[] types, bool mandatory)
: this(name, types, mandatory)
{
SecondaryNames = secondaryNames;
}
internal HashtableEntryDefinition(string name, Type[] types, bool mandatory)
{
KeyName = name;
AllowedTypes = types;
Mandatory = mandatory;
}
internal HashtableEntryDefinition(string name, Type[] types)
: this(name, types, false)
{
}
internal virtual Hashtable CreateHashtableFromSingleType(object val)
{
// NOTE: must override for the default type(s) entry
// this entry will have to expand the object into a hash table
throw PSTraceSource.NewNotSupportedException();
}
internal bool IsKeyMatch(string key)
{
if (CommandParameterDefinition.FindPartialMatch(key, this.KeyName))
{
return true;
}
if (this.SecondaryNames != null)
{
foreach (string secondaryKey in this.SecondaryNames)
{
if (CommandParameterDefinition.FindPartialMatch(key, secondaryKey))
{
return true;
}
}
}
return false;
}
internal virtual object Verify(object val,
TerminatingErrorContext invocationContext,
bool originalParameterWasHashTable)
{
return null;
}
internal virtual object ComputeDefaultValue()
{
return AutomationNull.Value;
}
internal string KeyName { get; }
internal Type[] AllowedTypes { get; }
internal bool Mandatory { get; }
internal IEnumerable<string> SecondaryNames { get; }
}
/// <summary>
/// Metadata abstract base class to contain hash entries definitions.
/// </summary>
internal abstract class CommandParameterDefinition
{
[SuppressMessage("Microsoft.Usage", "CA2214:DoNotCallOverridableMethodsInConstructors")]
internal CommandParameterDefinition()
{
SetEntries();
}
protected abstract void SetEntries();
internal virtual MshParameter CreateInstance() { return new MshParameter(); }
/// <summary>
/// For a key name, verify it is a legal entry:
/// 1. it must match (partial match allowed)
/// 2. it must be unambiguous (if partial match)
/// If an error condition occurs, an exception will be thrown.
/// </summary>
/// <param name="keyName">Key to verify.</param>
/// <param name="invocationContext">Invocation context for error reporting.</param>
/// <returns>Matching hash table entry.</returns>
/// <exception cref="ArgumentException"></exception>
internal HashtableEntryDefinition MatchEntry(string keyName, TerminatingErrorContext invocationContext)
{
if (string.IsNullOrEmpty(keyName))
PSTraceSource.NewArgumentNullException(nameof(keyName));
HashtableEntryDefinition matchingEntry = null;
for (int k = 0; k < this.hashEntries.Count; k++)
{
if (this.hashEntries[k].IsKeyMatch(keyName))
{
// we have a match
if (matchingEntry == null)
{
// this is the first match, we save the entry
// and we keep going for ambiguity check
matchingEntry = this.hashEntries[k];
}
else
{
// we already had a match, we have an ambiguous key
ProcessAmbiguousKey(invocationContext, keyName, matchingEntry, this.hashEntries[k]);
}
}
}
if (matchingEntry != null)
{
// we found an unambiguous match
return matchingEntry;
}
// we did not have a match
ProcessIllegalKey(invocationContext, keyName);
return null;
}
internal static bool FindPartialMatch(string key, string normalizedKey)
{
if (key.Length < normalizedKey.Length)
{
// shorter, could be an abbreviation
if (key.AsSpan().Equals(normalizedKey.AsSpan(0, key.Length), StringComparison.OrdinalIgnoreCase))
{
// found abbreviation
return true;
}
}
if (string.Equals(key, normalizedKey, StringComparison.OrdinalIgnoreCase))
{
// found full match
return true;
}
return false;
}
#region Error Processing
private static void ProcessAmbiguousKey(TerminatingErrorContext invocationContext,
string keyName,
HashtableEntryDefinition matchingEntry,
HashtableEntryDefinition currentEntry)
{
string msg = StringUtil.Format(FormatAndOut_MshParameter.AmbiguousKeyError,
keyName, matchingEntry.KeyName, currentEntry.KeyName);
ParameterProcessor.ThrowParameterBindingException(invocationContext, "DictionaryKeyAmbiguous", msg);
}
private static void ProcessIllegalKey(TerminatingErrorContext invocationContext,
string keyName)
{
string msg = StringUtil.Format(FormatAndOut_MshParameter.IllegalKeyError, keyName);
ParameterProcessor.ThrowParameterBindingException(invocationContext, "DictionaryKeyIllegal", msg);
}
#endregion
internal List<HashtableEntryDefinition> hashEntries = new List<HashtableEntryDefinition>();
}
/// <summary>
/// Engine to process a generic object[] from the command line and
/// generate a list of MshParameter objects , given the metadata provided by
/// a class derived from CommandParameterDefinition.
/// </summary>
internal sealed class ParameterProcessor
{
#region tracer
[TraceSource("ParameterProcessor", "ParameterProcessor")]
internal static readonly PSTraceSource tracer = PSTraceSource.GetTracer("ParameterProcessor", "ParameterProcessor");
#endregion tracer
internal static void ThrowParameterBindingException(TerminatingErrorContext invocationContext,
string errorId,
string msg)
{
ErrorRecord errorRecord = new ErrorRecord(
new NotSupportedException(),
errorId,
ErrorCategory.InvalidArgument,
null);
errorRecord.ErrorDetails = new ErrorDetails(msg);
invocationContext.ThrowTerminatingError(errorRecord);
}
internal ParameterProcessor(CommandParameterDefinition p)
{
_paramDef = p;
}
/// <exception cref="ArgumentException"></exception>
internal List<MshParameter> ProcessParameters(object[] p, TerminatingErrorContext invocationContext)
{
if (p == null || p.Length == 0)
return null;
List<MshParameter> retVal = new List<MshParameter>();
MshParameter currParam;
bool originalParameterWasHashTable = false;
for (int k = 0; k < p.Length; k++)
{
// we always copy into a fresh hash table
currParam = _paramDef.CreateInstance();
var actualObject = PSObject.Base(p[k]);
if (actualObject is IDictionary)
{
originalParameterWasHashTable = true;
currParam.hash = VerifyHashTable((IDictionary)actualObject, invocationContext);
}
else if ((actualObject != null) && MatchesAllowedTypes(actualObject.GetType(), _paramDef.hashEntries[0].AllowedTypes))
{
// a simple type was specified, build a hash with one entry
currParam.hash = _paramDef.hashEntries[0].CreateHashtableFromSingleType(actualObject);
}
else
{
// unknown type, error
// provide error message (the user did not enter a hash table)
ProcessUnknownParameterType(invocationContext, actualObject, _paramDef.hashEntries[0].AllowedTypes);
}
// value range validation and post processing on the hash table
VerifyAndNormalizeParameter(currParam, invocationContext, originalParameterWasHashTable);
retVal.Add(currParam);
}
return retVal;
}
private static bool MatchesAllowedTypes(Type t, Type[] allowedTypes)
{
for (int k = 0; k < allowedTypes.Length; k++)
{
if (allowedTypes[k].IsAssignableFrom(t))
return true;
}
return false;
}
/// <exception cref="ArgumentException"></exception>
private Hashtable VerifyHashTable(IDictionary hash, TerminatingErrorContext invocationContext)
{
// full blown hash, need to:
// 1. verify names(keys) and expand names if there are partial matches
// 2. verify value types
Hashtable retVal = new Hashtable();
foreach (DictionaryEntry e in hash)
{
if (e.Key == null)
{
ProcessNullHashTableKey(invocationContext);
}
string currentStringKey = e.Key as string;
if (currentStringKey == null)
{
ProcessNonStringHashTableKey(invocationContext, e.Key);
}
// find a match for the key
HashtableEntryDefinition def = _paramDef.MatchEntry(currentStringKey, invocationContext);
if (retVal.Contains(def.KeyName))
{
// duplicate key error
ProcessDuplicateHashTableKey(invocationContext, currentStringKey, def.KeyName);
}
// now the key is verified, need to check the type
bool matchType = false;
if (def.AllowedTypes == null || def.AllowedTypes.Length == 0)
{
// we match on any type, it will be up to the entry to further check
matchType = true;
}
else
{
for (int t = 0; t < def.AllowedTypes.Length; t++)
{
if (e.Value == null)
{
ProcessMissingKeyValue(invocationContext, currentStringKey);
}
if (def.AllowedTypes[t].IsAssignableFrom(e.Value.GetType()))
{
matchType = true;
break;
}
}
}
if (!matchType)
{
// bad type error
ProcessIllegalHashTableKeyValue(invocationContext, currentStringKey, e.Value.GetType(), def.AllowedTypes);
}
retVal.Add(def.KeyName, e.Value);
}
return retVal;
}
/// <exception cref="ArgumentException"></exception>
private void VerifyAndNormalizeParameter(MshParameter parameter,
TerminatingErrorContext invocationContext,
bool originalParameterWasHashTable)
{
for (int k = 0; k < _paramDef.hashEntries.Count; k++)
{
if (parameter.hash.ContainsKey(_paramDef.hashEntries[k].KeyName))
{
// we have a key, just do some post processing normalization
// retrieve the value
object val = parameter.hash[_paramDef.hashEntries[k].KeyName];
object newVal = _paramDef.hashEntries[k].Verify(val, invocationContext, originalParameterWasHashTable);
if (newVal != null)
{
// if a new value is provided, we need to update the hash entry
parameter.hash[_paramDef.hashEntries[k].KeyName] = newVal;
}
}
else
{
// we do not have the key, we might want to have a default value
object defaultValue = _paramDef.hashEntries[k].ComputeDefaultValue();
if (defaultValue != AutomationNull.Value)
{
// we have a default value, add it
parameter.hash[_paramDef.hashEntries[k].KeyName] = defaultValue;
}
else if (_paramDef.hashEntries[k].Mandatory)
{
// no default value and mandatory: we cannot proceed
ProcessMissingMandatoryKey(invocationContext, _paramDef.hashEntries[k].KeyName);
}
}
}
}
#region Error Processing
private static void ProcessUnknownParameterType(TerminatingErrorContext invocationContext, object actualObject, Type[] allowedTypes)
{
string allowedTypesList = CatenateTypeArray(allowedTypes);
string msg;
if (actualObject != null)
{
msg = StringUtil.Format(FormatAndOut_MshParameter.UnknownParameterTypeError,
actualObject.GetType().FullName, allowedTypesList);
}
else
{
msg = StringUtil.Format(FormatAndOut_MshParameter.NullParameterTypeError,
allowedTypesList);
}
ParameterProcessor.ThrowParameterBindingException(invocationContext, "DictionaryKeyUnknownType", msg);
}
private static void ProcessDuplicateHashTableKey(TerminatingErrorContext invocationContext, string duplicateKey, string existingKey)
{
string msg = StringUtil.Format(FormatAndOut_MshParameter.DuplicateKeyError,
duplicateKey, existingKey);
ParameterProcessor.ThrowParameterBindingException(invocationContext, "DictionaryKeyDuplicate", msg);
}
private static void ProcessNullHashTableKey(TerminatingErrorContext invocationContext)
{
string msg = StringUtil.Format(FormatAndOut_MshParameter.DictionaryKeyNullError);
ParameterProcessor.ThrowParameterBindingException(invocationContext, "DictionaryKeyNull", msg);
}
private static void ProcessNonStringHashTableKey(TerminatingErrorContext invocationContext, object key)
{
string msg = StringUtil.Format(FormatAndOut_MshParameter.DictionaryKeyNonStringError, key.GetType().Name);
ParameterProcessor.ThrowParameterBindingException(invocationContext, "DictionaryKeyNonString", msg);
}
private static void ProcessIllegalHashTableKeyValue(TerminatingErrorContext invocationContext, string key, Type actualType, Type[] allowedTypes)
{
string msg;
string errorID;
if (allowedTypes.Length > 1)
{
string legalTypes = CatenateTypeArray(allowedTypes);
msg = StringUtil.Format(FormatAndOut_MshParameter.IllegalTypeMultiError,
key,
actualType.FullName,
legalTypes
);
errorID = "DictionaryKeyIllegalValue1";
}
else
{
msg = StringUtil.Format(FormatAndOut_MshParameter.IllegalTypeSingleError,
key,
actualType.FullName,
allowedTypes[0]
);
errorID = "DictionaryKeyIllegalValue2";
}
ParameterProcessor.ThrowParameterBindingException(invocationContext, errorID, msg);
}
private static void ProcessMissingKeyValue(TerminatingErrorContext invocationContext, string keyName)
{
string msg = StringUtil.Format(FormatAndOut_MshParameter.MissingKeyValueError, keyName);
ParameterProcessor.ThrowParameterBindingException(invocationContext, "DictionaryKeyMissingValue", msg);
}
private static void ProcessMissingMandatoryKey(TerminatingErrorContext invocationContext, string keyName)
{
string msg = StringUtil.Format(FormatAndOut_MshParameter.MissingKeyMandatoryEntryError, keyName);
ParameterProcessor.ThrowParameterBindingException(invocationContext, "DictionaryKeyMandatoryEntry", msg);
}
#endregion
#region Utilities
private static string CatenateTypeArray(Type[] arr)
{
string[] strings = new string[arr.Length];
for (int k = 0; k < arr.Length; k++)
{
strings[k] = arr[k].FullName;
}
return CatenateStringArray(strings);
}
internal static string CatenateStringArray(string[] arr)
{
StringBuilder sb = new StringBuilder();
sb.Append('{');
for (int k = 0; k < arr.Length; k++)
{
if (k > 0)
{
sb.Append(", ");
}
sb.Append(arr[k]);
}
sb.Append('}');
return sb.ToString();
}
#endregion
private readonly CommandParameterDefinition _paramDef = null;
}
}
```
|
```java
/*
* or more contributor license agreements. See the NOTICE file
* distributed with this work for additional information
* regarding copyright ownership. The ASF licenses this file
*
* path_to_url
*
* Unless required by applicable law or agreed to in writing, software
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
*/
package org.apache.beam.sdk.io.csv;
import org.apache.beam.sdk.util.SerializableUtils;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.junit.runners.JUnit4;
/** Tests for {@link CsvIOReadFiles}. */
@RunWith(JUnit4.class)
public class CsvIOReadFilesTest {
@Test
public void isSerializable() {
SerializableUtils.ensureSerializable(CsvIOReadFiles.class);
}
}
```
|
The burning of Cork () by British forces took place on the night of 11–12 December 1920, during the Irish War of Independence. It followed an Irish Republican Army (IRA) ambush of a British Auxiliary patrol in the city, which wounded twelve Auxiliaries, one fatally. In retaliation, the Auxiliaries, Black and Tans and British soldiers burned homes near the ambush site, before looting and burning numerous buildings in the centre of Cork, Ireland's third-biggest city. Many Irish civilians reported being beaten, shot at, and robbed by British forces. Firefighters testified that British forces hindered their attempts to tackle the blazes by intimidation, cutting their hoses and shooting at them. Two unarmed IRA volunteers were also shot dead at their home in the north of the city.
More than 40 business premises, 300 residential properties, the City Hall and Carnegie Library were destroyed by fires, many of which were started by incendiary bombs. The economic damage was estimated at over £3 million (equivalent to €155 million in 2019), while 2,000 were left jobless and many more became homeless.
British forces carried out many similar reprisals on Irish civilians during the war, notably the Sack of Balbriggan three months before, but the burning of Cork was one of the most substantial. The British government at first denied that its forces had started the fires, and only agreed to hold a military inquiry. This concluded that a company of Auxiliaries were responsible, but the government refused to publish the report at the time. No one was held accountable for the burning.
Background
The Irish War of Independence began in 1919, following the declaration of an Irish Republic and founding of its parliament, Dáil Éireann. The Irish Republican Army (IRA), waged guerrilla warfare against British forces: the British Army and the Royal Irish Constabulary (RIC). In response, the RIC began recruiting reinforcements from Britain, mostly unemployed former soldiers who fought in the First World War. Some were recruited into the RIC as regular police constables who became known as "Black and Tans". Other former army officers were recruited into the new Auxiliary Division, a counter-insurgency unit of the RIC.
The Auxiliaries and the "Black and Tans" became infamous for carrying out numerous reprisals for IRA attacks, which included extrajudicial killings and burning property. In March 1920, the republican Lord Mayor of Cork, Tomás Mac Curtain, was shot dead at his home by police with blackened faces. In reprisal for an IRA attack in Balbriggan on 20 September 1920, "Black and Tans" burnt more than fifty homes and businesses in the village and killed two local republicans in their custody. This drew international attention and became known as the Sack of Balbriggan. Two days later, following the Rineen ambush in which six RIC officers were killed, police burnt many homes in the surrounding villages and killed five civilians. Several other villages suffered similar reprisals over the following months. IRA intelligence officer Florence O'Donoghue said the subsequent burning and looting of Cork was "not an isolated incident, but rather the large-scale application of a policy initiated and approved, implicitly or explicitly, by the British government".
County Cork was an epicentre of the war. On 23 November 1920, a non-uniformed "Black and Tan" threw a grenade into a group of IRA volunteers who had just left a brigade meeting on St Patrick's Street, Cork's main street. Three IRA volunteers of the 1st Cork Brigade were killed: Paddy Trahey, Patrick Donohue and Seamus Mehigan. The New York Times reported that sixteen people were injured.
On 28 November 1920, the IRA's 3rd Cork Brigade ambushed an Auxiliary patrol at Kilmichael, killing 17 Auxiliaries; the biggest loss of life for the British in the war. On 10 December, the British authorities declared martial law in counties Cork (including the city), Kerry, Limerick, and Tipperary. It imposed a military curfew on Cork city, which began at 10 pm each night. IRA volunteer Seán Healy recalled that "at least 1,000 troops would pour out of Victoria Barracks at this hour and take over complete control of the city".
Ambush at Dillon's Cross
IRA intelligence established that an Auxiliary patrol usually left Victoria Barracks (in the north of the city) each night at 8 pm and made its way to the city centre via Dillon's Cross. On 11 December, IRA commander Seán O'Donoghue received intelligence that two lorries of Auxiliaries would be leaving the barracks that night and travelling with them would be British Army Intelligence Corps Captain James Kelly.
That evening, a unit of six IRA volunteers commanded by O'Donoghue took up position between the barracks and Dillon's Cross. Their goal was to destroy the patrol and capture or kill Captain Kelly. Five of the volunteers hid behind a stone wall while one, Michael Kenny, stood across the road dressed as an off-duty British officer. When the lorries neared he was to beckon the driver of the first lorry to slow down or stop. The ambush position was a "couple of hundred yards" from the barracks.
At 8 pm, two lorries each carrying 13 Auxiliaries emerged from the barracks. The first lorry slowed when the driver spotted Kenny and, as it did so, the IRA unit attacked with grenades and revolvers. The official British report said that 12 Auxiliaries were wounded and that one, Spencer Chapman—a former Officer in the 4th Battalion London Regiment (Royal Fusiliers)—died from his wounds shortly after. As the IRA unit made its escape, some of the Auxiliaries fired on them while others dragged the wounded to the nearest cover: O'Sullivan's pub.
The Auxiliaries broke into the pub with weapons drawn. They ordered everyone to put their hands over their heads to be searched. Backup and an ambulance were sent from the nearby barracks. One witness described young men being rounded up and forced to lie on the ground. The Auxiliaries dragged one of them to the middle of the crossroads, stripped him naked and forced him to sing "God Save the King" until he collapsed on the road.
Burning and looting
Angered by an attack so near their headquarters and seeking retribution for the deaths of their colleagues at Kilmichael, the Auxiliaries gathered to wreak their revenge. Charles Schulze, an Auxiliary and a former British Army Captain in the Dorsetshire Regiment during the First World War, organized a group of Auxiliaries to burn the centre of Cork.
At 9:30 pm, lorries of Auxiliaries and British soldiers left the barracks and alighted at Dillon's Cross, where they broke into houses and herded the occupants on to the street. They then set the houses on fire and stood guard as they were razed to the ground. Those who tried to intervene were fired upon and some were badly beaten. Seven buildings were set alight at the crossroads. When one was found to be owned by Protestants, the Auxiliaries quickly doused the fire.
British forces began driving around the city firing at random, as people rushed to get home before the 10 pm curfew. A group of armed and uniformed Auxiliaries surrounded a tram at Summerhill, smashed its windows, and forced all the passengers out. Some of the passengers (including at least three women) were repeatedly kicked, hit with rifle butts, threatened, and verbally abused. The Auxiliaries then forced the passengers to line-up against a wall and searched them, while continuing the physical and verbal abuse. Some had their money and belongings stolen. One of those attacked was a Catholic priest, who was singled out for sectarian abuse. Another tram was set on fire near Father Mathew's statue. Meanwhile, witnesses reported seeing a group of 14–18 Black and Tans firing wildly for upwards of 20 minutes on nearby MacCurtain Street.
Soon after, witnesses reported groups of armed men on and around St Patrick's Street, the city's main shopping area. Most were uniformed or partially-uniformed Auxiliaries and some were British soldiers, while others wore no uniforms. They were seen firing into the air, smashing shop windows and setting buildings alight. Many reported hearing bombs exploding. A group of Auxiliaries were seen throwing a bomb into the ground floor of the Munster Arcade, which housed both shops and flats. It exploded under the residential quarters while people were inside the building. They managed to escape unharmed but were detained by the Auxiliaries.
The city's fire brigade was informed of the fire at Dillon's Cross shortly before 10 pm and were sent to deal with it at once. On finding that Grant's department store on St Patrick's Street was ablaze, they decided to tackle it first. The fire brigade's Superintendent, Alfred Hutson, called Victoria Barracks and asked them to tackle the fire at Dillon's Cross so that he could focus on the city centre; the barracks took no heed of his request. As he did not have enough resources to deal with all the fires at once, "he would have to make choices – some fires he would fight, others he could not". Hutson oversaw the operation on St Patrick's Street, and met Cork Examiner reporter Alan Ellis. He told Ellis "that all the fires were being deliberately started by incendiary bombs, and in several cases he had seen soldiers pouring cans of petrol into buildings and setting them alight".
Firemen later testified that British forces hindered their attempts to tackle the blazes by intimidating them and cutting or driving over their hoses. Firemen were also shot at, and at least two were wounded by gunfire. Shortly after 3 am, reporter Alan Ellis came upon a unit of the fire brigade pinned down by gunfire near City Hall. The firemen said that they were being shot at by Black and Tans who had broken into the building. They also claimed to have seen uniformed men carrying cans of petrol into the building from nearby Union Quay barracks.
At about 4 am there was a large explosion and City Hall and the neighbouring Carnegie Library went up in flames, resulting in the loss of many of the city's public records. According to Ellis, the Black and Tans had detonated high explosives inside City Hall. When more firefighters arrived, British forces shot at them and refused them access to water. The last act of arson took place at about 6 am when a group of policemen looted and burnt the Murphy Brothers' clothes shop on Washington Street.
Dublin Hill shooting
After the ambush at Dillon's Cross, IRA commander Seán O'Donoghue and volunteer James O'Mahony made their way to the farmhouse of the Delany (often spelled Delaney) family at Dublin Hill on the northern outskirts of the city, not far from the ambush site. Brothers Cornelius and Jeremiah Delany were members of F Company, 1st Battalion, 1st Cork Brigade IRA. O'Donoghue hid some grenades on the farm and the two men went their separate ways.
At about 2 am, at least eight armed men entered the house and went upstairs into the brothers' bedroom. The brothers got up and stood at the bedside and were asked their names. When they answered, the gunmen opened fire. Jeremiah was killed outright and Cornelius died of his wounds on 18 December. Their elderly relative, William Dunlea, was wounded by gunfire. The brothers' father said the gunmen wore long overcoats and spoke with English accents. It is thought that, while searching the ambush site, Auxiliaries had found a cap belonging to one of the volunteers and had used bloodhounds to follow the scent to the family's home.
Aftermath
Over 40 business premises and 300 residential properties were destroyed, amounting to over five acres of the city. Over £3 million worth of damage (1920 value) was caused, although the value of property looted by British forces is not clear. Many people became homeless and 2,000 were left jobless. Fatalities included an Auxiliary killed by the IRA, two IRA volunteers killed by Auxiliaries, and a woman who died from a heart attack when Auxiliaries burst into her house. Several people, including firefighters, had reportedly been assaulted or otherwise wounded.
Florence O'Donoghue, intelligence officer of the 1st Cork Brigade IRA at the time, described the scene in Cork on the morning of the 12th:
The fire brigade, over-worked and over-stretched, had to continue pouring water on the smoldering buildings to prevent fires re-igniting. Early in the morning, Lord Mayor Donal O'Callaghan requested help from other fire brigades. A motor fire-engine and crew were immediately sent by train from Dublin, and a horse-drawn engine was sent from Limerick.
At midday mass in the North Cathedral the Bishop of Cork, Daniel Cohalan, condemned the arson but said the burning of the city was a result of the "murderous ambush at Dillon's Cross" and vowed, "I will certainly issue a decree of excommunication against anyone who, after this notice, shall take part in an ambush or a kidnapping or attempted murder or arson". No excommunications were issued, and the bishop's edict was largely ignored by pro-republican priests and chaplains.
A meeting of Cork Corporation was held that afternoon at the Corn Exchange. Councillor J. J. Walsh condemned the bishop for his comments, which he claimed held the Irish people up as the "evil-doers". Walsh said that while the people of Cork had been suffering, "not a single word of protest was uttered [by the bishop], and today, after the city has been decimated, he saw no better course than to add insult to injury". Councillor Michael Ó Cuill, alderman Tadhg Barry and the Lord Mayor, Donal O'Callaghan, agreed with Walsh's sentiments. The members resolved that the Lord Mayor should send a telegram asking for the intervention of the European governments and the United States.
Three days after the burning, on 15 December, two lorry-loads of Auxiliaries were travelling from Dunmanway to Cork for the funeral of Spencer Chapman, their comrade killed at Dillon's Cross. They met an elderly priest (Fr Thomas Magner) and a young man (Tadhg O'Crowley) helping another man fix his car. The Auxiliary commander, Vernon Anwyl Hart, got out and began questioning them. He beat and shot Crowley, then forced the priest to his knees and shot him also. Both were killed. A military court of inquiry heard that Hart had been a friend of Chapman and had been "drinking steadily" since his death. Hart was found guilty of murder, but insane. At a subsequent investigation, one of the reasons given for killing the priest was that he refused to have the parish church bells tolled after the Kilmichael ambush, in which 17 Auxiliaries were killed.
Investigation
Irish nationalists called for an open and impartial inquiry. In the British House of Commons, Sir Hamar Greenwood, the Chief Secretary for Ireland, refused demands for such an inquiry. He denied that British forces had any involvement and suggested the IRA started the fires in the city centre, although he said that several houses at Dillon's Cross "were destroyed because from these houses bombs were thrown at the police". When asked about reports of firefighters being attacked by British forces he said "Every available policeman and soldier in Cork was turned out at once and without their assistance the fire brigade could not have gone through the crowds and did the work that they tried to do".
Conservative Party leader Bonar Law said "in the present condition of Ireland, we are much more likely to get an impartial inquiry in a military court than in any other". Greenwood announced that a military inquiry would be carried out by General Peter Strickland. This resulted in the "Strickland Report", but Cork Corporation instructed its employees and other corporate officials to take no part. The report blamed members of the Auxiliaries' K Company, based at Victoria Barracks. The Auxiliaries, it was claimed, burnt the city centre in reprisal for the IRA attack at Dillon's Cross. The British Government refused to publish the report.
The Irish Labour Party and Trades Union Congress published a pamphlet in January 1921 entitled Who burned Cork City? The work drew on evidence from hundreds of eyewitness which suggested that the fires had been set by British forces and that British forces had prevented firefighters from tackling the blazes. The material was compiled by the President of University College Cork, Alfred O'Rahilly.
K Company Auxiliary Charles Schulze, a former British Army captain, wrote in a letter to his girlfriend in England calling the burning of Cork "sweet revenge", while in a letter to his mother he wrote: "Many who had witnessed scenes in France and Flanders say that nothing they had experienced was comparable with the punishment meted out in Cork". After the burning, K Company was moved to Dunmanway and began wearing burnt corks in their caps in reference to the burning of the city. For their part in the arson and looting, K Company was disbanded on 31 March 1921.
There has been debate over whether British forces at Victoria Barracks had planned to burn the city before the ambush at Dillon's Cross, whether the British Army itself was involved, and whether those who set the fires were being commanded by superior officers. Florence O'Donoghue, who was intelligence officer of the 1st Cork Brigade IRA at the time, wrote:
References
Notes
Sources
1920 disasters in the United Kingdom
1920 fires
1920s fires in the United Kingdom
1920 in Ireland
1920 disasters in Ireland
Arson in Ireland
Arson in the 1920s
Attacks on buildings and structures in the 1920s
Attacks on buildings and structures in the United Kingdom
British Army in the Irish War of Independence
British war crimes during the Irish War of Independence
Conflicts in 1920
December 1920 events
Fires in the Republic of Ireland
Burning
History of Ireland (1801–1923)
Looting in Europe
Military actions and engagements during the Irish War of Independence
Military scandals
Royal Irish Constabulary
Police misconduct during the Irish War of Independence
Buildings and structures in the United Kingdom destroyed by arson
1920 murders in the United Kingdom
1920s murders in Ireland
|
```toml
#
# file name: small0-in-fast.8
#
# machine-generated by: ucptrietest.c
[code_point_trie.struct]
name = "small0-in-fast.8"
index = [
0,0x40,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,0x80,0x90,0x90,0x90,0x90,0x90,0x90,0x90,0x90,0x90,0x90,0x90,0x90,0x90,
0x90,0x90,0x90,0x90,0x90,0x90,0x90,0x90,0x90,0x90,0x90,0x90,0x90,0x90,0x90,0x90,
0x90,0xd0,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,0xe1,
0x424,0x424,0x424,0x424,0xd1,0xd1,0xd1,0xd1,0xd1,0xd1,0xd1,0xd1,0xd1,0xd1,0xd1,0xd1,
0xd1,0xd1,0xd1,0xd1,0xd1,0xd1,0xd1,0xd1,0xd1,0xd1,0xd1,0xd1,0xd1,0xd1,0xd1,0xd1,
0xd1,0xd1,0xd1,0xd1,0x404,0x404,0x404,0x404,0x404,0x404,0x404,0x404,0x404,0x404,0x404,0x404,
0x404,0x404,0x404,0x404,0x404,0x404,0x404,0x404,0x404,0x404,0x404,0x404,0x404,0x404,0x404,0x404,
0x404,0x404,0x404,0x404
]
data_8 = [
1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,
1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,
1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,
1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,
1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,
1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,
1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,
1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,
0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,
2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,
2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,
2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,
2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,
0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,
0,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,
3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,
3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,
3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,
3,9,9,0xad
]
indexLength = 1092
dataLength = 292
highStart = 0x20000
shifted12HighStart = 0x20
type = 0
valueWidth = 2
index3NullOffset = 0x404
dataNullOffset = 0xd1
nullValue = 0x0
[code_point_trie.testdata]
# Array of (limit, value) pairs
checkRanges = [
0x880,1,0x890,0,0x1040,2,0x1051,0,0x10000,3,0x20000,0,0x110000,9
]
```
|
```objective-c
#ifndef _NTZWAPI_H
#define _NTZWAPI_H
// This file was automatically generated. Do not edit.
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAcceptConnectPort(
_Out_ PHANDLE PortHandle,
_In_opt_ PVOID PortContext,
_In_ PPORT_MESSAGE ConnectionRequest,
_In_ BOOLEAN AcceptConnection,
_Inout_opt_ PPORT_VIEW ServerView,
_Out_opt_ PREMOTE_PORT_VIEW ClientView
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAccessCheck(
_In_ PSECURITY_DESCRIPTOR SecurityDescriptor,
_In_ HANDLE ClientToken,
_In_ ACCESS_MASK DesiredAccess,
_In_ PGENERIC_MAPPING GenericMapping,
_Out_writes_bytes_(*PrivilegeSetLength) PPRIVILEGE_SET PrivilegeSet,
_Inout_ PULONG PrivilegeSetLength,
_Out_ PACCESS_MASK GrantedAccess,
_Out_ PNTSTATUS AccessStatus
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAccessCheckAndAuditAlarm(
_In_ PUNICODE_STRING SubsystemName,
_In_opt_ PVOID HandleId,
_In_ PUNICODE_STRING ObjectTypeName,
_In_ PUNICODE_STRING ObjectName,
_In_ PSECURITY_DESCRIPTOR SecurityDescriptor,
_In_ ACCESS_MASK DesiredAccess,
_In_ PGENERIC_MAPPING GenericMapping,
_In_ BOOLEAN ObjectCreation,
_Out_ PACCESS_MASK GrantedAccess,
_Out_ PNTSTATUS AccessStatus,
_Out_ PBOOLEAN GenerateOnClose
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAccessCheckByType(
_In_ PSECURITY_DESCRIPTOR SecurityDescriptor,
_In_opt_ PSID PrincipalSelfSid,
_In_ HANDLE ClientToken,
_In_ ACCESS_MASK DesiredAccess,
_In_reads_(ObjectTypeListLength) POBJECT_TYPE_LIST ObjectTypeList,
_In_ ULONG ObjectTypeListLength,
_In_ PGENERIC_MAPPING GenericMapping,
_Out_writes_bytes_(*PrivilegeSetLength) PPRIVILEGE_SET PrivilegeSet,
_Inout_ PULONG PrivilegeSetLength,
_Out_ PACCESS_MASK GrantedAccess,
_Out_ PNTSTATUS AccessStatus
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAccessCheckByTypeAndAuditAlarm(
_In_ PUNICODE_STRING SubsystemName,
_In_opt_ PVOID HandleId,
_In_ PUNICODE_STRING ObjectTypeName,
_In_ PUNICODE_STRING ObjectName,
_In_ PSECURITY_DESCRIPTOR SecurityDescriptor,
_In_opt_ PSID PrincipalSelfSid,
_In_ ACCESS_MASK DesiredAccess,
_In_ AUDIT_EVENT_TYPE AuditType,
_In_ ULONG Flags,
_In_reads_opt_(ObjectTypeListLength) POBJECT_TYPE_LIST ObjectTypeList,
_In_ ULONG ObjectTypeListLength,
_In_ PGENERIC_MAPPING GenericMapping,
_In_ BOOLEAN ObjectCreation,
_Out_ PACCESS_MASK GrantedAccess,
_Out_ PNTSTATUS AccessStatus,
_Out_ PBOOLEAN GenerateOnClose
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAccessCheckByTypeResultList(
_In_ PSECURITY_DESCRIPTOR SecurityDescriptor,
_In_opt_ PSID PrincipalSelfSid,
_In_ HANDLE ClientToken,
_In_ ACCESS_MASK DesiredAccess,
_In_reads_(ObjectTypeListLength) POBJECT_TYPE_LIST ObjectTypeList,
_In_ ULONG ObjectTypeListLength,
_In_ PGENERIC_MAPPING GenericMapping,
_Out_writes_bytes_(*PrivilegeSetLength) PPRIVILEGE_SET PrivilegeSet,
_Inout_ PULONG PrivilegeSetLength,
_Out_writes_(ObjectTypeListLength) PACCESS_MASK GrantedAccess,
_Out_writes_(ObjectTypeListLength) PNTSTATUS AccessStatus
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAccessCheckByTypeResultListAndAuditAlarm(
_In_ PUNICODE_STRING SubsystemName,
_In_opt_ PVOID HandleId,
_In_ PUNICODE_STRING ObjectTypeName,
_In_ PUNICODE_STRING ObjectName,
_In_ PSECURITY_DESCRIPTOR SecurityDescriptor,
_In_opt_ PSID PrincipalSelfSid,
_In_ ACCESS_MASK DesiredAccess,
_In_ AUDIT_EVENT_TYPE AuditType,
_In_ ULONG Flags,
_In_reads_opt_(ObjectTypeListLength) POBJECT_TYPE_LIST ObjectTypeList,
_In_ ULONG ObjectTypeListLength,
_In_ PGENERIC_MAPPING GenericMapping,
_In_ BOOLEAN ObjectCreation,
_Out_writes_(ObjectTypeListLength) PACCESS_MASK GrantedAccess,
_Out_writes_(ObjectTypeListLength) PNTSTATUS AccessStatus,
_Out_ PBOOLEAN GenerateOnClose
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAccessCheckByTypeResultListAndAuditAlarmByHandle(
_In_ PUNICODE_STRING SubsystemName,
_In_opt_ PVOID HandleId,
_In_ HANDLE ClientToken,
_In_ PUNICODE_STRING ObjectTypeName,
_In_ PUNICODE_STRING ObjectName,
_In_ PSECURITY_DESCRIPTOR SecurityDescriptor,
_In_opt_ PSID PrincipalSelfSid,
_In_ ACCESS_MASK DesiredAccess,
_In_ AUDIT_EVENT_TYPE AuditType,
_In_ ULONG Flags,
_In_reads_opt_(ObjectTypeListLength) POBJECT_TYPE_LIST ObjectTypeList,
_In_ ULONG ObjectTypeListLength,
_In_ PGENERIC_MAPPING GenericMapping,
_In_ BOOLEAN ObjectCreation,
_Out_writes_(ObjectTypeListLength) PACCESS_MASK GrantedAccess,
_Out_writes_(ObjectTypeListLength) PNTSTATUS AccessStatus,
_Out_ PBOOLEAN GenerateOnClose
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAcquireCMFViewOwnership(
_Out_ PULONGLONG TimeStamp,
_Out_ PBOOLEAN tokenTaken,
_In_ BOOLEAN replaceExisting
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAddAtom(
_In_reads_bytes_opt_(Length) PWSTR AtomName,
_In_ ULONG Length,
_Out_opt_ PRTL_ATOM Atom
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAddAtomEx(
_In_reads_bytes_opt_(Length) PWSTR AtomName,
_In_ ULONG Length,
_Out_opt_ PRTL_ATOM Atom,
_In_ ULONG Flags
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAddBootEntry(
_In_ PBOOT_ENTRY BootEntry,
_Out_opt_ PULONG Id
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAddDriverEntry(
_In_ PEFI_DRIVER_ENTRY DriverEntry,
_Out_opt_ PULONG Id
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAdjustGroupsToken(
_In_ HANDLE TokenHandle,
_In_ BOOLEAN ResetToDefault,
_In_opt_ PTOKEN_GROUPS NewState,
_In_opt_ ULONG BufferLength,
_Out_writes_bytes_to_opt_(BufferLength, *ReturnLength) PTOKEN_GROUPS PreviousState,
_Out_opt_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAdjustPrivilegesToken(
_In_ HANDLE TokenHandle,
_In_ BOOLEAN DisableAllPrivileges,
_In_opt_ PTOKEN_PRIVILEGES NewState,
_In_ ULONG BufferLength,
_Out_writes_bytes_to_opt_(BufferLength, *ReturnLength) PTOKEN_PRIVILEGES PreviousState,
_Out_opt_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAdjustTokenClaimsAndDeviceGroups(
_In_ HANDLE TokenHandle,
_In_ BOOLEAN UserResetToDefault,
_In_ BOOLEAN DeviceResetToDefault,
_In_ BOOLEAN DeviceGroupsResetToDefault,
_In_opt_ PTOKEN_SECURITY_ATTRIBUTES_INFORMATION NewUserState,
_In_opt_ PTOKEN_SECURITY_ATTRIBUTES_INFORMATION NewDeviceState,
_In_opt_ PTOKEN_GROUPS NewDeviceGroupsState,
_In_ ULONG UserBufferLength,
_Out_writes_bytes_to_opt_(UserBufferLength, *UserReturnLength) PTOKEN_SECURITY_ATTRIBUTES_INFORMATION PreviousUserState,
_In_ ULONG DeviceBufferLength,
_Out_writes_bytes_to_opt_(DeviceBufferLength, *DeviceReturnLength) PTOKEN_SECURITY_ATTRIBUTES_INFORMATION PreviousDeviceState,
_In_ ULONG DeviceGroupsBufferLength,
_Out_writes_bytes_to_opt_(DeviceGroupsBufferLength, *DeviceGroupsReturnBufferLength) PTOKEN_GROUPS PreviousDeviceGroups,
_Out_opt_ PULONG UserReturnLength,
_Out_opt_ PULONG DeviceReturnLength,
_Out_opt_ PULONG DeviceGroupsReturnBufferLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlertResumeThread(
_In_ HANDLE ThreadHandle,
_Out_opt_ PULONG PreviousSuspendCount
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlertThread(
_In_ HANDLE ThreadHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlertThreadByThreadId(
_In_ HANDLE ThreadId
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAllocateLocallyUniqueId(
_Out_ PLUID Luid
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAllocateReserveObject(
_Out_ PHANDLE MemoryReserveHandle,
_In_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ MEMORY_RESERVE_TYPE Type
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAllocateUserPhysicalPages(
_In_ HANDLE ProcessHandle,
_Inout_ PULONG_PTR NumberOfPages,
_Out_writes_(*NumberOfPages) PULONG_PTR UserPfnArray
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAllocateUserPhysicalPagesEx(
_In_ HANDLE ProcessHandle,
_Inout_ PULONG_PTR NumberOfPages,
_Out_writes_(*NumberOfPages) PULONG_PTR UserPfnArray,
_Inout_updates_opt_(ParameterCount) PMEM_EXTENDED_PARAMETER ExtendedParameters,
_In_ ULONG ExtendedParameterCount
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAllocateUuids(
_Out_ PULARGE_INTEGER Time,
_Out_ PULONG Range,
_Out_ PULONG Sequence,
_Out_ PCHAR Seed
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAllocateVirtualMemory(
_In_ HANDLE ProcessHandle,
_Inout_ _At_(*BaseAddress, _Readable_bytes_(*RegionSize) _Writable_bytes_(*RegionSize) _Post_readable_byte_size_(*RegionSize)) PVOID *BaseAddress,
_In_ ULONG_PTR ZeroBits,
_Inout_ PSIZE_T RegionSize,
_In_ ULONG AllocationType,
_In_ ULONG Protect
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAllocateVirtualMemoryEx(
_In_ HANDLE ProcessHandle,
_Inout_ _At_(*BaseAddress, _Readable_bytes_(*RegionSize) _Writable_bytes_(*RegionSize) _Post_readable_byte_size_(*RegionSize)) PVOID *BaseAddress,
_Inout_ PSIZE_T RegionSize,
_In_ ULONG AllocationType,
_In_ ULONG PageProtection,
_Inout_updates_opt_(ExtendedParameterCount) PMEM_EXTENDED_PARAMETER ExtendedParameters,
_In_ ULONG ExtendedParameterCount
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlpcAcceptConnectPort(
_Out_ PHANDLE PortHandle,
_In_ HANDLE ConnectionPortHandle,
_In_ ULONG Flags,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_opt_ PALPC_PORT_ATTRIBUTES PortAttributes,
_In_opt_ PVOID PortContext,
_In_reads_bytes_(ConnectionRequest->u1.s1.TotalLength) PPORT_MESSAGE ConnectionRequest,
_Inout_opt_ PALPC_MESSAGE_ATTRIBUTES ConnectionMessageAttributes,
_In_ BOOLEAN AcceptConnection
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlpcCancelMessage(
_In_ HANDLE PortHandle,
_In_ ULONG Flags,
_In_ PALPC_CONTEXT_ATTR MessageContext
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlpcConnectPort(
_Out_ PHANDLE PortHandle,
_In_ PUNICODE_STRING PortName,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_opt_ PALPC_PORT_ATTRIBUTES PortAttributes,
_In_ ULONG Flags,
_In_opt_ PSID RequiredServerSid,
_Inout_updates_bytes_to_opt_(*BufferLength, *BufferLength) PPORT_MESSAGE ConnectionMessage,
_Inout_opt_ PSIZE_T BufferLength,
_Inout_opt_ PALPC_MESSAGE_ATTRIBUTES OutMessageAttributes,
_Inout_opt_ PALPC_MESSAGE_ATTRIBUTES InMessageAttributes,
_In_opt_ PLARGE_INTEGER Timeout
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlpcConnectPortEx(
_Out_ PHANDLE PortHandle,
_In_ POBJECT_ATTRIBUTES ConnectionPortObjectAttributes,
_In_opt_ POBJECT_ATTRIBUTES ClientPortObjectAttributes,
_In_opt_ PALPC_PORT_ATTRIBUTES PortAttributes,
_In_ ULONG Flags,
_In_opt_ PSECURITY_DESCRIPTOR ServerSecurityRequirements,
_Inout_updates_bytes_to_opt_(*BufferLength, *BufferLength) PPORT_MESSAGE ConnectionMessage,
_Inout_opt_ PSIZE_T BufferLength,
_Inout_opt_ PALPC_MESSAGE_ATTRIBUTES OutMessageAttributes,
_Inout_opt_ PALPC_MESSAGE_ATTRIBUTES InMessageAttributes,
_In_opt_ PLARGE_INTEGER Timeout
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlpcCreatePort(
_Out_ PHANDLE PortHandle,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_opt_ PALPC_PORT_ATTRIBUTES PortAttributes
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlpcCreatePortSection(
_In_ HANDLE PortHandle,
_In_ ULONG Flags,
_In_opt_ HANDLE SectionHandle,
_In_ SIZE_T SectionSize,
_Out_ PALPC_HANDLE AlpcSectionHandle,
_Out_ PSIZE_T ActualSectionSize
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlpcCreateResourceReserve(
_In_ HANDLE PortHandle,
_Reserved_ ULONG Flags,
_In_ SIZE_T MessageSize,
_Out_ PALPC_HANDLE ResourceId
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlpcCreateSectionView(
_In_ HANDLE PortHandle,
_Reserved_ ULONG Flags,
_Inout_ PALPC_DATA_VIEW_ATTR ViewAttributes
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlpcCreateSecurityContext(
_In_ HANDLE PortHandle,
_Reserved_ ULONG Flags,
_Inout_ PALPC_SECURITY_ATTR SecurityAttribute
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlpcDeletePortSection(
_In_ HANDLE PortHandle,
_Reserved_ ULONG Flags,
_In_ ALPC_HANDLE SectionHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlpcDeleteResourceReserve(
_In_ HANDLE PortHandle,
_Reserved_ ULONG Flags,
_In_ ALPC_HANDLE ResourceId
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlpcDeleteSectionView(
_In_ HANDLE PortHandle,
_Reserved_ ULONG Flags,
_In_ PVOID ViewBase
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlpcDeleteSecurityContext(
_In_ HANDLE PortHandle,
_Reserved_ ULONG Flags,
_In_ ALPC_HANDLE ContextHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlpcDisconnectPort(
_In_ HANDLE PortHandle,
_In_ ULONG Flags
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlpcImpersonateClientContainerOfPort(
_In_ HANDLE PortHandle,
_In_ PPORT_MESSAGE Message,
_Reserved_ ULONG Flags
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlpcImpersonateClientOfPort(
_In_ HANDLE PortHandle,
_In_ PPORT_MESSAGE Message,
_In_ PVOID Flags
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlpcOpenSenderProcess(
_Out_ PHANDLE ProcessHandle,
_In_ HANDLE PortHandle,
_In_ PPORT_MESSAGE PortMessage,
_Reserved_ ULONG Flags,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlpcOpenSenderThread(
_Out_ PHANDLE ThreadHandle,
_In_ HANDLE PortHandle,
_In_ PPORT_MESSAGE PortMessage,
_Reserved_ ULONG Flags,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlpcQueryInformation(
_In_opt_ HANDLE PortHandle,
_In_ ALPC_PORT_INFORMATION_CLASS PortInformationClass,
_Inout_updates_bytes_to_(Length, *ReturnLength) PVOID PortInformation,
_In_ ULONG Length,
_Out_opt_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlpcQueryInformationMessage(
_In_ HANDLE PortHandle,
_In_ PPORT_MESSAGE PortMessage,
_In_ ALPC_MESSAGE_INFORMATION_CLASS MessageInformationClass,
_Out_writes_bytes_to_opt_(Length, *ReturnLength) PVOID MessageInformation,
_In_ ULONG Length,
_Out_opt_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlpcRevokeSecurityContext(
_In_ HANDLE PortHandle,
_Reserved_ ULONG Flags,
_In_ ALPC_HANDLE ContextHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlpcSendWaitReceivePort(
_In_ HANDLE PortHandle,
_In_ ULONG Flags,
_In_reads_bytes_opt_(SendMessage->u1.s1.TotalLength) PPORT_MESSAGE SendMessage,
_Inout_opt_ PALPC_MESSAGE_ATTRIBUTES SendMessageAttributes,
_Out_writes_bytes_to_opt_(*BufferLength, *BufferLength) PPORT_MESSAGE ReceiveMessage,
_Inout_opt_ PSIZE_T BufferLength,
_Inout_opt_ PALPC_MESSAGE_ATTRIBUTES ReceiveMessageAttributes,
_In_opt_ PLARGE_INTEGER Timeout
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAlpcSetInformation(
_In_ HANDLE PortHandle,
_In_ ALPC_PORT_INFORMATION_CLASS PortInformationClass,
_In_reads_bytes_opt_(Length) PVOID PortInformation,
_In_ ULONG Length
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAreMappedFilesTheSame(
_In_ PVOID File1MappedAsAnImage,
_In_ PVOID File2MappedAsFile
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAssignProcessToJobObject(
_In_ HANDLE JobHandle,
_In_ HANDLE ProcessHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwAssociateWaitCompletionPacket(
_In_ HANDLE WaitCompletionPacketHandle,
_In_ HANDLE IoCompletionHandle,
_In_ HANDLE TargetObjectHandle,
_In_opt_ PVOID KeyContext,
_In_opt_ PVOID ApcContext,
_In_ NTSTATUS IoStatus,
_In_ ULONG_PTR IoStatusInformation,
_Out_opt_ PBOOLEAN AlreadySignaled
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCallbackReturn(
_In_reads_bytes_opt_(OutputLength) PVOID OutputBuffer,
_In_ ULONG OutputLength,
_In_ NTSTATUS Status
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCallEnclave(
_In_ PENCLAVE_ROUTINE Routine,
_In_ PVOID Reserved, // reserved for dispatch (RtlEnclaveCallDispatch)
_In_ ULONG Flags, // ENCLAVE_CALL_FLAG_*
_Inout_ PVOID* RoutineParamReturn // input routine parameter, output routine return value
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCancelIoFile(
_In_ HANDLE FileHandle,
_Out_ PIO_STATUS_BLOCK IoStatusBlock
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCancelIoFileEx(
_In_ HANDLE FileHandle,
_In_opt_ PIO_STATUS_BLOCK IoRequestToCancel,
_Out_ PIO_STATUS_BLOCK IoStatusBlock
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCancelSynchronousIoFile(
_In_ HANDLE ThreadHandle,
_In_opt_ PIO_STATUS_BLOCK IoRequestToCancel,
_Out_ PIO_STATUS_BLOCK IoStatusBlock
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCancelTimer(
_In_ HANDLE TimerHandle,
_Out_opt_ PBOOLEAN CurrentState
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCancelTimer2(
_In_ HANDLE TimerHandle,
_In_ PT2_CANCEL_PARAMETERS Parameters
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCancelWaitCompletionPacket(
_In_ HANDLE WaitCompletionPacketHandle,
_In_ BOOLEAN RemoveSignaledPacket
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwChangeProcessState(
_In_ HANDLE ProcessStateChangeHandle,
_In_ HANDLE ProcessHandle,
_In_ PROCESS_STATE_CHANGE_TYPE StateChangeType,
_In_opt_ _Reserved_ PVOID ExtendedInformation,
_In_opt_ _Reserved_ SIZE_T ExtendedInformationLength,
_In_opt_ _Reserved_ ULONG64 Reserved
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwChangeThreadState(
_In_ HANDLE ThreadStateChangeHandle,
_In_ HANDLE ThreadHandle,
_In_ THREAD_STATE_CHANGE_TYPE StateChangeType,
_In_opt_ PVOID ExtendedInformation,
_In_opt_ SIZE_T ExtendedInformationLength,
_In_opt_ ULONG64 Reserved
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwClearEvent(
_In_ HANDLE EventHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwClose(
_In_ _Post_ptr_invalid_ HANDLE Handle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCloseObjectAuditAlarm(
_In_ PUNICODE_STRING SubsystemName,
_In_opt_ PVOID HandleId,
_In_ BOOLEAN GenerateOnClose
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCommitComplete(
_In_ HANDLE EnlistmentHandle,
_In_opt_ PLARGE_INTEGER TmVirtualClock
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCommitEnlistment(
_In_ HANDLE EnlistmentHandle,
_In_opt_ PLARGE_INTEGER TmVirtualClock
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCommitTransaction(
_In_ HANDLE TransactionHandle,
_In_ BOOLEAN Wait
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCompactKeys(
_In_ ULONG Count,
_In_reads_(Count) HANDLE KeyArray[]
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCompareObjects(
_In_ HANDLE FirstObjectHandle,
_In_ HANDLE SecondObjectHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCompareSigningLevels(
_In_ SE_SIGNING_LEVEL FirstSigningLevel,
_In_ SE_SIGNING_LEVEL SecondSigningLevel
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCompareTokens(
_In_ HANDLE FirstTokenHandle,
_In_ HANDLE SecondTokenHandle,
_Out_ PBOOLEAN Equal
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCompleteConnectPort(
_In_ HANDLE PortHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCompressKey(
_In_ HANDLE KeyHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwConnectPort(
_Out_ PHANDLE PortHandle,
_In_ PUNICODE_STRING PortName,
_In_ PSECURITY_QUALITY_OF_SERVICE SecurityQos,
_Inout_opt_ PPORT_VIEW ClientView,
_Inout_opt_ PREMOTE_PORT_VIEW ServerView,
_Out_opt_ PULONG MaxMessageLength,
_Inout_updates_bytes_to_opt_(*ConnectionInformationLength, *ConnectionInformationLength) PVOID ConnectionInformation,
_Inout_opt_ PULONG ConnectionInformationLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwContinue(
_In_ PCONTEXT ContextRecord,
_In_ BOOLEAN TestAlert
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwContinueEx(
_In_ PCONTEXT ContextRecord,
_In_ PVOID ContinueArgument // PKCONTINUE_ARGUMENT and BOOLEAN are valid
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwConvertBetweenAuxiliaryCounterAndPerformanceCounter(
_In_ BOOLEAN ConvertAuxiliaryToPerformanceCounter,
_In_ PLARGE_INTEGER PerformanceOrAuxiliaryCounterValue,
_Out_ PLARGE_INTEGER ConvertedValue,
_Out_opt_ PLARGE_INTEGER ConversionError
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCopyFileChunk(
_In_ HANDLE SourceHandle,
_In_ HANDLE DestinationHandle,
_In_opt_ HANDLE EventHandle,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_In_ ULONG Length,
_In_ PLARGE_INTEGER SourceOffset,
_In_ PLARGE_INTEGER DestOffset,
_In_opt_ PULONG SourceKey,
_In_opt_ PULONG DestKey,
_In_ ULONG Flags
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateDebugObject(
_Out_ PHANDLE DebugObjectHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ ULONG Flags
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateDirectoryObject(
_Out_ PHANDLE DirectoryHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateDirectoryObjectEx(
_Out_ PHANDLE DirectoryHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ HANDLE ShadowDirectoryHandle,
_In_ ULONG Flags
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateEnclave(
_In_ HANDLE ProcessHandle,
_Inout_ PVOID* BaseAddress,
_In_ ULONG_PTR ZeroBits,
_In_ SIZE_T Size,
_In_ SIZE_T InitialCommitment,
_In_ ULONG EnclaveType,
_In_reads_bytes_(EnclaveInformationLength) PVOID EnclaveInformation,
_In_ ULONG EnclaveInformationLength,
_Out_opt_ PULONG EnclaveError
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateEnlistment(
_Out_ PHANDLE EnlistmentHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ HANDLE ResourceManagerHandle,
_In_ HANDLE TransactionHandle,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_opt_ ULONG CreateOptions,
_In_ NOTIFICATION_MASK NotificationMask,
_In_opt_ PVOID EnlistmentKey
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateEvent(
_Out_ PHANDLE EventHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ EVENT_TYPE EventType,
_In_ BOOLEAN InitialState
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateEventPair(
_Out_ PHANDLE EventPairHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateFile(
_Out_ PHANDLE FileHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_In_opt_ PLARGE_INTEGER AllocationSize,
_In_ ULONG FileAttributes,
_In_ ULONG ShareAccess,
_In_ ULONG CreateDisposition,
_In_ ULONG CreateOptions,
_In_reads_bytes_opt_(EaLength) PVOID EaBuffer,
_In_ ULONG EaLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateIoCompletion(
_Out_ PHANDLE IoCompletionHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_opt_ ULONG Count
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateIoRing(
_Out_ PHANDLE IoRingHandle,
_In_ ULONG CreateParametersLength,
_In_ PVOID CreateParameters,
_In_ ULONG OutputParametersLength,
_Out_ PVOID OutputParameters
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateIRTimer(
_Out_ PHANDLE TimerHandle,
_In_ PVOID Reserved,
_In_ ACCESS_MASK DesiredAccess
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateJobObject(
_Out_ PHANDLE JobHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateJobSet(
_In_ ULONG NumJob,
_In_reads_(NumJob) PJOB_SET_ARRAY UserJobSet,
_In_ ULONG Flags
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateKey(
_Out_ PHANDLE KeyHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes,
_Reserved_ ULONG TitleIndex,
_In_opt_ PUNICODE_STRING Class,
_In_ ULONG CreateOptions,
_Out_opt_ PULONG Disposition
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateKeyedEvent(
_Out_ PHANDLE KeyedEventHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_Reserved_ ULONG Flags
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateKeyTransacted(
_Out_ PHANDLE KeyHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes,
_Reserved_ ULONG TitleIndex,
_In_opt_ PUNICODE_STRING Class,
_In_ ULONG CreateOptions,
_In_ HANDLE TransactionHandle,
_Out_opt_ PULONG Disposition
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateLowBoxToken(
_Out_ PHANDLE TokenHandle,
_In_ HANDLE ExistingTokenHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ PSID PackageSid,
_In_ ULONG CapabilityCount,
_In_reads_opt_(CapabilityCount) PSID_AND_ATTRIBUTES Capabilities,
_In_ ULONG HandleCount,
_In_reads_opt_(HandleCount) HANDLE *Handles
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateMailslotFile(
_Out_ PHANDLE FileHandle,
_In_ ULONG DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_In_ ULONG CreateOptions,
_In_ ULONG MailslotQuota,
_In_ ULONG MaximumMessageSize,
_In_ PLARGE_INTEGER ReadTimeout
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateMutant(
_Out_ PHANDLE MutantHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ BOOLEAN InitialOwner
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateNamedPipeFile(
_Out_ PHANDLE FileHandle,
_In_ ULONG DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_In_ ULONG ShareAccess,
_In_ ULONG CreateDisposition,
_In_ ULONG CreateOptions,
_In_ ULONG NamedPipeType,
_In_ ULONG ReadMode,
_In_ ULONG CompletionMode,
_In_ ULONG MaximumInstances,
_In_ ULONG InboundQuota,
_In_ ULONG OutboundQuota,
_In_ PLARGE_INTEGER DefaultTimeout
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreatePagingFile(
_In_ PUNICODE_STRING PageFileName,
_In_ PLARGE_INTEGER MinimumSize,
_In_ PLARGE_INTEGER MaximumSize,
_In_ ULONG Priority
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreatePartition(
_In_opt_ HANDLE ParentPartitionHandle,
_Out_ PHANDLE PartitionHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ ULONG PreferredNode
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreatePort(
_Out_ PHANDLE PortHandle,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ ULONG MaxConnectionInfoLength,
_In_ ULONG MaxMessageLength,
_In_opt_ ULONG MaxPoolUsage
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreatePrivateNamespace(
_Out_ PHANDLE NamespaceHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ POBJECT_BOUNDARY_DESCRIPTOR BoundaryDescriptor
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateProcess(
_Out_ PHANDLE ProcessHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ HANDLE ParentProcess,
_In_ BOOLEAN InheritObjectTable,
_In_opt_ HANDLE SectionHandle,
_In_opt_ HANDLE DebugPort,
_In_opt_ HANDLE TokenHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateProcessEx(
_Out_ PHANDLE ProcessHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ HANDLE ParentProcess,
_In_ ULONG Flags, // PROCESS_CREATE_FLAGS_*
_In_opt_ HANDLE SectionHandle,
_In_opt_ HANDLE DebugPort,
_In_opt_ HANDLE TokenHandle,
_Reserved_ ULONG Reserved // JobMemberLevel
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateProcessStateChange(
_Out_ PHANDLE ProcessStateChangeHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ HANDLE ProcessHandle,
_In_opt_ _Reserved_ ULONG64 Reserved
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateProfile(
_Out_ PHANDLE ProfileHandle,
_In_opt_ HANDLE Process,
_In_ PVOID ProfileBase,
_In_ SIZE_T ProfileSize,
_In_ ULONG BucketSize,
_In_reads_bytes_(BufferSize) PULONG Buffer,
_In_ ULONG BufferSize,
_In_ KPROFILE_SOURCE ProfileSource,
_In_ KAFFINITY Affinity
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateProfileEx(
_Out_ PHANDLE ProfileHandle,
_In_opt_ HANDLE Process,
_In_ PVOID ProfileBase,
_In_ SIZE_T ProfileSize,
_In_ ULONG BucketSize,
_In_reads_bytes_(BufferSize) PULONG Buffer,
_In_ ULONG BufferSize,
_In_ KPROFILE_SOURCE ProfileSource,
_In_ USHORT GroupCount,
_In_reads_(GroupCount) PGROUP_AFFINITY GroupAffinity
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateResourceManager(
_Out_ PHANDLE ResourceManagerHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ HANDLE TmHandle,
_In_ LPGUID RmGuid,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_opt_ ULONG CreateOptions,
_In_opt_ PUNICODE_STRING Description
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateSection(
_Out_ PHANDLE SectionHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_opt_ PLARGE_INTEGER MaximumSize,
_In_ ULONG SectionPageProtection,
_In_ ULONG AllocationAttributes,
_In_opt_ HANDLE FileHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateSectionEx(
_Out_ PHANDLE SectionHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_opt_ PLARGE_INTEGER MaximumSize,
_In_ ULONG SectionPageProtection,
_In_ ULONG AllocationAttributes,
_In_opt_ HANDLE FileHandle,
_Inout_updates_opt_(ExtendedParameterCount) PMEM_EXTENDED_PARAMETER ExtendedParameters,
_In_ ULONG ExtendedParameterCount
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateSemaphore(
_Out_ PHANDLE SemaphoreHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ LONG InitialCount,
_In_ LONG MaximumCount
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateSymbolicLinkObject(
_Out_ PHANDLE LinkHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ PUNICODE_STRING LinkTarget
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateThread(
_Out_ PHANDLE ThreadHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ HANDLE ProcessHandle,
_Out_ PCLIENT_ID ClientId,
_In_ PCONTEXT ThreadContext,
_In_ PINITIAL_TEB InitialTeb,
_In_ BOOLEAN CreateSuspended
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateThreadEx(
_Out_ PHANDLE ThreadHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ HANDLE ProcessHandle,
_In_ PUSER_THREAD_START_ROUTINE StartRoutine,
_In_opt_ PVOID Argument,
_In_ ULONG CreateFlags, // THREAD_CREATE_FLAGS_*
_In_ SIZE_T ZeroBits,
_In_ SIZE_T StackSize,
_In_ SIZE_T MaximumStackSize,
_In_opt_ PPS_ATTRIBUTE_LIST AttributeList
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateThreadStateChange(
_Out_ PHANDLE ThreadStateChangeHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ HANDLE ThreadHandle,
_In_opt_ ULONG64 Reserved
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateTimer(
_Out_ PHANDLE TimerHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ TIMER_TYPE TimerType
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateTimer2(
_Out_ PHANDLE TimerHandle,
_In_opt_ PVOID Reserved1,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ ULONG Attributes, // TIMER_TYPE
_In_ ACCESS_MASK DesiredAccess
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateToken(
_Out_ PHANDLE TokenHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ TOKEN_TYPE Type,
_In_ PLUID AuthenticationId,
_In_ PLARGE_INTEGER ExpirationTime,
_In_ PTOKEN_USER User,
_In_ PTOKEN_GROUPS Groups,
_In_ PTOKEN_PRIVILEGES Privileges,
_In_opt_ PTOKEN_OWNER Owner,
_In_ PTOKEN_PRIMARY_GROUP PrimaryGroup,
_In_opt_ PTOKEN_DEFAULT_DACL DefaultDacl,
_In_ PTOKEN_SOURCE Source
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateTokenEx(
_Out_ PHANDLE TokenHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ TOKEN_TYPE Type,
_In_ PLUID AuthenticationId,
_In_ PLARGE_INTEGER ExpirationTime,
_In_ PTOKEN_USER User,
_In_ PTOKEN_GROUPS Groups,
_In_ PTOKEN_PRIVILEGES Privileges,
_In_opt_ PTOKEN_SECURITY_ATTRIBUTES_INFORMATION UserAttributes,
_In_opt_ PTOKEN_SECURITY_ATTRIBUTES_INFORMATION DeviceAttributes,
_In_opt_ PTOKEN_GROUPS DeviceGroups,
_In_opt_ PTOKEN_MANDATORY_POLICY MandatoryPolicy,
_In_opt_ PTOKEN_OWNER Owner,
_In_ PTOKEN_PRIMARY_GROUP PrimaryGroup,
_In_opt_ PTOKEN_DEFAULT_DACL DefaultDacl,
_In_ PTOKEN_SOURCE Source
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateTransaction(
_Out_ PHANDLE TransactionHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_opt_ LPGUID Uow,
_In_opt_ HANDLE TmHandle,
_In_opt_ ULONG CreateOptions,
_In_opt_ ULONG IsolationLevel,
_In_opt_ ULONG IsolationFlags,
_In_opt_ PLARGE_INTEGER Timeout,
_In_opt_ PUNICODE_STRING Description
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateTransactionManager(
_Out_ PHANDLE TmHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_opt_ PUNICODE_STRING LogFileName,
_In_opt_ ULONG CreateOptions,
_In_opt_ ULONG CommitStrength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateUserProcess(
_Out_ PHANDLE ProcessHandle,
_Out_ PHANDLE ThreadHandle,
_In_ ACCESS_MASK ProcessDesiredAccess,
_In_ ACCESS_MASK ThreadDesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ProcessObjectAttributes,
_In_opt_ POBJECT_ATTRIBUTES ThreadObjectAttributes,
_In_ ULONG ProcessFlags, // PROCESS_CREATE_FLAGS_*
_In_ ULONG ThreadFlags, // THREAD_CREATE_FLAGS_*
_In_opt_ PVOID ProcessParameters, // PRTL_USER_PROCESS_PARAMETERS
_Inout_ PPS_CREATE_INFO CreateInfo,
_In_opt_ PPS_ATTRIBUTE_LIST AttributeList
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateWaitablePort(
_Out_ PHANDLE PortHandle,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ ULONG MaxConnectionInfoLength,
_In_ ULONG MaxMessageLength,
_In_opt_ ULONG MaxPoolUsage
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateWaitCompletionPacket(
_Out_ PHANDLE WaitCompletionPacketHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateWnfStateName(
_Out_ PWNF_STATE_NAME StateName,
_In_ WNF_STATE_NAME_LIFETIME NameLifetime,
_In_ WNF_DATA_SCOPE DataScope,
_In_ BOOLEAN PersistData,
_In_opt_ PCWNF_TYPE_ID TypeId,
_In_ ULONG MaximumStateSize,
_In_ PSECURITY_DESCRIPTOR SecurityDescriptor
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwCreateWorkerFactory(
_Out_ PHANDLE WorkerFactoryHandleReturn,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ HANDLE CompletionPortHandle,
_In_ HANDLE WorkerProcessHandle,
_In_ PVOID StartRoutine,
_In_opt_ PVOID StartParameter,
_In_opt_ ULONG MaxThreadCount,
_In_opt_ SIZE_T StackReserve,
_In_opt_ SIZE_T StackCommit
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwDebugActiveProcess(
_In_ HANDLE ProcessHandle,
_In_ HANDLE DebugObjectHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwDebugContinue(
_In_ HANDLE DebugObjectHandle,
_In_ PCLIENT_ID ClientId,
_In_ NTSTATUS ContinueStatus
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwDelayExecution(
_In_ BOOLEAN Alertable,
_In_ PLARGE_INTEGER DelayInterval
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwDeleteAtom(
_In_ RTL_ATOM Atom
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwDeleteBootEntry(
_In_ ULONG Id
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwDeleteDriverEntry(
_In_ ULONG Id
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwDeleteFile(
_In_ POBJECT_ATTRIBUTES ObjectAttributes
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwDeleteKey(
_In_ HANDLE KeyHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwDeleteObjectAuditAlarm(
_In_ PUNICODE_STRING SubsystemName,
_In_opt_ PVOID HandleId,
_In_ BOOLEAN GenerateOnClose
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwDeletePrivateNamespace(
_In_ HANDLE NamespaceHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwDeleteValueKey(
_In_ HANDLE KeyHandle,
_In_ PUNICODE_STRING ValueName
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwDeleteWnfStateData(
_In_ PCWNF_STATE_NAME StateName,
_In_opt_ const VOID* ExplicitScope
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwDeleteWnfStateName(
_In_ PCWNF_STATE_NAME StateName
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwDeviceIoControlFile(
_In_ HANDLE FileHandle,
_In_opt_ HANDLE Event,
_In_opt_ PIO_APC_ROUTINE ApcRoutine,
_In_opt_ PVOID ApcContext,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_In_ ULONG IoControlCode,
_In_reads_bytes_opt_(InputBufferLength) PVOID InputBuffer,
_In_ ULONG InputBufferLength,
_Out_writes_bytes_opt_(OutputBufferLength) PVOID OutputBuffer,
_In_ ULONG OutputBufferLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwDisableLastKnownGood(
VOID
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwDisplayString(
_In_ PUNICODE_STRING String
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwDrawText(
_In_ PUNICODE_STRING Text
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwDuplicateObject(
_In_ HANDLE SourceProcessHandle,
_In_ HANDLE SourceHandle,
_In_opt_ HANDLE TargetProcessHandle,
_Out_opt_ PHANDLE TargetHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ ULONG HandleAttributes,
_In_ ULONG Options
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwDuplicateToken(
_In_ HANDLE ExistingTokenHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ BOOLEAN EffectiveOnly,
_In_ TOKEN_TYPE Type,
_Out_ PHANDLE NewTokenHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwEnableLastKnownGood(
VOID
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwEnumerateBootEntries(
_Out_writes_bytes_opt_(*BufferLength) PVOID Buffer,
_Inout_ PULONG BufferLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwEnumerateDriverEntries(
_Out_writes_bytes_opt_(*BufferLength) PVOID Buffer,
_Inout_ PULONG BufferLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwEnumerateKey(
_In_ HANDLE KeyHandle,
_In_ ULONG Index,
_In_ KEY_INFORMATION_CLASS KeyInformationClass,
_Out_writes_bytes_to_opt_(Length, *ResultLength) PVOID KeyInformation,
_In_ ULONG Length,
_Out_ PULONG ResultLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwEnumerateSystemEnvironmentValuesEx(
_In_ ULONG InformationClass, // SYSTEM_ENVIRONMENT_INFORMATION_CLASS
_Out_ PVOID Buffer,
_Inout_ PULONG BufferLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwEnumerateTransactionObject(
_In_opt_ HANDLE RootObjectHandle,
_In_ KTMOBJECT_TYPE QueryType,
_Inout_updates_bytes_(ObjectCursorLength) PKTMOBJECT_CURSOR ObjectCursor,
_In_ ULONG ObjectCursorLength,
_Out_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwEnumerateValueKey(
_In_ HANDLE KeyHandle,
_In_ ULONG Index,
_In_ KEY_VALUE_INFORMATION_CLASS KeyValueInformationClass,
_Out_writes_bytes_to_opt_(Length, *ResultLength) PVOID KeyValueInformation,
_In_ ULONG Length,
_Out_ PULONG ResultLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwExtendSection(
_In_ HANDLE SectionHandle,
_Inout_ PLARGE_INTEGER NewSectionSize
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwFilterBootOption(
_In_ FILTER_BOOT_OPTION_OPERATION FilterOperation,
_In_ ULONG ObjectType,
_In_ ULONG ElementType,
_In_reads_bytes_opt_(DataSize) PVOID Data,
_In_ ULONG DataSize
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwFilterToken(
_In_ HANDLE ExistingTokenHandle,
_In_ ULONG Flags,
_In_opt_ PTOKEN_GROUPS SidsToDisable,
_In_opt_ PTOKEN_PRIVILEGES PrivilegesToDelete,
_In_opt_ PTOKEN_GROUPS RestrictedSids,
_Out_ PHANDLE NewTokenHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwFilterTokenEx(
_In_ HANDLE ExistingTokenHandle,
_In_ ULONG Flags,
_In_opt_ PTOKEN_GROUPS SidsToDisable,
_In_opt_ PTOKEN_PRIVILEGES PrivilegesToDelete,
_In_opt_ PTOKEN_GROUPS RestrictedSids,
_In_ ULONG DisableUserClaimsCount,
_In_opt_ PUNICODE_STRING UserClaimsToDisable,
_In_ ULONG DisableDeviceClaimsCount,
_In_opt_ PUNICODE_STRING DeviceClaimsToDisable,
_In_opt_ PTOKEN_GROUPS DeviceGroupsToDisable,
_In_opt_ PTOKEN_SECURITY_ATTRIBUTES_INFORMATION RestrictedUserAttributes,
_In_opt_ PTOKEN_SECURITY_ATTRIBUTES_INFORMATION RestrictedDeviceAttributes,
_In_opt_ PTOKEN_GROUPS RestrictedDeviceGroups,
_Out_ PHANDLE NewTokenHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwFindAtom(
_In_reads_bytes_opt_(Length) PWSTR AtomName,
_In_ ULONG Length,
_Out_opt_ PRTL_ATOM Atom
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwFlushBuffersFile(
_In_ HANDLE FileHandle,
_Out_ PIO_STATUS_BLOCK IoStatusBlock
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwFlushBuffersFileEx(
_In_ HANDLE FileHandle,
_In_ ULONG Flags,
_In_reads_bytes_(ParametersSize) PVOID Parameters,
_In_ ULONG ParametersSize,
_Out_ PIO_STATUS_BLOCK IoStatusBlock
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwFlushInstallUILanguage(
_In_ LANGID InstallUILanguage,
_In_ ULONG SetComittedFlag
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwFlushInstructionCache(
_In_ HANDLE ProcessHandle,
_In_opt_ PVOID BaseAddress,
_In_ SIZE_T Length
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwFlushKey(
_In_ HANDLE KeyHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwFlushProcessWriteBuffers(
VOID
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwFlushVirtualMemory(
_In_ HANDLE ProcessHandle,
_Inout_ PVOID *BaseAddress,
_Inout_ PSIZE_T RegionSize,
_Out_ PIO_STATUS_BLOCK IoStatus
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwFlushWriteBuffer(
VOID
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwFreeUserPhysicalPages(
_In_ HANDLE ProcessHandle,
_Inout_ PULONG_PTR NumberOfPages,
_In_reads_(*NumberOfPages) PULONG_PTR UserPfnArray
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwFreeVirtualMemory(
_In_ HANDLE ProcessHandle,
_Inout_ PVOID *BaseAddress,
_Inout_ PSIZE_T RegionSize,
_In_ ULONG FreeType
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwFreezeRegistry(
_In_ ULONG TimeOutInSeconds
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwFreezeTransactions(
_In_ PLARGE_INTEGER FreezeTimeout,
_In_ PLARGE_INTEGER ThawTimeout
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwFsControlFile(
_In_ HANDLE FileHandle,
_In_opt_ HANDLE Event,
_In_opt_ PIO_APC_ROUTINE ApcRoutine,
_In_opt_ PVOID ApcContext,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_In_ ULONG FsControlCode,
_In_reads_bytes_opt_(InputBufferLength) PVOID InputBuffer,
_In_ ULONG InputBufferLength,
_Out_writes_bytes_opt_(OutputBufferLength) PVOID OutputBuffer,
_In_ ULONG OutputBufferLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwGetCachedSigningLevel(
_In_ HANDLE File,
_Out_ PULONG Flags,
_Out_ PSE_SIGNING_LEVEL SigningLevel,
_Out_writes_bytes_to_opt_(*ThumbprintSize, *ThumbprintSize) PUCHAR Thumbprint,
_Inout_opt_ PULONG ThumbprintSize,
_Out_opt_ PULONG ThumbprintAlgorithm
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwGetCompleteWnfStateSubscription(
_In_opt_ PWNF_STATE_NAME OldDescriptorStateName,
_In_opt_ ULONG64 *OldSubscriptionId,
_In_opt_ ULONG OldDescriptorEventMask,
_In_opt_ ULONG OldDescriptorStatus,
_Out_writes_bytes_(DescriptorSize) PWNF_DELIVERY_DESCRIPTOR NewDeliveryDescriptor,
_In_ ULONG DescriptorSize
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwGetContextThread(
_In_ HANDLE ThreadHandle,
_Inout_ PCONTEXT ThreadContext
);
NTSYSCALLAPI
ULONG
NTAPI
ZwGetCurrentProcessorNumber(
VOID
);
NTSYSCALLAPI
ULONG
NTAPI
ZwGetCurrentProcessorNumberEx(
_Out_opt_ PPROCESSOR_NUMBER ProcessorNumber
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwGetDevicePowerState(
_In_ HANDLE Device,
_Out_ PDEVICE_POWER_STATE State
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwGetMUIRegistryInfo(
_In_ ULONG Flags,
_Inout_ PULONG DataSize,
_Out_ PVOID Data
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwGetNextProcess(
_In_opt_ HANDLE ProcessHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ ULONG HandleAttributes,
_In_ ULONG Flags,
_Out_ PHANDLE NewProcessHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwGetNextThread(
_In_ HANDLE ProcessHandle,
_In_opt_ HANDLE ThreadHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ ULONG HandleAttributes,
_In_ ULONG Flags,
_Out_ PHANDLE NewThreadHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwGetNlsSectionPtr(
_In_ ULONG SectionType,
_In_ ULONG SectionData,
_In_ PVOID ContextData,
_Out_ PVOID *SectionPointer,
_Out_ PULONG SectionSize
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwGetNotificationResourceManager(
_In_ HANDLE ResourceManagerHandle,
_Out_ PTRANSACTION_NOTIFICATION TransactionNotification,
_In_ ULONG NotificationLength,
_In_opt_ PLARGE_INTEGER Timeout,
_Out_opt_ PULONG ReturnLength,
_In_ ULONG Asynchronous,
_In_opt_ ULONG_PTR AsynchronousContext
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwGetPlugPlayEvent(
_In_ HANDLE EventHandle,
_In_opt_ PVOID Context,
_Out_writes_bytes_(EventBufferSize) PPLUGPLAY_EVENT_BLOCK EventBlock,
_In_ ULONG EventBufferSize
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwGetWriteWatch(
_In_ HANDLE ProcessHandle,
_In_ ULONG Flags,
_In_ PVOID BaseAddress,
_In_ SIZE_T RegionSize,
_Out_writes_(*EntriesInUserAddressArray) PVOID *UserAddressArray,
_Inout_ PULONG_PTR EntriesInUserAddressArray,
_Out_ PULONG Granularity
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwImpersonateAnonymousToken(
_In_ HANDLE ThreadHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwImpersonateClientOfPort(
_In_ HANDLE PortHandle,
_In_ PPORT_MESSAGE Message
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwImpersonateThread(
_In_ HANDLE ServerThreadHandle,
_In_ HANDLE ClientThreadHandle,
_In_ PSECURITY_QUALITY_OF_SERVICE SecurityQos
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwInitializeEnclave(
_In_ HANDLE ProcessHandle,
_In_ PVOID BaseAddress,
_In_reads_bytes_(EnclaveInformationLength) PVOID EnclaveInformation,
_In_ ULONG EnclaveInformationLength,
_Out_opt_ PULONG EnclaveError
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwInitializeNlsFiles(
_Out_ PVOID *BaseAddress,
_Out_ PLCID DefaultLocaleId,
_Out_ PLARGE_INTEGER DefaultCasingTableSize,
_Out_opt_ PULONG CurrentNLSVersion
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwInitializeRegistry(
_In_ USHORT BootCondition
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwInitiatePowerAction(
_In_ POWER_ACTION SystemAction,
_In_ SYSTEM_POWER_STATE LightestSystemState,
_In_ ULONG Flags, // POWER_ACTION_* flags
_In_ BOOLEAN Asynchronous
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwIsProcessInJob(
_In_ HANDLE ProcessHandle,
_In_opt_ HANDLE JobHandle
);
NTSYSCALLAPI
BOOLEAN
NTAPI
ZwIsSystemResumeAutomatic(
VOID
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwIsUILanguageComitted(
VOID
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwListenPort(
_In_ HANDLE PortHandle,
_Out_ PPORT_MESSAGE ConnectionRequest
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwLoadDriver(
_In_ PUNICODE_STRING DriverServiceName
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwLoadEnclaveData(
_In_ HANDLE ProcessHandle,
_In_ PVOID BaseAddress,
_In_reads_bytes_(BufferSize) PVOID Buffer,
_In_ SIZE_T BufferSize,
_In_ ULONG Protect,
_In_reads_bytes_(PageInformationLength) PVOID PageInformation,
_In_ ULONG PageInformationLength,
_Out_opt_ PSIZE_T NumberOfBytesWritten,
_Out_opt_ PULONG EnclaveError
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwLoadKey(
_In_ POBJECT_ATTRIBUTES TargetKey,
_In_ POBJECT_ATTRIBUTES SourceFile
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwLoadKey2(
_In_ POBJECT_ATTRIBUTES TargetKey,
_In_ POBJECT_ATTRIBUTES SourceFile,
_In_ ULONG Flags
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwLoadKey3(
_In_ POBJECT_ATTRIBUTES TargetKey,
_In_ POBJECT_ATTRIBUTES SourceFile,
_In_ ULONG Flags,
_In_reads_(ExtendedParameterCount) PCM_EXTENDED_PARAMETER ExtendedParameters,
_In_ ULONG ExtendedParameterCount,
_In_opt_ ACCESS_MASK DesiredAccess,
_Out_opt_ PHANDLE RootHandle,
_Reserved_ PVOID Reserved
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwLoadKeyEx(
_In_ POBJECT_ATTRIBUTES TargetKey,
_In_ POBJECT_ATTRIBUTES SourceFile,
_In_ ULONG Flags,
_In_opt_ HANDLE TrustClassKey, // this and below were added on Win10
_In_opt_ HANDLE Event,
_In_opt_ ACCESS_MASK DesiredAccess,
_Out_opt_ PHANDLE RootHandle,
_Reserved_ PVOID Reserved // previously PIO_STATUS_BLOCK
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwLockFile(
_In_ HANDLE FileHandle,
_In_opt_ HANDLE Event,
_In_opt_ PIO_APC_ROUTINE ApcRoutine,
_In_opt_ PVOID ApcContext,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_In_ PLARGE_INTEGER ByteOffset,
_In_ PLARGE_INTEGER Length,
_In_ ULONG Key,
_In_ BOOLEAN FailImmediately,
_In_ BOOLEAN ExclusiveLock
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwLockProductActivationKeys(
_Inout_opt_ ULONG *pPrivateVer,
_Out_opt_ ULONG *pSafeMode
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwLockRegistryKey(
_In_ HANDLE KeyHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwLockVirtualMemory(
_In_ HANDLE ProcessHandle,
_Inout_ PVOID *BaseAddress,
_Inout_ PSIZE_T RegionSize,
_In_ ULONG MapType
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwMakePermanentObject(
_In_ HANDLE Handle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwMakeTemporaryObject(
_In_ HANDLE Handle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwManagePartition(
_In_ HANDLE TargetHandle,
_In_opt_ HANDLE SourceHandle,
_In_ PARTITION_INFORMATION_CLASS PartitionInformationClass,
_Inout_updates_bytes_(PartitionInformationLength) PVOID PartitionInformation,
_In_ ULONG PartitionInformationLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwMapCMFModule(
_In_ ULONG What,
_In_ ULONG Index,
_Out_opt_ PULONG CacheIndexOut,
_Out_opt_ PULONG CacheFlagsOut,
_Out_opt_ PULONG ViewSizeOut,
_Out_opt_ PVOID *BaseAddress
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwMapUserPhysicalPages(
_In_ PVOID VirtualAddress,
_In_ ULONG_PTR NumberOfPages,
_In_reads_opt_(NumberOfPages) PULONG_PTR UserPfnArray
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwMapUserPhysicalPagesScatter(
_In_reads_(NumberOfPages) PVOID *VirtualAddresses,
_In_ ULONG_PTR NumberOfPages,
_In_reads_opt_(NumberOfPages) PULONG_PTR UserPfnArray
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwMapViewOfSection(
_In_ HANDLE SectionHandle,
_In_ HANDLE ProcessHandle,
_Inout_ _At_(*BaseAddress, _Readable_bytes_(*ViewSize) _Writable_bytes_(*ViewSize) _Post_readable_byte_size_(*ViewSize)) PVOID *BaseAddress,
_In_ ULONG_PTR ZeroBits,
_In_ SIZE_T CommitSize,
_Inout_opt_ PLARGE_INTEGER SectionOffset,
_Inout_ PSIZE_T ViewSize,
_In_ SECTION_INHERIT InheritDisposition,
_In_ ULONG AllocationType,
_In_ ULONG Win32Protect
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwMapViewOfSectionEx(
_In_ HANDLE SectionHandle,
_In_ HANDLE ProcessHandle,
_Inout_ _At_(*BaseAddress, _Readable_bytes_(*ViewSize) _Writable_bytes_(*ViewSize) _Post_readable_byte_size_(*ViewSize)) PVOID *BaseAddress,
_Inout_opt_ PLARGE_INTEGER SectionOffset,
_Inout_ PSIZE_T ViewSize,
_In_ ULONG AllocationType,
_In_ ULONG PageProtection,
_Inout_updates_opt_(ExtendedParameterCount) PMEM_EXTENDED_PARAMETER ExtendedParameters,
_In_ ULONG ExtendedParameterCount
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwModifyBootEntry(
_In_ PBOOT_ENTRY BootEntry
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwModifyDriverEntry(
_In_ PEFI_DRIVER_ENTRY DriverEntry
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwNotifyChangeDirectoryFile(
_In_ HANDLE FileHandle,
_In_opt_ HANDLE Event,
_In_opt_ PIO_APC_ROUTINE ApcRoutine,
_In_opt_ PVOID ApcContext,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_Out_writes_bytes_(Length) PVOID Buffer, // FILE_NOTIFY_INFORMATION
_In_ ULONG Length,
_In_ ULONG CompletionFilter,
_In_ BOOLEAN WatchTree
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwNotifyChangeDirectoryFileEx(
_In_ HANDLE FileHandle,
_In_opt_ HANDLE Event,
_In_opt_ PIO_APC_ROUTINE ApcRoutine,
_In_opt_ PVOID ApcContext,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_Out_writes_bytes_(Length) PVOID Buffer,
_In_ ULONG Length,
_In_ ULONG CompletionFilter,
_In_ BOOLEAN WatchTree,
_In_opt_ DIRECTORY_NOTIFY_INFORMATION_CLASS DirectoryNotifyInformationClass
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwNotifyChangeKey(
_In_ HANDLE KeyHandle,
_In_opt_ HANDLE Event,
_In_opt_ PIO_APC_ROUTINE ApcRoutine,
_In_opt_ PVOID ApcContext,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_In_ ULONG CompletionFilter,
_In_ BOOLEAN WatchTree,
_Out_writes_bytes_opt_(BufferSize) PVOID Buffer,
_In_ ULONG BufferSize,
_In_ BOOLEAN Asynchronous
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwNotifyChangeMultipleKeys(
_In_ HANDLE MasterKeyHandle,
_In_opt_ ULONG Count,
_In_reads_opt_(Count) OBJECT_ATTRIBUTES SubordinateObjects[],
_In_opt_ HANDLE Event,
_In_opt_ PIO_APC_ROUTINE ApcRoutine,
_In_opt_ PVOID ApcContext,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_In_ ULONG CompletionFilter,
_In_ BOOLEAN WatchTree,
_Out_writes_bytes_opt_(BufferSize) PVOID Buffer,
_In_ ULONG BufferSize,
_In_ BOOLEAN Asynchronous
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwNotifyChangeSession(
_In_ HANDLE SessionHandle,
_In_ ULONG ChangeSequenceNumber,
_In_ PLARGE_INTEGER ChangeTimeStamp,
_In_ IO_SESSION_EVENT Event,
_In_ IO_SESSION_STATE NewState,
_In_ IO_SESSION_STATE PreviousState,
_In_reads_bytes_opt_(PayloadSize) PVOID Payload,
_In_ ULONG PayloadSize
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenDirectoryObject(
_Out_ PHANDLE DirectoryHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenEnlistment(
_Out_ PHANDLE EnlistmentHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ HANDLE ResourceManagerHandle,
_In_ LPGUID EnlistmentGuid,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenEvent(
_Out_ PHANDLE EventHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenEventPair(
_Out_ PHANDLE EventPairHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenFile(
_Out_ PHANDLE FileHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_In_ ULONG ShareAccess,
_In_ ULONG OpenOptions
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenIoCompletion(
_Out_ PHANDLE IoCompletionHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenJobObject(
_Out_ PHANDLE JobHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenKey(
_Out_ PHANDLE KeyHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenKeyedEvent(
_Out_ PHANDLE KeyedEventHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenKeyEx(
_Out_ PHANDLE KeyHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ ULONG OpenOptions
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenKeyTransacted(
_Out_ PHANDLE KeyHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ HANDLE TransactionHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenKeyTransactedEx(
_Out_ PHANDLE KeyHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ ULONG OpenOptions,
_In_ HANDLE TransactionHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenMutant(
_Out_ PHANDLE MutantHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenObjectAuditAlarm(
_In_ PUNICODE_STRING SubsystemName,
_In_opt_ PVOID HandleId,
_In_ PUNICODE_STRING ObjectTypeName,
_In_ PUNICODE_STRING ObjectName,
_In_opt_ PSECURITY_DESCRIPTOR SecurityDescriptor,
_In_ HANDLE ClientToken,
_In_ ACCESS_MASK DesiredAccess,
_In_ ACCESS_MASK GrantedAccess,
_In_opt_ PPRIVILEGE_SET Privileges,
_In_ BOOLEAN ObjectCreation,
_In_ BOOLEAN AccessGranted,
_Out_ PBOOLEAN GenerateOnClose
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenPartition(
_Out_ PHANDLE PartitionHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenPrivateNamespace(
_Out_ PHANDLE NamespaceHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ POBJECT_BOUNDARY_DESCRIPTOR BoundaryDescriptor
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenProcess(
_Out_ PHANDLE ProcessHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_opt_ PCLIENT_ID ClientId
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenProcessToken(
_In_ HANDLE ProcessHandle,
_In_ ACCESS_MASK DesiredAccess,
_Out_ PHANDLE TokenHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenProcessTokenEx(
_In_ HANDLE ProcessHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ ULONG HandleAttributes,
_Out_ PHANDLE TokenHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenResourceManager(
_Out_ PHANDLE ResourceManagerHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ HANDLE TmHandle,
_In_opt_ LPGUID ResourceManagerGuid,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenSection(
_Out_ PHANDLE SectionHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenSemaphore(
_Out_ PHANDLE SemaphoreHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenSession(
_Out_ PHANDLE SessionHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenSymbolicLinkObject(
_Out_ PHANDLE LinkHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenThread(
_Out_ PHANDLE ThreadHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_opt_ PCLIENT_ID ClientId
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenThreadToken(
_In_ HANDLE ThreadHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ BOOLEAN OpenAsSelf,
_Out_ PHANDLE TokenHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenThreadTokenEx(
_In_ HANDLE ThreadHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ BOOLEAN OpenAsSelf,
_In_ ULONG HandleAttributes,
_Out_ PHANDLE TokenHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenTimer(
_Out_ PHANDLE TimerHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_ POBJECT_ATTRIBUTES ObjectAttributes
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenTransaction(
_Out_ PHANDLE TransactionHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_ LPGUID Uow,
_In_opt_ HANDLE TmHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwOpenTransactionManager(
_Out_ PHANDLE TmHandle,
_In_ ACCESS_MASK DesiredAccess,
_In_opt_ POBJECT_ATTRIBUTES ObjectAttributes,
_In_opt_ PUNICODE_STRING LogFileName,
_In_opt_ LPGUID TmIdentity,
_In_opt_ ULONG OpenOptions
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwPlugPlayControl(
_In_ PLUGPLAY_CONTROL_CLASS PnPControlClass,
_Inout_updates_bytes_(PnPControlDataLength) PVOID PnPControlData,
_In_ ULONG PnPControlDataLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwPowerInformation(
_In_ POWER_INFORMATION_LEVEL InformationLevel,
_In_reads_bytes_opt_(InputBufferLength) PVOID InputBuffer,
_In_ ULONG InputBufferLength,
_Out_writes_bytes_opt_(OutputBufferLength) PVOID OutputBuffer,
_In_ ULONG OutputBufferLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwPrepareComplete(
_In_ HANDLE EnlistmentHandle,
_In_opt_ PLARGE_INTEGER TmVirtualClock
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwPrepareEnlistment(
_In_ HANDLE EnlistmentHandle,
_In_opt_ PLARGE_INTEGER TmVirtualClock
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwPrePrepareComplete(
_In_ HANDLE EnlistmentHandle,
_In_opt_ PLARGE_INTEGER TmVirtualClock
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwPrePrepareEnlistment(
_In_ HANDLE EnlistmentHandle,
_In_opt_ PLARGE_INTEGER TmVirtualClock
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwPrivilegeCheck(
_In_ HANDLE ClientToken,
_Inout_ PPRIVILEGE_SET RequiredPrivileges,
_Out_ PBOOLEAN Result
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwPrivilegedServiceAuditAlarm(
_In_ PUNICODE_STRING SubsystemName,
_In_ PUNICODE_STRING ServiceName,
_In_ HANDLE ClientToken,
_In_ PPRIVILEGE_SET Privileges,
_In_ BOOLEAN AccessGranted
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwPrivilegeObjectAuditAlarm(
_In_ PUNICODE_STRING SubsystemName,
_In_opt_ PVOID HandleId,
_In_ HANDLE ClientToken,
_In_ ACCESS_MASK DesiredAccess,
_In_ PPRIVILEGE_SET Privileges,
_In_ BOOLEAN AccessGranted
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwPropagationComplete(
_In_ HANDLE ResourceManagerHandle,
_In_ ULONG RequestCookie,
_In_ ULONG BufferLength,
_In_ PVOID Buffer
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwPropagationFailed(
_In_ HANDLE ResourceManagerHandle,
_In_ ULONG RequestCookie,
_In_ NTSTATUS PropStatus
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwProtectVirtualMemory(
_In_ HANDLE ProcessHandle,
_Inout_ PVOID *BaseAddress,
_Inout_ PSIZE_T RegionSize,
_In_ ULONG NewProtect,
_Out_ PULONG OldProtect
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwPssCaptureVaSpaceBulk(
_In_ HANDLE ProcessHandle,
_In_opt_ PVOID BaseAddress,
_In_ PNTPSS_MEMORY_BULK_INFORMATION BulkInformation,
_In_ SIZE_T BulkInformationLength,
_Out_opt_ PSIZE_T ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwPulseEvent(
_In_ HANDLE EventHandle,
_Out_opt_ PLONG PreviousState
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryAttributesFile(
_In_ POBJECT_ATTRIBUTES ObjectAttributes,
_Out_ PFILE_BASIC_INFORMATION FileInformation
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryAuxiliaryCounterFrequency(
_Out_ PLARGE_INTEGER AuxiliaryCounterFrequency
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryBootEntryOrder(
_Out_writes_opt_(*Count) PULONG Ids,
_Inout_ PULONG Count
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryBootOptions(
_Out_writes_bytes_opt_(*BootOptionsLength) PBOOT_OPTIONS BootOptions,
_Inout_ PULONG BootOptionsLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryDebugFilterState(
_In_ ULONG ComponentId,
_In_ ULONG Level
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryDefaultLocale(
_In_ BOOLEAN UserProfile,
_Out_ PLCID DefaultLocaleId
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryDefaultUILanguage(
_Out_ LANGID *DefaultUILanguageId
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryDirectoryFile(
_In_ HANDLE FileHandle,
_In_opt_ HANDLE Event,
_In_opt_ PIO_APC_ROUTINE ApcRoutine,
_In_opt_ PVOID ApcContext,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_Out_writes_bytes_(Length) PVOID FileInformation,
_In_ ULONG Length,
_In_ FILE_INFORMATION_CLASS FileInformationClass,
_In_ BOOLEAN ReturnSingleEntry,
_In_opt_ PUNICODE_STRING FileName,
_In_ BOOLEAN RestartScan
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryDirectoryFileEx(
_In_ HANDLE FileHandle,
_In_opt_ HANDLE Event,
_In_opt_ PIO_APC_ROUTINE ApcRoutine,
_In_opt_ PVOID ApcContext,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_Out_writes_bytes_(Length) PVOID FileInformation,
_In_ ULONG Length,
_In_ FILE_INFORMATION_CLASS FileInformationClass,
_In_ ULONG QueryFlags,
_In_opt_ PUNICODE_STRING FileName
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryDirectoryObject(
_In_ HANDLE DirectoryHandle,
_Out_writes_bytes_opt_(Length) PVOID Buffer,
_In_ ULONG Length,
_In_ BOOLEAN ReturnSingleEntry,
_In_ BOOLEAN RestartScan,
_Inout_ PULONG Context,
_Out_opt_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryDriverEntryOrder(
_Out_writes_opt_(*Count) PULONG Ids,
_Inout_ PULONG Count
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryEaFile(
_In_ HANDLE FileHandle,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_Out_writes_bytes_(Length) PVOID Buffer,
_In_ ULONG Length,
_In_ BOOLEAN ReturnSingleEntry,
_In_reads_bytes_opt_(EaListLength) PVOID EaList,
_In_ ULONG EaListLength,
_In_opt_ PULONG EaIndex,
_In_ BOOLEAN RestartScan
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryEvent(
_In_ HANDLE EventHandle,
_In_ EVENT_INFORMATION_CLASS EventInformationClass,
_Out_writes_bytes_(EventInformationLength) PVOID EventInformation,
_In_ ULONG EventInformationLength,
_Out_opt_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryFullAttributesFile(
_In_ POBJECT_ATTRIBUTES ObjectAttributes,
_Out_ PFILE_NETWORK_OPEN_INFORMATION FileInformation
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryInformationAtom(
_In_ RTL_ATOM Atom,
_In_ ATOM_INFORMATION_CLASS AtomInformationClass,
_Out_writes_bytes_(AtomInformationLength) PVOID AtomInformation,
_In_ ULONG AtomInformationLength,
_Out_opt_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryInformationByName(
_In_ POBJECT_ATTRIBUTES ObjectAttributes,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_Out_writes_bytes_(Length) PVOID FileInformation,
_In_ ULONG Length,
_In_ FILE_INFORMATION_CLASS FileInformationClass
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryInformationEnlistment(
_In_ HANDLE EnlistmentHandle,
_In_ ENLISTMENT_INFORMATION_CLASS EnlistmentInformationClass,
_Out_writes_bytes_(EnlistmentInformationLength) PVOID EnlistmentInformation,
_In_ ULONG EnlistmentInformationLength,
_Out_opt_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryInformationFile(
_In_ HANDLE FileHandle,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_Out_writes_bytes_(Length) PVOID FileInformation,
_In_ ULONG Length,
_In_ FILE_INFORMATION_CLASS FileInformationClass
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryInformationJobObject(
_In_opt_ HANDLE JobHandle,
_In_ JOBOBJECTINFOCLASS JobObjectInformationClass,
_Out_writes_bytes_(JobObjectInformationLength) PVOID JobObjectInformation,
_In_ ULONG JobObjectInformationLength,
_Out_opt_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryInformationPort(
_In_ HANDLE PortHandle,
_In_ PORT_INFORMATION_CLASS PortInformationClass,
_Out_writes_bytes_to_(Length, *ReturnLength) PVOID PortInformation,
_In_ ULONG Length,
_Out_opt_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryInformationProcess(
_In_ HANDLE ProcessHandle,
_In_ PROCESSINFOCLASS ProcessInformationClass,
_Out_writes_bytes_(ProcessInformationLength) PVOID ProcessInformation,
_In_ ULONG ProcessInformationLength,
_Out_opt_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryInformationResourceManager(
_In_ HANDLE ResourceManagerHandle,
_In_ RESOURCEMANAGER_INFORMATION_CLASS ResourceManagerInformationClass,
_Out_writes_bytes_(ResourceManagerInformationLength) PVOID ResourceManagerInformation,
_In_ ULONG ResourceManagerInformationLength,
_Out_opt_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryInformationThread(
_In_ HANDLE ThreadHandle,
_In_ THREADINFOCLASS ThreadInformationClass,
_Out_writes_bytes_(ThreadInformationLength) PVOID ThreadInformation,
_In_ ULONG ThreadInformationLength,
_Out_opt_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryInformationToken(
_In_ HANDLE TokenHandle,
_In_ TOKEN_INFORMATION_CLASS TokenInformationClass,
_Out_writes_bytes_to_opt_(TokenInformationLength, *ReturnLength) PVOID TokenInformation,
_In_ ULONG TokenInformationLength,
_Out_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryInformationTransaction(
_In_ HANDLE TransactionHandle,
_In_ TRANSACTION_INFORMATION_CLASS TransactionInformationClass,
_Out_writes_bytes_(TransactionInformationLength) PVOID TransactionInformation,
_In_ ULONG TransactionInformationLength,
_Out_opt_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryInformationTransactionManager(
_In_ HANDLE TransactionManagerHandle,
_In_ TRANSACTIONMANAGER_INFORMATION_CLASS TransactionManagerInformationClass,
_Out_writes_bytes_(TransactionManagerInformationLength) PVOID TransactionManagerInformation,
_In_ ULONG TransactionManagerInformationLength,
_Out_opt_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryInformationWorkerFactory(
_In_ HANDLE WorkerFactoryHandle,
_In_ WORKERFACTORYINFOCLASS WorkerFactoryInformationClass,
_Out_writes_bytes_(WorkerFactoryInformationLength) PVOID WorkerFactoryInformation,
_In_ ULONG WorkerFactoryInformationLength,
_Out_opt_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryInstallUILanguage(
_Out_ LANGID *InstallUILanguageId
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryIntervalProfile(
_In_ KPROFILE_SOURCE ProfileSource,
_Out_ PULONG Interval
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryIoCompletion(
_In_ HANDLE IoCompletionHandle,
_In_ IO_COMPLETION_INFORMATION_CLASS IoCompletionInformationClass,
_Out_writes_bytes_(IoCompletionInformationLength) PVOID IoCompletionInformation,
_In_ ULONG IoCompletionInformationLength,
_Out_opt_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryIoRingCapabilities(
_In_ SIZE_T IoRingCapabilitiesLength,
_Out_ PVOID IoRingCapabilities
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryKey(
_In_ HANDLE KeyHandle,
_In_ KEY_INFORMATION_CLASS KeyInformationClass,
_Out_writes_bytes_to_opt_(Length, *ResultLength) PVOID KeyInformation,
_In_ ULONG Length,
_Out_ PULONG ResultLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
_In_ PUNICODE_STRING ValueName,
_Out_opt_ PULONG Type,
_Out_writes_bytes_to_opt_(DataSize, *ResultDataSize) PVOID Data,
_In_ ULONG DataSize,
_Out_ PULONG ResultDataSize
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryMultipleValueKey(
_In_ HANDLE KeyHandle,
_Inout_updates_(EntryCount) PKEY_VALUE_ENTRY ValueEntries,
_In_ ULONG EntryCount,
_Out_writes_bytes_(*BufferLength) PVOID ValueBuffer,
_Inout_ PULONG BufferLength,
_Out_opt_ PULONG RequiredBufferLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryMutant(
_In_ HANDLE MutantHandle,
_In_ MUTANT_INFORMATION_CLASS MutantInformationClass,
_Out_writes_bytes_(MutantInformationLength) PVOID MutantInformation,
_In_ ULONG MutantInformationLength,
_Out_opt_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryObject(
_In_opt_ HANDLE Handle,
_In_ OBJECT_INFORMATION_CLASS ObjectInformationClass,
_Out_writes_bytes_opt_(ObjectInformationLength) PVOID ObjectInformation,
_In_ ULONG ObjectInformationLength,
_Out_opt_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryOpenSubKeys(
_In_ POBJECT_ATTRIBUTES TargetKey,
_Out_ PULONG HandleCount
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryOpenSubKeysEx(
_In_ POBJECT_ATTRIBUTES TargetKey,
_In_ ULONG BufferLength,
_Out_writes_bytes_opt_(BufferLength) PVOID Buffer,
_Out_ PULONG RequiredSize
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryPerformanceCounter(
_Out_ PLARGE_INTEGER PerformanceCounter,
_Out_opt_ PLARGE_INTEGER PerformanceFrequency
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryPortInformationProcess(
VOID
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryQuotaInformationFile(
_In_ HANDLE FileHandle,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_Out_writes_bytes_(Length) PVOID Buffer,
_In_ ULONG Length,
_In_ BOOLEAN ReturnSingleEntry,
_In_reads_bytes_opt_(SidListLength) PVOID SidList,
_In_ ULONG SidListLength,
_In_opt_ PSID StartSid,
_In_ BOOLEAN RestartScan
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQuerySection(
_In_ HANDLE SectionHandle,
_In_ SECTION_INFORMATION_CLASS SectionInformationClass,
_Out_writes_bytes_(SectionInformationLength) PVOID SectionInformation,
_In_ SIZE_T SectionInformationLength,
_Out_opt_ PSIZE_T ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQuerySecurityAttributesToken(
_In_ HANDLE TokenHandle,
_In_reads_opt_(NumberOfAttributes) PUNICODE_STRING Attributes,
_In_ ULONG NumberOfAttributes,
_Out_writes_bytes_(Length) PVOID Buffer, // PTOKEN_SECURITY_ATTRIBUTES_INFORMATION
_In_ ULONG Length,
_Out_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQuerySecurityObject(
_In_ HANDLE Handle,
_In_ SECURITY_INFORMATION SecurityInformation,
_Out_writes_bytes_to_opt_(Length, *LengthNeeded) PSECURITY_DESCRIPTOR SecurityDescriptor,
_In_ ULONG Length,
_Out_ PULONG LengthNeeded
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQuerySemaphore(
_In_ HANDLE SemaphoreHandle,
_In_ SEMAPHORE_INFORMATION_CLASS SemaphoreInformationClass,
_Out_writes_bytes_(SemaphoreInformationLength) PVOID SemaphoreInformation,
_In_ ULONG SemaphoreInformationLength,
_Out_opt_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQuerySymbolicLinkObject(
_In_ HANDLE LinkHandle,
_Inout_ PUNICODE_STRING LinkTarget,
_Out_opt_ PULONG ReturnedLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQuerySystemEnvironmentValue(
_In_ PUNICODE_STRING VariableName,
_Out_writes_bytes_(ValueLength) PWSTR VariableValue,
_In_ USHORT ValueLength,
_Out_opt_ PUSHORT ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQuerySystemEnvironmentValueEx(
_In_ PUNICODE_STRING VariableName,
_In_ PCGUID VendorGuid,
_Out_writes_bytes_opt_(*ValueLength) PVOID Value,
_Inout_ PULONG ValueLength,
_Out_opt_ PULONG Attributes // EFI_VARIABLE_*
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQuerySystemInformation(
_In_ SYSTEM_INFORMATION_CLASS SystemInformationClass,
_Out_writes_bytes_opt_(SystemInformationLength) PVOID SystemInformation,
_In_ ULONG SystemInformationLength,
_Out_opt_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQuerySystemInformationEx(
_In_ SYSTEM_INFORMATION_CLASS SystemInformationClass,
_In_reads_bytes_(InputBufferLength) PVOID InputBuffer,
_In_ ULONG InputBufferLength,
_Out_writes_bytes_opt_(SystemInformationLength) PVOID SystemInformation,
_In_ ULONG SystemInformationLength,
_Out_opt_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQuerySystemTime(
_Out_ PLARGE_INTEGER SystemTime
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryTimer(
_In_ HANDLE TimerHandle,
_In_ TIMER_INFORMATION_CLASS TimerInformationClass,
_Out_writes_bytes_(TimerInformationLength) PVOID TimerInformation,
_In_ ULONG TimerInformationLength,
_Out_opt_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryTimerResolution(
_Out_ PULONG MaximumTime,
_Out_ PULONG MinimumTime,
_Out_ PULONG CurrentTime
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryValueKey(
_In_ HANDLE KeyHandle,
_In_ PUNICODE_STRING ValueName,
_In_ KEY_VALUE_INFORMATION_CLASS KeyValueInformationClass,
_Out_writes_bytes_to_opt_(Length, *ResultLength) PVOID KeyValueInformation,
_In_ ULONG Length,
_Out_ PULONG ResultLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryVirtualMemory(
_In_ HANDLE ProcessHandle,
_In_opt_ PVOID BaseAddress,
_In_ MEMORY_INFORMATION_CLASS MemoryInformationClass,
_Out_writes_bytes_(MemoryInformationLength) PVOID MemoryInformation,
_In_ SIZE_T MemoryInformationLength,
_Out_opt_ PSIZE_T ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryVolumeInformationFile(
_In_ HANDLE FileHandle,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_Out_writes_bytes_(Length) PVOID FsInformation,
_In_ ULONG Length,
_In_ FSINFOCLASS FsInformationClass
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryWnfStateData(
_In_ PCWNF_STATE_NAME StateName,
_In_opt_ PCWNF_TYPE_ID TypeId,
_In_opt_ const VOID* ExplicitScope,
_Out_ PWNF_CHANGE_STAMP ChangeStamp,
_Out_writes_bytes_opt_(*BufferSize) PVOID Buffer,
_Inout_ PULONG BufferSize
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueryWnfStateNameInformation(
_In_ PCWNF_STATE_NAME StateName,
_In_ WNF_STATE_NAME_INFORMATION NameInfoClass,
_In_opt_ const VOID* ExplicitScope,
_Out_writes_bytes_(InfoBufferSize) PVOID InfoBuffer,
_In_ ULONG InfoBufferSize
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueueApcThread(
_In_ HANDLE ThreadHandle,
_In_ PPS_APC_ROUTINE ApcRoutine,
_In_opt_ PVOID ApcArgument1,
_In_opt_ PVOID ApcArgument2,
_In_opt_ PVOID ApcArgument3
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueueApcThreadEx(
_In_ HANDLE ThreadHandle,
_In_opt_ HANDLE ReserveHandle, // NtAllocateReserveObject // SPECIAL_USER_APC
_In_ PPS_APC_ROUTINE ApcRoutine,
_In_opt_ PVOID ApcArgument1,
_In_opt_ PVOID ApcArgument2,
_In_opt_ PVOID ApcArgument3
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwQueueApcThreadEx2(
_In_ HANDLE ThreadHandle,
_In_opt_ HANDLE ReserveHandle, // NtAllocateReserveObject
_In_ ULONG ApcFlags, // QUEUE_USER_APC_FLAGS
_In_ PPS_APC_ROUTINE ApcRoutine,
_In_opt_ PVOID ApcArgument1,
_In_opt_ PVOID ApcArgument2,
_In_opt_ PVOID ApcArgument3
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwRaiseException(
_In_ PEXCEPTION_RECORD ExceptionRecord,
_In_ PCONTEXT ContextRecord,
_In_ BOOLEAN FirstChance
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwRaiseHardError(
_In_ NTSTATUS ErrorStatus,
_In_ ULONG NumberOfParameters,
_In_ ULONG UnicodeStringParameterMask,
_In_reads_(NumberOfParameters) PULONG_PTR Parameters,
_In_ ULONG ValidResponseOptions,
_Out_ PULONG Response
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwReadFile(
_In_ HANDLE FileHandle,
_In_opt_ HANDLE Event,
_In_opt_ PIO_APC_ROUTINE ApcRoutine,
_In_opt_ PVOID ApcContext,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_Out_writes_bytes_(Length) PVOID Buffer,
_In_ ULONG Length,
_In_opt_ PLARGE_INTEGER ByteOffset,
_In_opt_ PULONG Key
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwReadFileScatter(
_In_ HANDLE FileHandle,
_In_opt_ HANDLE Event,
_In_opt_ PIO_APC_ROUTINE ApcRoutine,
_In_opt_ PVOID ApcContext,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_In_ PFILE_SEGMENT_ELEMENT SegmentArray,
_In_ ULONG Length,
_In_opt_ PLARGE_INTEGER ByteOffset,
_In_opt_ PULONG Key
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwReadOnlyEnlistment(
_In_ HANDLE EnlistmentHandle,
_In_opt_ PLARGE_INTEGER TmVirtualClock
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwReadRequestData(
_In_ HANDLE PortHandle,
_In_ PPORT_MESSAGE Message,
_In_ ULONG DataEntryIndex,
_Out_writes_bytes_to_(BufferSize, *NumberOfBytesRead) PVOID Buffer,
_In_ SIZE_T BufferSize,
_Out_opt_ PSIZE_T NumberOfBytesRead
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwReadVirtualMemory(
_In_ HANDLE ProcessHandle,
_In_opt_ PVOID BaseAddress,
_Out_writes_bytes_(BufferSize) PVOID Buffer,
_In_ SIZE_T BufferSize,
_Out_opt_ PSIZE_T NumberOfBytesRead
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwReadVirtualMemoryEx(
_In_ HANDLE ProcessHandle,
_In_opt_ PVOID BaseAddress,
_Out_writes_bytes_(BufferSize) PVOID Buffer,
_In_ SIZE_T BufferSize,
_Out_opt_ PSIZE_T NumberOfBytesRead,
_In_ ULONG Flags
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwRecoverEnlistment(
_In_ HANDLE EnlistmentHandle,
_In_opt_ PVOID EnlistmentKey
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwRecoverResourceManager(
_In_ HANDLE ResourceManagerHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwRecoverTransactionManager(
_In_ HANDLE TransactionManagerHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwRegisterProtocolAddressInformation(
_In_ HANDLE ResourceManager,
_In_ PCRM_PROTOCOL_ID ProtocolId,
_In_ ULONG ProtocolInformationSize,
_In_ PVOID ProtocolInformation,
_In_opt_ ULONG CreateOptions
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwRegisterThreadTerminatePort(
_In_ HANDLE PortHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwReleaseCMFViewOwnership(
VOID
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwReleaseKeyedEvent(
_In_opt_ HANDLE KeyedEventHandle,
_In_ PVOID KeyValue,
_In_ BOOLEAN Alertable,
_In_opt_ PLARGE_INTEGER Timeout
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwReleaseMutant(
_In_ HANDLE MutantHandle,
_Out_opt_ PLONG PreviousCount
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwReleaseSemaphore(
_In_ HANDLE SemaphoreHandle,
_In_ LONG ReleaseCount,
_Out_opt_ PLONG PreviousCount
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwReleaseWorkerFactoryWorker(
_In_ HANDLE WorkerFactoryHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwRemoveIoCompletion(
_In_ HANDLE IoCompletionHandle,
_Out_ PVOID *KeyContext,
_Out_ PVOID *ApcContext,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_In_opt_ PLARGE_INTEGER Timeout
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwRemoveIoCompletionEx(
_In_ HANDLE IoCompletionHandle,
_Out_writes_to_(Count, *NumEntriesRemoved) PFILE_IO_COMPLETION_INFORMATION IoCompletionInformation,
_In_ ULONG Count,
_Out_ PULONG NumEntriesRemoved,
_In_opt_ PLARGE_INTEGER Timeout,
_In_ BOOLEAN Alertable
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwRemoveProcessDebug(
_In_ HANDLE ProcessHandle,
_In_ HANDLE DebugObjectHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwRenameKey(
_In_ HANDLE KeyHandle,
_In_ PUNICODE_STRING NewName
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwRenameTransactionManager(
_In_ PUNICODE_STRING LogFileName,
_In_ LPGUID ExistingTransactionManagerGuid
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwReplaceKey(
_In_ POBJECT_ATTRIBUTES NewFile,
_In_ HANDLE TargetHandle,
_In_ POBJECT_ATTRIBUTES OldFile
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwReplacePartitionUnit(
_In_ PUNICODE_STRING TargetInstancePath,
_In_ PUNICODE_STRING SpareInstancePath,
_In_ ULONG Flags
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwReplyPort(
_In_ HANDLE PortHandle,
_In_reads_bytes_(ReplyMessage->u1.s1.TotalLength) PPORT_MESSAGE ReplyMessage
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwReplyWaitReceivePort(
_In_ HANDLE PortHandle,
_Out_opt_ PVOID *PortContext,
_In_reads_bytes_opt_(ReplyMessage->u1.s1.TotalLength) PPORT_MESSAGE ReplyMessage,
_Out_ PPORT_MESSAGE ReceiveMessage
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwReplyWaitReceivePortEx(
_In_ HANDLE PortHandle,
_Out_opt_ PVOID *PortContext,
_In_reads_bytes_opt_(ReplyMessage->u1.s1.TotalLength) PPORT_MESSAGE ReplyMessage,
_Out_ PPORT_MESSAGE ReceiveMessage,
_In_opt_ PLARGE_INTEGER Timeout
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwReplyWaitReplyPort(
_In_ HANDLE PortHandle,
_Inout_ PPORT_MESSAGE ReplyMessage
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwRequestPort(
_In_ HANDLE PortHandle,
_In_reads_bytes_(RequestMessage->u1.s1.TotalLength) PPORT_MESSAGE RequestMessage
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwRequestWaitReplyPort(
_In_ HANDLE PortHandle,
_In_reads_bytes_(RequestMessage->u1.s1.TotalLength) PPORT_MESSAGE RequestMessage,
_Out_ PPORT_MESSAGE ReplyMessage
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwRequestWakeupLatency(
_In_ LATENCY_TIME latency
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwResetEvent(
_In_ HANDLE EventHandle,
_Out_opt_ PLONG PreviousState
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwResetWriteWatch(
_In_ HANDLE ProcessHandle,
_In_ PVOID BaseAddress,
_In_ SIZE_T RegionSize
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwRestoreKey(
_In_ HANDLE KeyHandle,
_In_ HANDLE FileHandle,
_In_ ULONG Flags
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwResumeProcess(
_In_ HANDLE ProcessHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwResumeThread(
_In_ HANDLE ThreadHandle,
_Out_opt_ PULONG PreviousSuspendCount
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwRevertContainerImpersonation(
VOID
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwRollbackComplete(
_In_ HANDLE EnlistmentHandle,
_In_opt_ PLARGE_INTEGER TmVirtualClock
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwRollbackEnlistment(
_In_ HANDLE EnlistmentHandle,
_In_opt_ PLARGE_INTEGER TmVirtualClock
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwRollbackTransaction(
_In_ HANDLE TransactionHandle,
_In_ BOOLEAN Wait
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwRollforwardTransactionManager(
_In_ HANDLE TransactionManagerHandle,
_In_opt_ PLARGE_INTEGER TmVirtualClock
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSaveKey(
_In_ HANDLE KeyHandle,
_In_ HANDLE FileHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSaveKeyEx(
_In_ HANDLE KeyHandle,
_In_ HANDLE FileHandle,
_In_ ULONG Format
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSaveMergedKeys(
_In_ HANDLE HighPrecedenceKeyHandle,
_In_ HANDLE LowPrecedenceKeyHandle,
_In_ HANDLE FileHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSecureConnectPort(
_Out_ PHANDLE PortHandle,
_In_ PUNICODE_STRING PortName,
_In_ PSECURITY_QUALITY_OF_SERVICE SecurityQos,
_Inout_opt_ PPORT_VIEW ClientView,
_In_opt_ PSID RequiredServerSid,
_Inout_opt_ PREMOTE_PORT_VIEW ServerView,
_Out_opt_ PULONG MaxMessageLength,
_Inout_updates_bytes_to_opt_(*ConnectionInformationLength, *ConnectionInformationLength) PVOID ConnectionInformation,
_Inout_opt_ PULONG ConnectionInformationLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSerializeBoot(
VOID
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetBootEntryOrder(
_In_reads_(Count) PULONG Ids,
_In_ ULONG Count
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetBootOptions(
_In_ PBOOT_OPTIONS BootOptions,
_In_ ULONG FieldsToChange
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetCachedSigningLevel(
_In_ ULONG Flags,
_In_ SE_SIGNING_LEVEL InputSigningLevel,
_In_reads_(SourceFileCount) PHANDLE SourceFiles,
_In_ ULONG SourceFileCount,
_In_opt_ HANDLE TargetFile
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetCachedSigningLevel2(
_In_ ULONG Flags,
_In_ SE_SIGNING_LEVEL InputSigningLevel,
_In_reads_(SourceFileCount) PHANDLE SourceFiles,
_In_ ULONG SourceFileCount,
_In_opt_ HANDLE TargetFile,
_In_opt_ SE_SET_FILE_CACHE_INFORMATION* CacheInformation
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetContextThread(
_In_ HANDLE ThreadHandle,
_In_ PCONTEXT ThreadContext
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetDebugFilterState(
_In_ ULONG ComponentId,
_In_ ULONG Level,
_In_ BOOLEAN State
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetDefaultHardErrorPort(
_In_ HANDLE DefaultHardErrorPort
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetDefaultLocale(
_In_ BOOLEAN UserProfile,
_In_ LCID DefaultLocaleId
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetDefaultUILanguage(
_In_ LANGID DefaultUILanguageId
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetDriverEntryOrder(
_In_reads_(Count) PULONG Ids,
_In_ ULONG Count
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetEaFile(
_In_ HANDLE FileHandle,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_In_reads_bytes_(Length) PVOID Buffer,
_In_ ULONG Length
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetEvent(
_In_ HANDLE EventHandle,
_Out_opt_ PLONG PreviousState
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetEventBoostPriority(
_In_ HANDLE EventHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetHighEventPair(
_In_ HANDLE EventPairHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetHighWaitLowEventPair(
_In_ HANDLE EventPairHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetInformationDebugObject(
_In_ HANDLE DebugObjectHandle,
_In_ DEBUGOBJECTINFOCLASS DebugObjectInformationClass,
_In_ PVOID DebugInformation,
_In_ ULONG DebugInformationLength,
_Out_opt_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetInformationEnlistment(
_In_opt_ HANDLE EnlistmentHandle,
_In_ ENLISTMENT_INFORMATION_CLASS EnlistmentInformationClass,
_In_reads_bytes_(EnlistmentInformationLength) PVOID EnlistmentInformation,
_In_ ULONG EnlistmentInformationLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetInformationFile(
_In_ HANDLE FileHandle,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_In_reads_bytes_(Length) PVOID FileInformation,
_In_ ULONG Length,
_In_ FILE_INFORMATION_CLASS FileInformationClass
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetInformationIoRing(
_In_ HANDLE IoRingHandle,
_In_ ULONG IoRingInformationClass,
_In_ ULONG IoRingInformationLength,
_In_ PVOID IoRingInformation
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetInformationJobObject(
_In_ HANDLE JobHandle,
_In_ JOBOBJECTINFOCLASS JobObjectInformationClass,
_In_reads_bytes_(JobObjectInformationLength) PVOID JobObjectInformation,
_In_ ULONG JobObjectInformationLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetInformationKey(
_In_ HANDLE KeyHandle,
_In_ KEY_SET_INFORMATION_CLASS KeySetInformationClass,
_In_reads_bytes_(KeySetInformationLength) PVOID KeySetInformation,
_In_ ULONG KeySetInformationLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetInformationObject(
_In_ HANDLE Handle,
_In_ OBJECT_INFORMATION_CLASS ObjectInformationClass,
_In_reads_bytes_(ObjectInformationLength) PVOID ObjectInformation,
_In_ ULONG ObjectInformationLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetInformationProcess(
_In_ HANDLE ProcessHandle,
_In_ PROCESSINFOCLASS ProcessInformationClass,
_In_reads_bytes_(ProcessInformationLength) PVOID ProcessInformation,
_In_ ULONG ProcessInformationLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetInformationResourceManager(
_In_ HANDLE ResourceManagerHandle,
_In_ RESOURCEMANAGER_INFORMATION_CLASS ResourceManagerInformationClass,
_In_reads_bytes_(ResourceManagerInformationLength) PVOID ResourceManagerInformation,
_In_ ULONG ResourceManagerInformationLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetInformationSymbolicLink(
_In_ HANDLE LinkHandle,
_In_ SYMBOLIC_LINK_INFO_CLASS SymbolicLinkInformationClass,
_In_reads_bytes_(SymbolicLinkInformationLength) PVOID SymbolicLinkInformation,
_In_ ULONG SymbolicLinkInformationLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetInformationThread(
_In_ HANDLE ThreadHandle,
_In_ THREADINFOCLASS ThreadInformationClass,
_In_reads_bytes_(ThreadInformationLength) PVOID ThreadInformation,
_In_ ULONG ThreadInformationLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetInformationToken(
_In_ HANDLE TokenHandle,
_In_ TOKEN_INFORMATION_CLASS TokenInformationClass,
_In_reads_bytes_(TokenInformationLength) PVOID TokenInformation,
_In_ ULONG TokenInformationLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetInformationTransaction(
_In_ HANDLE TransactionHandle,
_In_ TRANSACTION_INFORMATION_CLASS TransactionInformationClass,
_In_reads_bytes_(TransactionInformationLength) PVOID TransactionInformation,
_In_ ULONG TransactionInformationLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetInformationTransactionManager(
_In_opt_ HANDLE TmHandle,
_In_ TRANSACTIONMANAGER_INFORMATION_CLASS TransactionManagerInformationClass,
_In_reads_bytes_(TransactionManagerInformationLength) PVOID TransactionManagerInformation,
_In_ ULONG TransactionManagerInformationLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetInformationVirtualMemory(
_In_ HANDLE ProcessHandle,
_In_ VIRTUAL_MEMORY_INFORMATION_CLASS VmInformationClass,
_In_ ULONG_PTR NumberOfEntries,
_In_reads_(NumberOfEntries) PMEMORY_RANGE_ENTRY VirtualAddresses,
_In_reads_bytes_(VmInformationLength) PVOID VmInformation,
_In_ ULONG VmInformationLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetInformationWorkerFactory(
_In_ HANDLE WorkerFactoryHandle,
_In_ WORKERFACTORYINFOCLASS WorkerFactoryInformationClass,
_In_reads_bytes_(WorkerFactoryInformationLength) PVOID WorkerFactoryInformation,
_In_ ULONG WorkerFactoryInformationLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetIntervalProfile(
_In_ ULONG Interval,
_In_ KPROFILE_SOURCE Source
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetIoCompletion(
_In_ HANDLE IoCompletionHandle,
_In_opt_ PVOID KeyContext,
_In_opt_ PVOID ApcContext,
_In_ NTSTATUS IoStatus,
_In_ ULONG_PTR IoStatusInformation
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetIoCompletionEx(
_In_ HANDLE IoCompletionHandle,
_In_ HANDLE IoCompletionPacketHandle,
_In_opt_ PVOID KeyContext,
_In_opt_ PVOID ApcContext,
_In_ NTSTATUS IoStatus,
_In_ ULONG_PTR IoStatusInformation
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetIRTimer(
_In_ HANDLE TimerHandle,
_In_opt_ PLARGE_INTEGER DueTime
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetLdtEntries(
_In_ ULONG Selector0,
_In_ ULONG Entry0Low,
_In_ ULONG Entry0Hi,
_In_ ULONG Selector1,
_In_ ULONG Entry1Low,
_In_ ULONG Entry1Hi
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetLowEventPair(
_In_ HANDLE EventPairHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetLowWaitHighEventPair(
_In_ HANDLE EventPairHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetQuotaInformationFile(
_In_ HANDLE FileHandle,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_In_reads_bytes_(Length) PVOID Buffer,
_In_ ULONG Length
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetSecurityObject(
_In_ HANDLE Handle,
_In_ SECURITY_INFORMATION SecurityInformation,
_In_ PSECURITY_DESCRIPTOR SecurityDescriptor
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetSystemEnvironmentValue(
_In_ PUNICODE_STRING VariableName,
_In_ PUNICODE_STRING VariableValue
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetSystemEnvironmentValueEx(
_In_ PUNICODE_STRING VariableName,
_In_ PCGUID VendorGuid,
_In_reads_bytes_opt_(ValueLength) PVOID Value,
_In_ ULONG ValueLength, // 0 = delete variable
_In_ ULONG Attributes // EFI_VARIABLE_*
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetSystemInformation(
_In_ SYSTEM_INFORMATION_CLASS SystemInformationClass,
_In_reads_bytes_opt_(SystemInformationLength) PVOID SystemInformation,
_In_ ULONG SystemInformationLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetSystemPowerState(
_In_ POWER_ACTION SystemAction,
_In_ SYSTEM_POWER_STATE LightestSystemState,
_In_ ULONG Flags // POWER_ACTION_* flags
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetSystemTime(
_In_opt_ PLARGE_INTEGER SystemTime,
_Out_opt_ PLARGE_INTEGER PreviousTime
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetThreadExecutionState(
_In_ EXECUTION_STATE NewFlags, // ES_* flags
_Out_ EXECUTION_STATE *PreviousFlags
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetTimer(
_In_ HANDLE TimerHandle,
_In_ PLARGE_INTEGER DueTime,
_In_opt_ PTIMER_APC_ROUTINE TimerApcRoutine,
_In_opt_ PVOID TimerContext,
_In_ BOOLEAN ResumeTimer,
_In_opt_ LONG Period,
_Out_opt_ PBOOLEAN PreviousState
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetTimer2(
_In_ HANDLE TimerHandle,
_In_ PLARGE_INTEGER DueTime,
_In_opt_ PLARGE_INTEGER Period,
_In_ PT2_SET_PARAMETERS Parameters
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetTimerEx(
_In_ HANDLE TimerHandle,
_In_ TIMER_SET_INFORMATION_CLASS TimerSetInformationClass,
_Inout_updates_bytes_opt_(TimerSetInformationLength) PVOID TimerSetInformation,
_In_ ULONG TimerSetInformationLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetTimerResolution(
_In_ ULONG DesiredTime,
_In_ BOOLEAN SetResolution,
_Out_ PULONG ActualTime
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetUuidSeed(
_In_ PCHAR Seed
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetValueKey(
_In_ HANDLE KeyHandle,
_In_ PUNICODE_STRING ValueName,
_In_opt_ ULONG TitleIndex,
_In_ ULONG Type,
_In_reads_bytes_opt_(DataSize) PVOID Data,
_In_ ULONG DataSize
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetVolumeInformationFile(
_In_ HANDLE FileHandle,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_In_reads_bytes_(Length) PVOID FsInformation,
_In_ ULONG Length,
_In_ FSINFOCLASS FsInformationClass
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSetWnfProcessNotificationEvent(
_In_ HANDLE NotificationEvent
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwShutdownSystem(
_In_ SHUTDOWN_ACTION Action
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwShutdownWorkerFactory(
_In_ HANDLE WorkerFactoryHandle,
_Inout_ volatile LONG *PendingWorkerCount
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSignalAndWaitForSingleObject(
_In_ HANDLE SignalHandle,
_In_ HANDLE WaitHandle,
_In_ BOOLEAN Alertable,
_In_opt_ PLARGE_INTEGER Timeout
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSinglePhaseReject(
_In_ HANDLE EnlistmentHandle,
_In_opt_ PLARGE_INTEGER TmVirtualClock
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwStartProfile(
_In_ HANDLE ProfileHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwStopProfile(
_In_ HANDLE ProfileHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSubmitIoRing(
_In_ HANDLE IoRingHandle,
_In_ ULONG Flags,
_In_opt_ ULONG WaitOperations,
_In_opt_ PLARGE_INTEGER Timeout
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSubscribeWnfStateChange(
_In_ PCWNF_STATE_NAME StateName,
_In_opt_ WNF_CHANGE_STAMP ChangeStamp,
_In_ ULONG EventMask,
_Out_opt_ PULONG64 SubscriptionId
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSuspendProcess(
_In_ HANDLE ProcessHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSuspendThread(
_In_ HANDLE ThreadHandle,
_Out_opt_ PULONG PreviousSuspendCount
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwSystemDebugControl(
_In_ SYSDBG_COMMAND Command,
_Inout_updates_bytes_opt_(InputBufferLength) PVOID InputBuffer,
_In_ ULONG InputBufferLength,
_Out_writes_bytes_opt_(OutputBufferLength) PVOID OutputBuffer,
_In_ ULONG OutputBufferLength,
_Out_opt_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwTerminateEnclave(
_In_ PVOID BaseAddress,
_In_ ULONG Flags // TERMINATE_ENCLAVE_FLAG_*
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwTerminateJobObject(
_In_ HANDLE JobHandle,
_In_ NTSTATUS ExitStatus
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwTerminateProcess(
_In_opt_ HANDLE ProcessHandle,
_In_ NTSTATUS ExitStatus
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwTerminateThread(
_In_opt_ HANDLE ThreadHandle,
_In_ NTSTATUS ExitStatus
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwTestAlert(
VOID
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwThawRegistry(
VOID
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwThawTransactions(
VOID
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwTraceControl(
_In_ ETWTRACECONTROLCODE FunctionCode,
_In_reads_bytes_opt_(InputBufferLength) PVOID InputBuffer,
_In_ ULONG InputBufferLength,
_Out_writes_bytes_opt_(OutputBufferLength) PVOID OutputBuffer,
_In_ ULONG OutputBufferLength,
_Out_ PULONG ReturnLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwTraceEvent(
_In_opt_ HANDLE TraceHandle,
_In_ ULONG Flags,
_In_ ULONG FieldSize,
_In_ PVOID Fields
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwTranslateFilePath(
_In_ PFILE_PATH InputFilePath,
_In_ ULONG OutputType,
_Out_writes_bytes_opt_(*OutputFilePathLength) PFILE_PATH OutputFilePath,
_Inout_opt_ PULONG OutputFilePathLength
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwUmsThreadYield(
_In_ PVOID SchedulerParam
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwUnloadDriver(
_In_ PUNICODE_STRING DriverServiceName
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwUnloadKey(
_In_ POBJECT_ATTRIBUTES TargetKey
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwUnloadKey2(
_In_ POBJECT_ATTRIBUTES TargetKey,
_In_ ULONG Flags
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwUnloadKeyEx(
_In_ POBJECT_ATTRIBUTES TargetKey,
_In_opt_ HANDLE Event
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwUnlockFile(
_In_ HANDLE FileHandle,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_In_ PLARGE_INTEGER ByteOffset,
_In_ PLARGE_INTEGER Length,
_In_ ULONG Key
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwUnlockVirtualMemory(
_In_ HANDLE ProcessHandle,
_Inout_ PVOID *BaseAddress,
_Inout_ PSIZE_T RegionSize,
_In_ ULONG MapType
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwUnmapViewOfSection(
_In_ HANDLE ProcessHandle,
_In_opt_ PVOID BaseAddress
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwUnmapViewOfSectionEx(
_In_ HANDLE ProcessHandle,
_In_opt_ PVOID BaseAddress,
_In_ ULONG Flags
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwUnsubscribeWnfStateChange(
_In_ PCWNF_STATE_NAME StateName
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwUpdateWnfStateData(
_In_ PCWNF_STATE_NAME StateName,
_In_reads_bytes_opt_(Length) const VOID* Buffer,
_In_opt_ ULONG Length,
_In_opt_ PCWNF_TYPE_ID TypeId,
_In_opt_ const VOID* ExplicitScope,
_In_ WNF_CHANGE_STAMP MatchingChangeStamp,
_In_ LOGICAL CheckStamp
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwVdmControl(
_In_ VDMSERVICECLASS Service,
_Inout_ PVOID ServiceData
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwWaitForAlertByThreadId(
_In_ PVOID Address,
_In_opt_ PLARGE_INTEGER Timeout
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwWaitForDebugEvent(
_In_ HANDLE DebugObjectHandle,
_In_ BOOLEAN Alertable,
_In_opt_ PLARGE_INTEGER Timeout,
_Out_ PDBGUI_WAIT_STATE_CHANGE WaitStateChange
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwWaitForKeyedEvent(
_In_opt_ HANDLE KeyedEventHandle,
_In_ PVOID KeyValue,
_In_ BOOLEAN Alertable,
_In_opt_ PLARGE_INTEGER Timeout
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwWaitForMultipleObjects(
_In_ ULONG Count,
_In_reads_(Count) HANDLE Handles[],
_In_ WAIT_TYPE WaitType,
_In_ BOOLEAN Alertable,
_In_opt_ PLARGE_INTEGER Timeout
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwWaitForMultipleObjects32(
_In_ ULONG Count,
_In_reads_(Count) LONG Handles[],
_In_ WAIT_TYPE WaitType,
_In_ BOOLEAN Alertable,
_In_opt_ PLARGE_INTEGER Timeout
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwWaitForSingleObject(
_In_ HANDLE Handle,
_In_ BOOLEAN Alertable,
_In_opt_ PLARGE_INTEGER Timeout
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwWaitForWorkViaWorkerFactory(
_In_ HANDLE WorkerFactoryHandle,
_Out_writes_to_(Count, *PacketsReturned) PFILE_IO_COMPLETION_INFORMATION MiniPackets,
_In_ ULONG Count,
_Out_ PULONG PacketsReturned,
_In_ PWORKER_FACTORY_DEFERRED_WORK DeferredWork
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwWaitHighEventPair(
_In_ HANDLE EventPairHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwWaitLowEventPair(
_In_ HANDLE EventPairHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwWorkerFactoryWorkerReady(
_In_ HANDLE WorkerFactoryHandle
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwWriteFile(
_In_ HANDLE FileHandle,
_In_opt_ HANDLE Event,
_In_opt_ PIO_APC_ROUTINE ApcRoutine,
_In_opt_ PVOID ApcContext,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_In_reads_bytes_(Length) PVOID Buffer,
_In_ ULONG Length,
_In_opt_ PLARGE_INTEGER ByteOffset,
_In_opt_ PULONG Key
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwWriteFileGather(
_In_ HANDLE FileHandle,
_In_opt_ HANDLE Event,
_In_opt_ PIO_APC_ROUTINE ApcRoutine,
_In_opt_ PVOID ApcContext,
_Out_ PIO_STATUS_BLOCK IoStatusBlock,
_In_ PFILE_SEGMENT_ELEMENT SegmentArray,
_In_ ULONG Length,
_In_opt_ PLARGE_INTEGER ByteOffset,
_In_opt_ PULONG Key
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwWriteRequestData(
_In_ HANDLE PortHandle,
_In_ PPORT_MESSAGE Message,
_In_ ULONG DataEntryIndex,
_In_reads_bytes_(BufferSize) PVOID Buffer,
_In_ SIZE_T BufferSize,
_Out_opt_ PSIZE_T NumberOfBytesWritten
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwWriteVirtualMemory(
_In_ HANDLE ProcessHandle,
_In_opt_ PVOID BaseAddress,
_In_reads_bytes_(BufferSize) PVOID Buffer,
_In_ SIZE_T BufferSize,
_Out_opt_ PSIZE_T NumberOfBytesWritten
);
NTSYSCALLAPI
NTSTATUS
NTAPI
ZwYieldExecution(
VOID
);
#endif
```
|
Hu Wei (; born 1 January 1983) is a Chinese former footballer.
Career statistics
Club
Notes
References
1983 births
Living people
Chinese men's footballers
Men's association football defenders
Chinese Super League players
China League One players
Chongqing Liangjiang Athletic F.C. players
Chengdu Tiancheng F.C. players
Cangzhou Mighty Lions F.C. players
Nantong Zhiyun F.C. players
|
The Hong Kong grouper (Epinephelus akaara) is a species of marine ray-finned fish, a grouper from the subfamily Epinephelinae which is part of the family Serranidae, which also includes the anthias and sea basses. It is found in eastern and southeastern Asian waters of the Western Pacific Ocean. Its natural habitats are shallow seas and coral reefs.
Description
The Hong Kong grouper has a body which has a standard length which is around 2.7-3.2 times the depth of its body. The dorsal profile of the head is convex between the eyes. The preopercle is rounded and serrated with the serrations at its angle enlarged. The dorsal fin contains 11 spines and 15-17 soft rays while the anal fin has 3 spines and 8 soft rays. The caudal fin is rounded and the pelvic fin does not extend as far as the anus. There are 61-64 scales in the lateral line. The head and body have a pale brownish grey background colour, with the flanks and back covered with small red, orange or gold spots. There are 6 indistinct diagonal dark bars which can normally be seen on at least towards the back. The first bar is on the nape, the third bar runs through a dark brown or black blotch on the body at base of rearmost 3 spines of the dorsal fin while the final bar is on the caudal peduncle. These dark bars reach the base of dorsal fin. The margin of the dorsal fin is yellow or orange with a line of dusky yellow or orange spots along middle of spiny part of that dorsal fin and another along base of the fin. These rows have one spot on each membrane. The soft part of the dorsal fin as well as the caudal and anal fins have indistinct red or orange spots at their bases and dusky membranes faintly marked with small white spots. The maximum published total length for this species is , although they are more common at around , and the maximum published weight is .
Distribution
The Hong Kong grouper is found in the Western Pacific Ocean. It is found in southern Japan where it occurs in the Tsugaru Strait, the strait between Honshu and Hokkaido south along both coasts. It is also found off Korea, China and Taiwan as far as the Gulf of Tonkin. It may be found off Vietnam but this needs to be confirmed as the lone reported specimen may be a misidentification of Epinephelus fasciatomaculosus. There are unsubstantiated records from India and the Philippines.
Habitat and biology
The Hong Kong grouper is found in coral and rocky reefs down to depths of at least while juveniles prefer shallower waters than the adults. Around Japan he species is common in rocky areas. Fishermen in Hong Kong report taking this species as spawning adults along the continental shelf in the East China Sea and South China Sea at depths of . Around the Byeonsan Peninsula of the Republic of Korea spawning has been observed in late July and early August. In this area hermaphrodites had a length of measured around while males were . Spawning aggregations have not been confirmed in this species although there are anecdotal reports from Hong Kong of divers encountering groups of up to 50 fishes in close proximity on reefs in the summer, coinciding with the known spawning season.
As other fish, the Hong Kong grouper harbours parasites, including, among others, the diplectanid monogenean Pseudorhabdosynochus satyui and Pseudorhabdosynochus epinepheli, parasitic on the gills.
Taxonomy
The Hong Kong grouper was first formally described as Serranus akaara in 1842 by the Dutch zoologist Coenraad Jacob Temminck (1778-1858) and his student, the German ichthyologist Hermann Schlegel (1804-1884), with the type locality given as Nagasaki.
Utlisation
The Hong Kong grouper is regarded as a species of high commercial value in Hong Kong and Japan. It is usually caught by hand-line over rock strata and the species is often marketed live to increase the price paid. It has been bred in aquaculture but the survival of the hatched larvae is low. By the mid 1990s the wild population was exhausted as a viable fishery.
Conservation
The Hong Kong grouper has no effectively managed stocks. In China there are limits on the gear which can be used but in Hong Kong the fishing is largely unregulated, except a small no take zone where the species may actually be increasing. Hatchery reared larvae are released in Japanese waters but there are no known conservation measures in other parts of its range.
References
Epinephelus
Fish described in 1842
Taxonomy articles created by Polbot
|
```php
<?php
declare(strict_types=1);
namespace Shlinkio\Shlink\Core\Paginator\Adapter;
use Pagerfanta\Adapter\AdapterInterface;
/**
* @template T
* @implements AdapterInterface<T>
*/
abstract class AbstractCacheableCountPaginatorAdapter implements AdapterInterface
{
private ?int $count = null;
final public function getNbResults(): int
{
// Since a new adapter instance is created every time visits are fetched, it is reasonably safe to internally
// cache the count value.
// The reason it is cached is because the Paginator is actually calling the method twice.
// An inconsistent value could be returned if between the first call and the second one, a new visit is created.
// However, it's almost instant, and then the adapter instance is discarded immediately after.
if ($this->count !== null) {
return $this->count;
}
return $this->count = $this->doCount();
}
abstract protected function doCount(): int;
}
```
|
In mathematics, specifically transcendental number theory, Schanuel's conjecture is a conjecture made by Stephen Schanuel in the 1960s concerning the transcendence degree of certain field extensions of the rational numbers.
Statement
The conjecture is as follows:
Given any complex numbers that are linearly independent over the rational numbers , the field extension (z1, ..., zn, ez1, ..., ezn) has transcendence degree at least over .
The conjecture can be found in Lang (1966).
Consequences
The conjecture, if proven, would generalize most known results in transcendental number theory. The special case where the numbers z1,...,zn are all algebraic is the Lindemann–Weierstrass theorem. If, on the other hand, the numbers are chosen so as to make exp(z1),...,exp(zn) all algebraic then one would prove that linearly independent logarithms of algebraic numbers are algebraically independent, a strengthening of Baker's theorem.
The Gelfond–Schneider theorem follows from this strengthened version of Baker's theorem, as does the currently unproven four exponentials conjecture.
Schanuel's conjecture, if proved, would also settle whether numbers such as e + and ee are algebraic or transcendental, and prove that e and are algebraically independent simply by setting z1 = 1 and z2 = i, and using Euler's identity.
Euler's identity states that ei + 1 = 0. If Schanuel's conjecture is true then this is, in some precise sense involving exponential rings, the only relation between e, , and i over the complex numbers.
Although ostensibly a problem in number theory, the conjecture has implications in model theory as well. Angus Macintyre and Alex Wilkie, for example, proved that the theory of the real field with exponentiation, exp, is decidable provided Schanuel's conjecture is true. In fact they only needed the real version of the conjecture, defined below, to prove this result, which would be a positive solution to Tarski's exponential function problem.
Related conjectures and results
The converse Schanuel conjecture is the following statement:
Suppose F is a countable field with characteristic 0, and e : F → F is a homomorphism from the additive group (F,+) to the multiplicative group (F,·) whose kernel is cyclic. Suppose further that for any n elements x1,...,xn of F which are linearly independent over , the extension field (x1,...,xn,e(x1),...,e(xn)) has transcendence degree at least n over . Then there exists a field homomorphism h : F → such that h(e(x)) = exp(h(x)) for all x in F.
A version of Schanuel's conjecture for formal power series, also by Schanuel, was proven by James Ax in 1971. It states:
Given any n formal power series f1,...,fn in t[[t]] which are linearly independent over , then the field extension (t,f1,...,fn,exp(f1),...,exp(fn)) has transcendence degree at least n over (t).
As stated above, the decidability of exp follows from the real version of Schanuel's conjecture which is as follows:
Suppose x1,...,xn are real numbers and the transcendence degree of the field (x1,...,xn, exp(x1),...,exp(xn)) is strictly less than n, then there are integers m1,...,mn, not all zero, such that m1x1 +...+ mnxn = 0.
A related conjecture called the uniform real Schanuel's conjecture essentially says the same but puts a bound on the integers mi. The uniform real version of the conjecture is equivalent to the standard real version. Macintyre and Wilkie showed that a consequence of Schanuel's conjecture, which they dubbed the Weak Schanuel's conjecture, was equivalent to the decidability of exp. This conjecture states that there is a computable upper bound on the norm of non-singular solutions to systems of exponential polynomials; this is, non-obviously, a consequence of Schanuel's conjecture for the reals.
It is also known that Schanuel's conjecture would be a consequence of conjectural results in the theory of motives. In this setting Grothendieck's period conjecture for an abelian variety A states that the transcendence degree of its period matrix is the same as the dimension of the associated Mumford–Tate group, and what is known by work of Pierre Deligne is that the dimension is an upper bound for the transcendence degree. Bertolin has shown how a generalised period conjecture includes Schanuel's conjecture.
Zilber's pseudo-exponentiation
While a proof of Schanuel's conjecture seems a long way off, connections with model theory have prompted a surge of research on the conjecture.
In 2004, Boris Zilber systematically constructed exponential fields Kexp that are algebraically closed and of characteristic zero, and such that one of these fields exists for each uncountable cardinality. He axiomatised these fields and, using Hrushovski's construction and techniques inspired by work of Shelah on categoricity in infinitary logics, proved that this theory of "pseudo-exponentiation" has a unique model in each uncountable cardinal. Schanuel's conjecture is part of this axiomatisation, and so the natural conjecture that the unique model of cardinality continuum is actually isomorphic to the complex exponential field implies Schanuel's conjecture. In fact, Zilber showed that this conjecture holds if and only if both Schanuel's conjecture and another unproven condition on the complex exponentiation field, which Zilber calls exponential-algebraic closedness, hold. As this construction can also give models with counterexamples of Schanuel's conjecture, this method cannot prove Schanuel's conjecture.
References
External links
Conjectures
Unsolved problems in number theory
Exponentials
Transcendental numbers
|
```c
/***************************************************************************
* *
* ########### ########### ########## ########## *
* ############ ############ ############ ############ *
* ## ## ## ## ## ## ## *
* ## ## ## ## ## ## ## *
* ########### #### ###### ## ## ## ## ###### *
* ########### #### # ## ## ## ## # # *
* ## ## ###### ## ## ## ## # # *
* ## ## # ## ## ## ## # # *
* ############ ##### ###### ## ## ## ##### ###### *
* ########### ########### ## ## ## ########## *
* *
* S E C U R E M O B I L E N E T W O R K I N G *
* *
* This file is part of NexMon. *
* *
* *
* NexMon is free software: you can redistribute it and/or modify *
* (at your option) any later version. *
* *
* NexMon 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 NexMon. If not, see <path_to_url *
* *
**************************************************************************/
#pragma NEXMON targetregion "patch"
#include <firmware_version.h> // definition of firmware version macros
#include <patcher.h> // macros used to create patches such as BLPatch, BPatch, ...
char datetime[] = DATETIME;
__attribute__((at(DATETIME_PTR, "", CHIP_VER_BCM4389c1, FW_VER_20_101_36_2)))
GenericPatch4(datetime_patch, datetime);
char version[] = "20.101.36.2 (wlan=r994653 c1 nexmon.org: " GIT_VERSION "-" BUILD_NUMBER ")";
__attribute__((at(VERSION_PTR_1, "", CHIP_VER_BCM4389c1, FW_VER_20_101_36_2)))
GenericPatch4(version_patch_1, version);
__attribute__((at(VERSION_PTR_2, "", CHIP_VER_BCM4389c1, FW_VER_20_101_36_2)))
GenericPatch4(version_patch_2, version);
__attribute__((at(VERSION_PTR_3, "", CHIP_VER_BCM4389c1, FW_VER_20_101_36_2)))
GenericPatch4(version_patch_3, version);
__attribute__((at(VERSION_PTR_4, "", CHIP_VER_BCM4389c1, FW_VER_20_101_36_2)))
GenericPatch4(version_patch_4, version);
```
|
```xml
import { createApp} from 'vue'
import App from './App.vue'
import router from "./router"
import Icon from '@/components/Icon.vue'
const req = require.context("./assets/svg",false,/\.svg$/)
const requireAll = (requireContext:__WebpackModuleApi.RequireContext) => requireContext.keys().map(requireContext)
requireAll(req)
//requireAll(req)
createApp(App)
.use(router)
.component('Icon',Icon)
.mount('#app')
```
|
Samuel Jacob Thompson (September 2, 1845 – December 2, 1909) was a farmer, veterinarian and political figure in Manitoba. He represented Norfolk from 1886 to 1892 in the Legislative Assembly of Manitoba as a Liberal.
He was born near Caledonia, Ontario, the son of Jacob Thompson, a native of Ireland, and was educated there and at the Ontario Veterinary College. Thompson practised as a veterinary surgeon in Brantford and then came to Manitoba in 1881, settling in Carberry. In 1869, he married Margaret Farewell. Thompson operated a hotel and livery there until 1884, continuing to farm in the area. After leaving politics, he served as provincial veterinarian. He moved to St. James in 1899. Thompson served as reeve of Assiniboia.
He died in Winnipeg at the age of 64.
References
1845 births
1909 deaths
Manitoba Liberal Party MLAs
|
```java
package com.ctrip.xpipe.redis.console.migration;
import com.ctrip.xpipe.cluster.ClusterType;
import com.ctrip.xpipe.redis.console.healthcheck.nonredis.migration.MigrationSystemAvailableChecker;
import com.ctrip.xpipe.redis.console.model.ClusterTbl;
import com.ctrip.xpipe.redis.console.model.DcTbl;
import com.ctrip.xpipe.redis.console.model.MigrationClusterTbl;
import com.ctrip.xpipe.redis.console.service.migration.exception.*;
import com.google.common.collect.Lists;
import org.junit.Assert;
import org.junit.Before;
import org.junit.Test;
import org.mockito.invocation.InvocationOnMock;
import org.mockito.stubbing.Answer;
import java.util.List;
import java.util.concurrent.CountDownLatch;
import java.util.concurrent.ExecutorService;
import java.util.concurrent.Executors;
import java.util.concurrent.TimeUnit;
import java.util.concurrent.atomic.AtomicBoolean;
import static org.mockito.Matchers.anyLong;
import static org.mockito.Matchers.anyString;
import static org.mockito.Mockito.when;
public class TryMigrationIntegrationTest extends AbstractMigrationIntegrationTest {
@Before
public void beforeConsoleMigrationIntegrationTest() {
when(clusterService.find(anyString())).thenAnswer(new Answer<ClusterTbl>() {
@Override
public ClusterTbl answer(InvocationOnMock invocationOnMock) throws Throwable {
Thread.sleep(randomInt(5, 25));
return new ClusterTbl().setId(10000L).setActivedcId(100L).setClusterType(ClusterType.ONE_WAY.toString());
}
});
when(migrationClusterDao.findUnfinishedByClusterId(anyLong())).thenAnswer(new Answer<List<MigrationClusterTbl>>() {
@Override
public List<MigrationClusterTbl> answer(InvocationOnMock invocationOnMock) throws Throwable {
Thread.sleep(randomInt(4, 29));
return Lists.newArrayListWithCapacity(1);
}
});
when(dcService.find(anyLong())).thenAnswer(new Answer<DcTbl>() {
@Override
public DcTbl answer(InvocationOnMock invocationOnMock) throws Throwable {
Thread.sleep(randomInt(2, 7));
return new DcTbl().setDcName(fromIdc).setZoneId(1L);
}
});
when(dcService.findClusterRelatedDc(anyString())).thenAnswer(new Answer<List<DcTbl>>() {
@Override
public List<DcTbl> answer(InvocationOnMock invocationOnMock) throws Throwable {
Thread.sleep(randomInt(5, 29));
return Lists.newArrayList(new DcTbl().setDcName(fromIdc).setZoneId(1L), new DcTbl().setDcName(toIdc).setZoneId(1L));
}
});
}
@Test(expected = MigrationNotSupportException.class)
public void tryMigrate() throws Exception {
when(clusterService.find(anyString())).thenAnswer(new Answer<ClusterTbl>() {
@Override
public ClusterTbl answer(InvocationOnMock invocationOnMock) throws Throwable {
Thread.sleep(randomInt(5, 25));
return new ClusterTbl().setId(10000L).setActivedcId(100L).setClusterType(ClusterType.BI_DIRECTION.toString());
}
});
migrationService.tryMigrate("cluster", fromIdc, toIdc);
}
@Test
public void testConsoleTryMigration() throws ClusterMigratingNow, ToIdcNotFoundException, ClusterNotFoundException, MigrationNotSupportException, MigrationSystemNotHealthyException, ClusterActiveDcNotRequest, ClusterMigratingNowButMisMatch {
migrationService.tryMigrate("cluster-", fromIdc, toIdc);
}
@Test
public void testBatchTryMigration() throws Exception {
int batch = 3000;
ExecutorService executors = Executors.newFixedThreadPool(200);
AtomicBoolean success = new AtomicBoolean(true);
CountDownLatch latch = new CountDownLatch(batch);
for (int i = 0; i < batch; i++) {
int finalI = i;
executors.execute(new Runnable() {
@Override
public void run() {
try {
migrationService.tryMigrate("cluster-" + finalI, fromIdc, toIdc);
latch.countDown();
} catch (Exception e) {
success.set(false);
logger.error("", e);
}
}
});
}
latch.await(860, TimeUnit.MILLISECONDS);
Assert.assertTrue(success.get());
}
@Test
public void testTryManyTimes() throws Exception {
int NTimes = 10;
for (int k = 0; k < NTimes; k++) {
int batch = 3000;
ExecutorService executors = Executors.newFixedThreadPool(200);
AtomicBoolean success = new AtomicBoolean(true);
CountDownLatch latch = new CountDownLatch(batch);
for (int i = 0; i < batch; i++) {
int finalI = i;
executors.execute(new Runnable() {
@Override
public void run() {
try {
migrationService.tryMigrate("cluster-" + finalI, fromIdc, toIdc);
latch.countDown();
} catch (Exception e) {
success.set(false);
logger.error("", e);
}
}
});
}
latch.await(860, TimeUnit.MILLISECONDS);
Assert.assertTrue(success.get());
}
}
@Test
public void testTryHard() throws Exception {
int batch = 10000;
ExecutorService executors = Executors.newFixedThreadPool(200);
AtomicBoolean success = new AtomicBoolean(true);
CountDownLatch latch = new CountDownLatch(batch);
for (int i = 0; i < batch; i++) {
int finalI = i;
executors.execute(new Runnable() {
@Override
public void run() {
try {
migrationService.tryMigrate("cluster-" + finalI, fromIdc, toIdc);
latch.countDown();
} catch (Exception e) {
success.set(false);
logger.error("", e);
}
}
});
}
latch.await(2880, TimeUnit.MILLISECONDS);
Assert.assertTrue(success.get());
}
}
```
|
SES Platform Services GmbH (previously ASTRA Platform Services GmbH, later MX1, now part of SES Video) was a subsidiary company of SES (owner and operator of the Astra satellites) based in Betzdorf, Luxembourg. From its headquarters in Unterföhring near Munich, Germany, SES Platform Services operated a broadcasting centre, providing a wide range of services, including content management, playout, encryption, multiplexing, satellite uplinks and other digital TV media broadcast services for the broadcast industry.
Following completion of the acquisition by SES Platform Services of global digital media services provider RR Media in July 2016, the name of the merged company was changed to MX1 In September 2019, MX1 was merged into the SES Video division and the MX1 brand dropped.
Before changing to MX1, SES Platform Services distributed more than 300 digital TV channels (including HD) and radio stations, interactive services and data services. In August 2013, SES Platform Services won an international tender by Turner Broadcasting System, starting November 2013, to provide playout for the broadcast channels, Boomerang, Cartoon Network, glitz*, RT, TNT Film and TNT Serie (in both SD and HD) for the German-speaking market, digitization of existing Turner content, and playout for Turner on-demand and catch-up services in Germany, Austria, Switzerland the Benelux region.
History
Originally called DPC (Digital Playout Centre GmbH), SES Platform Services was founded in 1996 by Kirch, a German media company. The German Pay TV provider, Premiere (now Sky Deutschland) was part of the Kirch group and DPC provided (and, as SES Platform Services, continues to provide) Premiere/Sky Deutschland, as well as other private and public German broadcasters, playout, multiplexing, encrypted satellite uplinks and other media broadcast services. In June 2004, SES announced that it had bought the controlling interest in DPC from Premiere with the intention of launching an "open" pay-TV platform for Germany using Premiere-compatible digital set top boxes.
In December 2004, a requirement for regulatory approval from the German Federal Cartels Office (Bundeskartellamt) meant that the deal was changed to 100% of DPC, to give SES sole ownership. DPC was later renamed to ASTRA Platform Services GmbH (APS), and in April 2012 to SES Platform Services.
In February 2016, it was announced that SES Platform Services had agreed, subject to regulatory approvals, to purchase RR Media, a global digital media services provider to the broadcast and media industries, based in Israel.
Services
The main services provided to broadcasters by SES Platform Services are Content Management, Playout, Encryption, Distribution and Interactive services. Customers include Sky Deutschland and ProSiebenSat.1 in Germany, Top TV in South Africa, channels such as Home Shopping Europe, DSF, Tele 5, 9Live, and DMAX, and most German HDTV channels, including those from Discovery, Tectime TV and Anixe.
SES Platform Services' content management encompasses digitization of tape-based content, format conversion of video files, quality control, tape storage (now being superseded by digital storage), and a growing digital archive service with integrated digital asset management systems. SES Platform Services uses the DIVArchive digital archiving system from Front Porch Digital with (as of mid 2009), over 1 PB capacity storing tens of thousands of hours of content. New material is added at the rate of about 1000–2000 hours per month. Although SES Platform Services still provides videotape storage, this has reduced by more than half since digital archiving was introduced.
SES Platform Services undertakes the preparation and playout of content from tape or digital files according to the customer's supplied schedule. SES Platform Services provides customers with visual quality control, the incorporation of on-screen branding and graphics (in 2D or 3D), EPG data and expandable services that range from automatic small channel start-up systems to high-end systems with full-time monitoring and support.
Where needed, interactive services can also be provided to broadcasters, including HbbTV (Hybrid Broadcast Broadband TV). SES Platform Services also designs and develops broadcasters’ web pages, and has developed the Blucom interactive TV-service that combines broadcasting and mobile technologies to offer services such as programme announcements, weather, lottery and sports results, and further programme information. Blucom enables interaction such as voting, downloads, chats, and advertising. It also gives mobile phones the ability to stream live TV broadcasts. Blucom synchronizes TV content with the additional information in real-time. Content is sent to a set-top box via satellite, then to a mobile phone via Bluetooth, or directly to the mobile phone via UMTS/GPRS. The return channel operates from the viewer’s mobile via SMS or UMTS/GPRS.
For pay-TV broadcasts, SES Platform Services provides channel encryption for subscription and pay-per-view protection with Conax, Cryptoworks, Irdeto, Nagravision, and NDS conditional access systems using DVB simulcrypt operation for broadcasts using multiple conditional access systems in parallel, this being a common practice in "free-to-air"(FTA) satellite TV broadcast markets such as Germany. SES Platform Services also provides Microsoft or Flash digital rights management for Internet streamed channels.
Although the majority of SES Platform Services broadcasting traffic is digital television channels in SD or HD uplinked to the Astra satellites, SES Platform Services can also distribute programming to mobiles as on-demand content, and as live or on-demand video over the Internet using Windows Media Player, QuickTime or Flash.
In April 2011, SES Platform Services opened a new playout centre at its headquarters in Unterföhring to handle expansion of the company, and its client list. The new network operations centre is in a purpose-built new building with the latest technologies including air conditioning based on groundwater cooling, fully redundant power distribution system, and LED screens and LED room lighting in the master control room to minimise heat generation. The old premises are being retained as back-up facilities and the new centre is expected to cope with growth for the next five years.
In June 2015 SES Platform Services launched its Fluid Hub managed cloud service for management, playout and distribution of video content for studios, content creators, broadcasting companies, telcos/platforms and other customers. By October 20, the service had 10 customers including Fox International Channels Germany and Turner.
See also
MX1
Digital television in Germany
Satellite television
SES
Astra
References
External links
Official SES website
SES S.A.
German companies established in 2004
German companies disestablished in 2019
Mass media companies established in 2004
Mass media companies disestablished in 2019
Satellite television
Interactive television
Satellite operators
|
Stormy Weather is the debut studio album by Australian singer, Grace Knight. Released in September 1991 it peaked at number 16 on the ARIA Charts and was certified platinum.
At the ARIA Music Awards of 1992, the album was nominated for ARIA Award for Best Adult Contemporary Album.
Track listing
Charts
Weekly charts
Year-end charts
Certifications
References
1991 albums
|
In enzymology, a formyltetrahydrofolate dehydrogenase () is an enzyme that catalyzes the chemical reaction
10-formyltetrahydrofolate + NADP+ + H2O tetrahydrofolate + CO2 + NADPH + H+
The 3 substrates of this enzyme are 10-formyltetrahydrofolate, NADP+, and H2O, whereas its 4 products are tetrahydrofolate, CO2, NADPH, and H+.
This enzyme belongs to the family of oxidoreductases, to be specific those acting on the CH-NH group of donors with NAD+ or NADP+ as acceptor. The systematic name of this enzyme class is 10-formyltetrahydrofolate:NADP+ oxidoreductase. Other names in common use include 10-formyl tetrahydrofolate:NADP oxidoreductase, 10-formyl-H2PtGlu:NADP oxidoreductase, 10-formyl-H4folate dehydrogenase, N10-formyltetrahydrofolate dehydrogenase, and 10-formyltetrahydrofolate dehydrogenase. This enzyme participates in one carbon pool by folate.
Structural studies
As of late 2007, 7 structures have been solved for this class of enzymes, with PDB accession codes , , , , , , and .
References
EC 1.5.1
NADPH-dependent enzymes
Enzymes of known structure
|
```xml
import Common from "../Common";
import FormControl from "@erxes/ui/src/components/form/Control";
import FormGroup from "@erxes/ui/src/components/form/Group";
import Icon from "@erxes/ui/src/components/Icon";
import JobReferChooser from "../../../../../job/containers/refer/Chooser";
import ModalTrigger from "@erxes/ui/src/components/ModalTrigger";
import React from "react";
import { Alert, __ } from "@erxes/ui/src/utils";
import { ControlLabel } from "@erxes/ui/src/components/form";
import { IJob } from "../../../../types";
import { IJobRefer } from "../../../../../job/types";
import { IProduct } from "@erxes/ui-products/src/types";
import { ProductButton } from "@erxes/ui-sales/src/deals/styles";
type Props = {
closeModal: () => void;
activeFlowJob: IJob;
jobRefer?: IJobRefer;
flowJobs: IJob[];
lastFlowJob?: IJob;
flowProduct?: IProduct;
addFlowJob: (job: IJob, id?: string, config?: any) => void;
setUsedPopup: (check: boolean) => void;
setMainState: (param: any) => void;
};
type State = {
jobReferId: string;
jobRefer?: IJobRefer;
description: string;
currentTab: string;
categoryId: string;
};
class JobForm extends React.Component<Props, State> {
constructor(props) {
super(props);
const { jobRefer, activeFlowJob } = props;
const { config, description } = activeFlowJob;
const { jobReferId } = config;
this.state = {
jobReferId: jobReferId || "",
jobRefer,
description: description || "",
currentTab: "inputs",
categoryId: ""
};
}
componentWillReceiveProps(nextProps) {
if (nextProps.activeFlowJob !== this.props.activeFlowJob) {
this.setState({
description: nextProps.activeFlowJob.description,
jobReferId: nextProps.activeFlowJob.jobReferId,
jobRefer: nextProps.jobRefer
});
}
}
renderJobTrigger(job?: IJobRefer) {
const onClick = () => {
this.props.setUsedPopup(true);
};
let content = (
<div onClick={onClick}>
{__("Choose Job")} <Icon icon="plus-circle" />
</div>
);
if (job) {
content = (
<div onClick={onClick}>
{job.code} - {job.name} <Icon icon="pen-1" />
</div>
);
}
return <ProductButton>{content}</ProductButton>;
}
renderContent() {
const { jobRefer, description } = this.state;
const onChangeValue = (type, e) => {
this.setState({ [type]: e.target.value } as any);
};
const onChangeJob = jobRefers => {
let selected: any;
if (!jobRefers.length) {
this.setState({ jobReferId: "", jobRefer: undefined }, () => {
this.props.setMainState({
product: undefined,
productId: ""
});
});
return;
}
selected = jobRefers[0];
this.setState({ jobReferId: selected._id, jobRefer: selected }, () => {
if (!selected.resultProducts.length) {
return Alert.error("This endPoint job has not result products");
}
const endProduct = selected.resultProducts[0].product || {};
this.props.setMainState({
product: endProduct,
productId: endProduct._id
});
});
};
const content = props => {
const onCloseModal = () => {
this.props.setUsedPopup(false);
props.closeModal();
};
return (
<JobReferChooser
{...props}
closeModal={onCloseModal}
onSelect={onChangeJob}
onChangeCategory={categoryId => this.setState({ categoryId })}
types={["end"]}
categoryId={this.state.categoryId}
data={{
name: "Jobs",
jobRefers: jobRefer ? [jobRefer] : []
}}
limit={1}
/>
);
};
return (
<>
<FormGroup>
<ControlLabel>Jobs</ControlLabel>
<ModalTrigger
title="Choose a JOB"
trigger={this.renderJobTrigger(jobRefer)}
size="lg"
content={content}
/>
</FormGroup>
<FormGroup>
<ControlLabel>Description</ControlLabel>
<FormControl
name="description"
value={description}
onChange={onChangeValue.bind(this, "description")}
/>
</FormGroup>
</>
);
}
render() {
const { jobReferId, jobRefer, description } = this.state;
return (
<Common
{...this.props}
name={(jobRefer && jobRefer.name) || "Unknown"}
description={description}
jobRefer={jobRefer}
config={{ jobReferId }}
>
{this.renderContent()}
</Common>
);
}
}
export default JobForm;
```
|
The Faculty of Medicine and Health Sciences is one of the constituent faculties of McGill University. It was established in 1829 after the Montreal Medical Institution was incorporated into McGill College as the college's first faculty; it was the first medical faculty to be established in Canada. The Faculty awarded McGill's first degree, and Canada's first medical degree to William Leslie Logie in 1833.
There have been at least two Nobel Prize laureates who have completed their entire education at McGill University including MD at the McGill University Faculty of Medicine and Health Sciences including Andrew Schally (Nobel Prize in Physiology or Medicine 1977) and David H. Hubel (Nobel Prize in Physiology or Medicine 1981).
History
The Montreal Medical Institution was established in 1823 by four physicians, Andrew Fernando Holmes, John Stephenson, William Caldwell and William Robertson, all of whom had been trained at the University of Edinburgh Medical School, and were involved in the foundation of the Montreal General Hospital. In 1829 it was incorporated into McGill College as the new College's first faculty; it thus became the first Faculty of Medicine in Canada. A highly didactic approach to medical education called the "Edinburgh curriculum", which consisted of two six-month courses of basic science lectures and two years of "walking the wards" at The Montreal General Hospital, was instituted. From 1833 to 1877 the Faculty followed the pattern set by the University of Edinburgh and required graduating students to submit an 'inaugural dissertation' – a database of these is available.
Sir William Dawson, the principal of McGill, was instrumental in garnering resources for the faculty and pioneering contributions from Thomas Roddick, Francis Shepherd, George Ross and Sir William Osler helped to transform the Victorian era medical school into a leader in modern medical education. Osler graduated from the MDCM program at McGill University Faculty of Medicine in 1872, and co-founded the present-day Johns Hopkins School of Medicine in 1893.
In 1905, the Bishop's University Medical Faculty Montreal who established in Montreal in 1871 closed and amalgamated with McGill University to create the new McGill University Faculty of Medicine, where BU graduates such as Maude Abbott, one of the Canada's earliest female medical graduates transferred to work for McGill as the Curator of the McGill Medical Museum.
The McGill University Health Centre was part of a $2.355 billion Redevelopment Project on three sites – the Glen, the Montreal General and Lachine hospitals. A new $1.300 billion MUHC Glen site fully integrated super-hospital complex opened in 2015.
A new satellite campus for McGill Medicine for a French stream MD, CM program was established in 2020 for the Outaouais region with a graduating class size of 24 and total of 96 in the program. The establishment of the program is part of a $32.5-million construction project of the Groupe de médecine familiale universitaire (GMF-U) de Gatineau.
In September 2020, the Faculty of Medicine changed its name to the Faculty of Medicine and Health Sciences to reflect the growth of interprofessionalism and the diversity in the Faculty of Medicine.
Education
The faculty offers a four-year MDCM degree in medicine and surgery. The Faculty of Medicine and Health Sciences also offers joint degree programs with other disciplines including business (M.D.-M.B.A.) and science/engineering (M.D.-Ph.D.). There is also an accelerated program for selected graduates of the Quebec college system (PRE-MED-ADM or MED-P) that combines one year of science curriculum with the four-year M.D., C.M. degrees.
It is closely affiliated with the McGill University Faculty of Dentistry. Students of dentistry receive instruction together with their medical student colleagues for the first 18 months of their professional training.
The faculty includes six schools: the School of Medicine, the Ingram School of Nursing, the School of Physical and Occupational Therapy, the School of Communication Sciences and Disorders, the School of Population & Global Health and the School of Biomedical Sciences. It also includes several research centres involved in studies on, for example, pain, neuroscience, and aging. Most of the non-clinical parts of the faculty are housed in the McIntyre Medical Sciences Building ("The Beer Can", “McMed”), situated on McGill's downtown campus on the south side of Mount Royal between Avenue des Pins and Avenue Docteur-Penfield.
The McGill University Faculty of Medicine was the first medical school in Canada to institute a joint MD-MBA program in 1997 in collaboration with the Desautels Faculty of Management. This program allowed students to complete both degrees in five years.
Affiliations
McGill University Health Centre
Glen site
Royal Victoria Hospital
Montreal Children's Hospital
Montreal Chest Institute
Montreal General Hospital
Allan Memorial Institute (contains MGH's outpatient psychiatry)
Montreal Neurological Hospital
Hôpital de Lachine
McGill affiliate hospitals
Lakeshore General Hospital
Jewish General Hospital
St. Mary's Hospital
Douglas Mental Health University Institute
Shriners Hospital for Children
Hôpital de Gatineau – Groupe de médecine de famille universitaire (GMF-U) de Gatineau
Jewish Rehabilitation Hospital (JRH)
Mount Sinai Hospital Montreal
Reputation
McGill's Faculty of Medicine and Health Sciences has a national and international reputation with a list of faculty and alumni, many of whom were pioneers in their respective fields. It is also ranked as the number 1 medical school nationally in Canada by Maclean's for 19 straight years (including the most recent ranking for 2024). McGill's Medical School has also consistently ranked in the top medical schools worldwide and ranked 21st worldwide on a recent QS World University Ranking of top medical schools world-wide.
Particularly, among McGill University's renowned reputation of Rhodes Scholars, McGill's Faculty of Medicine and Health Sciences has also produced a number of Rhodes Scholars (Cecil James Falconer Parsons, Munroe Bourne, Douglas George Cameron, Alan G. Kendall, Robert Murray Mundle, John Doehu Stubbs, Geoffrey E. Dougherty, Brian James Ward, Lesley Fellows, Anne Andermann, Astrid-Christoffersen-Deb, Aleksandra Leligdowicz, Benjamin Mappin-Kasirer, Alexander Lachapelle), including one in the recent 2018 cohort.
For medical school students entering in fall 2020, the mean four-year undergraduate GPA was 3.87 (excluding graduate GPA), and the mean MCAT score was 32.1 (85th–88th percentile).
Admissions to the McGill Faculty of Medicine and Health Sciences M.D., C.M. program are highly competitive with an acceptance rate of 5.7% for the Class of 2026.
The Department of Anatomy and Physiology at McGill University ranked 3rd globally in the 2017 QS World University Rankings after Oxford University and Cambridge.
Harry Houdini incident
In October 1926, renowned magician Harry Houdini was giving a lecture on exposed mediums and spiritualists at McGill University and had invited medical students to his dressing room at Montreal's Princess Theatre. J. Gordon Whitehead, a medical student and boxer, had asked Houdini if he could take a sudden punch to the stomach, as had rumoured to be the case; Houdini received several unexpected punches. Feeling ill later that evening and after refusing medical treatment, Houdini was diagnosed with acute appendicitis a couple of days later and died on October 31, 1926. It remains a controversy whether Houdini died as a result of the punches or was simply unaware of a current appendicitis prior, and Whitehead was never charged.
Notable faculty and alumni
Maude Abbott — One of Canada's earliest female medical graduates, international expert on congenital heart disease, namesake of Maude Abbott Medical Museum Maude Abbott received her M.D. C.M. degree from Bishop's College in 1894 as McGill did not then admit females to study medicine. Bishop's College Medical School was absorbed by McGill in 1905.
Bernard Nathanson M.D., C.M. 1949 — obstetrician/gynecologist
Victor Dzau M.D., C.M. 1972 — president of the Institute of Medicine of the National Academy of Sciences, former president and CEO of Duke University Medical Center
Daniel Borsuk O.Q., B.Sc. 2000, M.D., C.M. 2006, M.B.A. 2006 — performed first face transplant in Canada
Thomas Chang O.C., M.D., C.M. (1961), Ph.D., FRCP(C), FRS(C) — pioneer in biomedical engineering, “Father of Artificial Cells”
George Edward Bomberry M.D., C.M. 1875 First indigenous graduate of McGill University. Bomberry, a hereditary chief of the Cayuga (Gayogohó:nợ), was born on the Tuscarora Reserve on April 14, 1849. He died on January 29, 1879.
Robert Thirsk O.C., O.B.C., M.D., C.M. (1982), M.S., M.B.A. — Canadian engineer and physician, astronaut, and chancellor emeritus University of Calgary.
Joannie Rochette M.D., C.M. 2020 — medal-winning Olympic figure skater
E. Fuller Torrey M.D., C.M. 1963 — psychiatrist and schizophrenia researcher, founder of the Treatment Advocacy Center
Maurice Brodie M.D., C.M. 1928 — polio researcher, who developed the polio vaccine in 1935
Jack Wright M.D., C.M. 1928, — internationally top-ranked tennis star, winner of three Canadian Open men's singles titles and four doubles titles
Mark Cohen M.D., C.M. 1992 — ophthalmologist, laser eye surgeon and co-founder of LASIK MD
Avi Wallerstein — ophthalmologist, laser eye surgeon and co-founder of LASIK MD
Charles Scriver M.D., C.M. 1955 — Canadian pediatrician and biochemical geneticist
Dafydd Williams O.C., O.Ont., M.D., C.M. 1983, M.S., M.B.A. — a Canadian physician, public speaker, CEO, author and multi-mission astronaut.
David R. Boyd M.D., C.M. 1963, — trauma surgeon, and developer of Regional Trauma Emergency Medical Services (EMS).
Charles R. Drew M.D., C.M. 1933 — father of modern blood-banking; namesake of Charles R. Drew University of Medicine and Science; founding medical director of the Red Cross Blood Bank in the United States
Richard Goldbloom O.C., O.N.S., M.D., C.M. 1949 — pediatrician, chancellor of Dalhousie University 1986–2004
Paul Bruce Beeson M.D., C.M. 1933 — professor of medicine, specializing in infectious diseases; discoverer of interleukin-1
Ian Stevenson M.D., C.M. 1943 — Canadian-born U.S. psychiatrist
Ken Evoy M.D., C.M. 1979 — Emergency physician, entrepreneur, founder and chairman of the board of SiteSell
William Wright M.D. 1848 — first person of colour to earn a medical degree in Canada
Laurent Duvernay-Tardif M.D., C.M. 2018 — offensive guard for the NFL's New York Jets
Phil Gold, B.Sc. 1957, M.Sc. 1961, M.D., C.M. 1961, Ph.D. 1965 — physician, scientist, and professor, discoverer of carcinoembryonic antigen (CEA), the first biomarker for cancer
Haile Debas M.D., C.M. 1963 — Dean of the UCSF School of Medicine from 1993 to 2003
Phil Edwards, M.D., C.M. 1936 — "Man of Bronze", Canada's most-decorated Olympian for many years, and expert in tropical diseases
David Goltzman, B.Sc. 1966, M.D., C.M. 1968 — physician, scientist, and professor
Noni MacDonald, pediatric infectious diseases expert, former Dean of Dalhousie University Faculty of Medicine 1999–2003 and first woman in Canada to be named Dean of a medical school.
Vivek Goel, M.D., C.M. 1984 — president and vice-chancellor of the University of Waterloo
Katherine O'Brien, M.D., C.M. 1988 — infectious disease expert; Director of the World Health Organization's Department of Immunization, Vaccines and Biologicals
Frederick Lowy, M.D., C.M. 1959 — former President and Vice-Chancellor of Concordia University
Andrew Fernando Holmes — first dean and co-founder of McGill College Medical Faculty. Holmes received his medical degree from Edinburgh University in 1819; McGill awarded him an (honorary) An Eundem M.D. in 1843.
Chi-Ming Chow M.D., C.M. 1990 — – cardiologist and board member of the Heart and Stroke Foundation
David Hunter Hubel B.Sc. 1947, M.D., C.M. 1951 — Nobel laureate in Physiology (1981)
Joanne Liu M.D., C.M. — International President of Médecins Sans Frontières (Doctors Without Borders)
Colin MacLeod M.D., C.M. 1932 — Canadian-American geneticist, identified DNA as hereditary material in the body, Avery–MacLeod–McCarty experiment
John Lancelot Todd B.A. 1898, M.D., C.M. 1900 — parasitologist
Claude Roy — one of the founding fathers of the field of paediatric gastroenterology
Ronald Melzack Ph.D. 1954 — developed the McGill Pain Questionnaire
Jack Wennberg M.D., C.M. 1961 — pioneer in public health of medicine and founder of The Dartmouth Institute for Health Policy and Clinical Practice
Eric Berne BSc 1931, M.D., C.M. 1935 — psychiatrist who created the theory of transactional analysis
William Reginald Morse M.D., C.M. 1902 — one four founders of the West China Union University in Chengdu, Sichuan, in 1914; went on to become dean of the medical faculty
Robert Murray – B.A., M.A., M.D., C.M. 1943 – Bacteriologist
Clarke Fraser Ph.D. 1945, M.D., C.M. 1950 — pioneer in medical genetics
Robert Benjamin Greenblatt M.D., C.M. 1932 — prominent endocrinologist, pioneered endocrinology as a specialty in medicine, known for the development of the sequential oral contraceptive pill and the oral fertility pill
Perry Rosenthal M.D., C.M. 1958 — professor of ophthalmology at Harvard Medical School and developer of the first gas-permeable scleral contact lens
William Feindel M.D., C.M. 1945 — neurosurgeon and neuroscientist
Francis Alexander Caron Scrimger M.D., C.M. 1905 — Lieutenant Colonel in the Canadian Army recipient of the Victoria Cross
Cara Tannenbaum M.D., C.M. 1994 — geriatric medicine physician and researcher
T. Wesley Mills M.D., C.M. 1878 — physician, Canada's first professional physiologist
Mark Wainberg O.C., O.Q., B.Sc. 1966 — HIV/AIDS researcher, discoverer of lamivudine, Director of the McGill University AIDS Centre,
Santa J. Ono Ph.D. 1991 — immunologist and eye researcher, President & Vice-Chancellor University of British Columbia
William Osler M.D., C.M. 1872 — professor, medical pioneer, developed bedside teaching, one of the four founders of the Johns Hopkins School of Medicine
Betty Price M.D., C.M. 1980 — anesthesiologist and American politician/member of the Georgia House of Representatives
Edward Llewellyn-Thomas M.D., C.M. 1955 — English scientist, university professor and science fiction author
Rocke Robertson B.Sc. 1932, M.D., C.M. 1936 — physician
William Henry Drummond — Irish-born Canadian poet, physician. Drummond actually failed his medical degree at McGill but received his M.D.C.M. from Bishop's College. When Bishop's merged with McGill he, like several other professors there, received an Ad Eundem M.D.C.M. degree from McGill in 1905.
Albert Ernest Forsythe M.D., C.M. 1930 — physician and pioneer aviator
Harold Griffith M.D., C.M. 1922 — anaesthesiologist, pioneered the use of curare as a muscle relaxant, formed and was first President of World Federation of Societies of Anaesthesiologists
Alice Benjamin Res. OB/GYN 1978 — maternal-fetal medicine specialist and pioneer in the field; performed Canada's first successful diabetic renal transplant and pregnancy
James Horace King M.D., C.M. 1895 — physician, Canadian senator, and governor and one of the leaders of the establishment of the American College of Surgeons
Arnold Aberman O.C. B.Sc. 1965, M.D., C.M. 1967 — Dean of University of Toronto Faculty of Medicine 1992–1999, and instrumental founder/consulting dean of Northern Ontario School of Medicine
Victor Goldbloom O.Q., O.C., M.D., C.M. 1945 — pediatrician, politician
Franklin White M.D., C.M. 1969 — public health scientist
Martin Henry Dawson M.D., C.M. 1923 — infectious disease researcher, first person in history to inject penicillin into a patient, 1940
Walter Mackenzie — Canadian surgeon and academic, Dean of University of Alberta Faculty of Medicine and Dentistry 1959–1974
John Thomas Finnie M.D., C.M. 1869 — physician and Quebec politician
Philip Seeman M.D., C.M. 1960 — Canadian schizophrenia researcher and neuropharmacologist, known for his research on dopamine receptors
Munroe Bourne M.D., C.M. 1940 — physician, Olympic medal-winning swimmer, Rhodes Scholar, Major in the Canadian Army
George Genereux M.D., C.M. 1960 — diagnostic radiologist and Olympic gold medalist and inductee in the Canadian Sports Hall of Fame
James John Edmund Guerin M.D., C.M. 1878 — politician, Mayor of Montreal
Peter Macklem O.C., M.D., C.M. 1956 — cardio-pulmonary physician and researcher, founding director of the Meakins-Christie Laboratories
Richard Margolese O.C., M.D., C.M. — surgeon, researcher and pioneer in treatment of breast cancers
Cluny Macpherson M.D., C.M. 1901 — physician and inventor of the British Smoke Hood (an early gas mask)
Thomas George Roddick M.D., C.M. 1868 — surgeon, politician and founder of the Medical Council of Canada
Andrew Schally Ph.D. 1957 — Nobel laureate in Physiology (1977)
Vincenzo Di Nicola BA, 1976; Res. Psychiatry 1986 — Italian-Canadian psychologist, psychiatrist and family therapist, and philosopher of mind
Maurice LeClair M.D., C.M. 1951 — Canadian physician, businessman, civil servant, and academic; Dean of the Faculty of Medicine at the Université de Sherbrooke
Arthur Vineberg B.Sc. 1924, M.D., C.M. 1928, Ph.D. 1933 — cardiac surgeon, pioneer of revascularization
Antoine Hakim — Canadian engineer and physician, former CEO of the Canadian Stroke Network Neurology Residency at McGill.
Sir Charles-Eugène-Napoléon Boucher de Boucherville M.D. 1843, Physician, politician, two-time Premier of Quebec
R. Tait McKenzie M.D., C.M. 1892 — pioneer of modern physiotherapy
David Saint-Jacques Res. FM 2007 — astronaut with the Canadian Space Agency (CSA), astrophysicist, engineer, and a physician
C. Miller Fisher described lacunar strokes and identified transient ischemic attacks as stroke precursors. Miller received his M.D. from the University of Toronto but had a Residency at McGill
John S. Meyer M.D., C.M., M.S. — renowned American neurologist, founding professor and Chairman of Neurology at Wayne State University School of Medicine
Marla Shapiro M.D., C.M. 1979 — primary medical consultant for CTV News
Sherry Chou M.D., C.M. 2001 — neurologist and an Associate Professor of Neurology and Chief of Neurocritical Care at the Northwestern University Feinberg School of Medicine
Meyer Balter M.D., C.M. 1981 — pulmonologist, medical researcher, and professor
Ken Croitoru, M.D., C.M. 1981 — gastroenterologist, medical researcher, and Crohn's disease expert
Edward William Archibald M.D., C.M. 1896 Canada's first neurosurgeon, thoracic surgical pioneer
Casey Albert Wood ophthalmologist and comparative zoologist. Casey Wood received his M.D.C.M. degree from Bishop's College. When Bishop's merged with McGill he, like several other professors there, received an Ad Eundem MD degree from McGill in 1906.
Current and past faculty members
Madhukar Pai — expert on global health and epidemiology, specifically tuberculosis
Nahum Sonenberg — Israeli-Canadian expert virologist, microbiologist, and biochemist, discoverer of mRNA 5' cap-binding protein
Jonathan Meakins B.Sc. 1962 — surgeon, immunologist
Heinz Lehmann Canadian psychiatrist, expert in treatment of schizophrenia the "father of modern psychopharmacology."
Maurice McGregor South-African cardiologist
Alan Evans neuroscientist, prominent researcher, expert in brain mapping
David S Rosenblatt, M.D., C.M. 1970 — prominent medical geneticist, pediatrician; expert in the field of inborn errors of folate and vitamin B12 metabolism
Michael Meaney — researcher and expert in biological psychiatry, neurology, and neurosurgery
Brenda Milner Ph.D. 1952 — neuropsychologist, "founder of neuropsychology"
Terence Coderre — researcher, pain expert, Harold Griffith Chair in Anaesthesia Research
Judes Poirier — researcher, professor of Medicine and Psychiatry, director of the Molecular Neurobiology Unit at the Douglas Institute Research Centre
Wilder Penfield — neurosurgery pioneer, first director of the Montreal Neurological Institute and Montreal Neurological Hospital
David Goltzman, B.Sc. 1966, M.D., C.M. 1968 — physician, scientist, and professor
George Karpati, nenowned Canadian neurologist and neuroscientist
John J. M. Bergeron, cell biologist and biochemist, known for discovery of calnexin, endosomal signalling and organellar proteomics
Charles Philippe Leblond — pioneer of cell biology and stem cell research
Bernard Belleau — Canadian molecular pharmacologist best known for his role in the discovery of HIV drug Lamivudine
Henry Friesen — Canadian endocrinologist, discoverer of human prolactin
Hans Selye — Hungarian-Canadian endocrinologist
James C. Hogg — expert in Chronic Obstructive Pulmonary Disease
Augusto Claudio Cuello — Professor in the Department of Pharmacology and Therapeutics and Charles E. Frosst/Merck Chair in Pharmacology
Theodore Sourkes — Canadian biochemist and neuropsychopharmacologist, expert in Parkinson's disease
Jonathan Campbell Meakins — Physician and Dean of the Faculty of Medicine 1941–1948, first President and Founder of the Royal College of Physicians and Surgeons of Canada
Albert Aguayo — Canadian neurologist and assistant professor in the department of Neurology and Neurosurgery, former President International Brain Research Organization
John J. R. Macleod — co-discoverer of insulin, Nobel Prize in Physiology or Medicine (1923) laureate
Rémi Quirion — first Chief Scientist of Quebec
Lydia Giberson — Canadian-born psychiatrist and pioneering Metropolitan Life Insurance Company executive
Marvin Kwitko — Canadian ophthalmologist who pioneered in cataract surgery and laser eye surgery
Donald Ewen Cameron — Scottish-born psychiatrist known for his involvement in Project MKUltra
Joseph B. Martin — Dean of the Harvard Medical School, former chair of neurology and neurosurgery
Barbara E. Jones — Canadian neuroscientist, professor emerita in the McGill University Department of Neurology and Neurosurgery
Gustavo Turecki — Canadian psychiatrist, suicidologist, neuroscientist
Beverley Pearson Murphy — endocrinologist, developed a standard method for the measurement of thyroxine
Frederick Andermann — neurologist and expert in epilepsy, namesake for Andermann syndrome
Juda Hirsch Quastel — pioneer in neurochemistry and soil metabolism; Director of the McGill University-Montreal General Hospital Research Institute
John Dossetor — Canadian physician and bioethicist who is notable for co–coordinating the first kidney transplant in Canada and the Commonwealth
Ouida Ramón-Moliner — Canadian anaesthetist
Joseph Morley Drake M.D., C.M. 1861 — British Physiologist
Shyamala Gopalan — breast cancer researcher in the Faculty of Medicine and McGill-affiliated Lady Davis Institute for Medical Research; mother of U.S. Vice President Kamala Harris
See also
Osler Library of the History of Medicine
McIntyre Medical Sciences Building
McGill University Health Centre
McGill University
McGill University Life Sciences Research Complex
References
Further reading
Joseph Hanaway and Richard Cruess. "McGill Medicine, Volume 1, 1829–1885. The First Half Century".
Joseph Hanaway, Richard Cruess, and James Darragh. "McGill Medicine, Volume II, 1885–1936".
External links
Medical Library Archives Collection, Osler Library Archives, McGill University. Collection of primary sources documenting the growth of the Medical Library at McGill University. Also includes announcements, university calendars, and directories related to the Faculty of Medicine
McGill University
Medical schools in Canada
|
```haskell
module ShouldSucceed where
o (True,x) = x
o (False,y) = y+1
```
|
Ian Birchall (born 1939) is a British Marxist historian and translator, a former member of the Socialist Workers Party and author of numerous articles and books, particularly relating to the French Left. Formerly Senior Lecturer in French at Middlesex University, his research interests include the Comintern, the International Working Class, Communism and Trotskyism, France and Syndicalism, Babeuf, Sartre, Victor Serge and Alfred Rosmer. He was on the editorial board of Revolutionary History, a member of the London Socialist Historians Group and has completed a biography of Tony Cliff.
In 2013, Birchall joined opposition to the SWP Central Committee during the internal crisis over allegations of rape and resigned from the organisation in December.
In August 2015, Birchall was one of 20 authors of Poets for Corbyn, an anthology of poems endorsing Jeremy Corbyn's campaign in the Labour Party leadership election.
Selected articles/works
France : the struggle goes on (with Tony Cliff) (1968)
Workers against the monolith : the Communist parties since 1943 (1974)
The smallest mass party in the world : building the Socialist Workers Party, 1951-1979 (1981)
Eric Hobsbawm and the working class (with Norah Carlin) (1983)
Bailing out the system : reformist socialism in Western Europe, 1944-1985 (1986)
Morris, Bax and Babeuf (1996)
The spectre of Babeuf (1997)
Sartre against Stalinism (2004)
A Rebel's Guide to Lenin (2005)
Sartre's Century (2005)
Tony Cliff: A Marxist for His Time (2011)
Works translated/edited
Lenin's Moscow, by Alfred Rosmer (translated from the French) (1971)
Flowers and revolution : a collection of writings on Jean Genet (edited with Barbara Read)(1997)
Witness to the German Revolution / by Victor Serge (translated from the French) (1999)
The German Revolution, 1917-1923 / by Pierre Broué; translated by John Archer (edited with Brian Pearce) (2005)
Revolution in Danger – Writings from Russia 1919-20 by Victor Serge (translated from the French) London: Redwords.(1997)
References
External links Articles in the Marxists Internet Archive''
Profile at Comment is Free
Tony Cliff Bibliography - the writings and works of Tony Cliff by Ian Birchall on Modkraft.dk/tidsskriftcentret
"Grim and Dim", The website of Ian Birchall
1939 births
Living people
British Marxist historians
British Trotskyists
Socialist Workers Party (UK) members
|
```python
from prowler.lib.check.models import Check, Check_Report_AWS
from prowler.providers.aws.services.cloudtrail.cloudtrail_client import (
cloudtrail_client,
)
from prowler.providers.aws.services.s3.s3_client import s3_client
class cloudtrail_s3_dataevents_read_enabled(Check):
def execute(self):
findings = []
if cloudtrail_client.trails is not None:
for trail in cloudtrail_client.trails.values():
for data_event in trail.data_events:
# classic event selectors
if not data_event.is_advanced:
# Check if trail has a data event for all S3 Buckets for read
if (
data_event.event_selector["ReadWriteType"] == "ReadOnly"
or data_event.event_selector["ReadWriteType"] == "All"
):
for resource in data_event.event_selector["DataResources"]:
if "AWS::S3::Object" == resource["Type"] and (
f"arn:{cloudtrail_client.audited_partition}:s3"
in resource["Values"]
or f"arn:{cloudtrail_client.audited_partition}:s3:::"
in resource["Values"]
or f"arn:{cloudtrail_client.audited_partition}:s3:::*/*"
in resource["Values"]
):
report = Check_Report_AWS(self.metadata())
report.region = trail.home_region
report.resource_id = trail.name
report.resource_arn = trail.arn
report.resource_tags = trail.tags
report.status = "PASS"
report.status_extended = f"Trail {trail.name} from home region {trail.home_region} has a classic data event selector to record all S3 object-level API operations."
findings.append(report)
# advanced event selectors
elif data_event.is_advanced:
for field_selector in data_event.event_selector[
"FieldSelectors"
]:
if (
field_selector["Field"] == "resources.type"
and field_selector["Equals"][0] == "AWS::S3::Object"
):
report = Check_Report_AWS(self.metadata())
report.region = trail.home_region
report.resource_id = trail.name
report.resource_arn = trail.arn
report.resource_tags = trail.tags
report.status = "PASS"
report.status_extended = f"Trail {trail.name} from home region {trail.home_region} has an advanced data event selector to record all S3 object-level API operations."
findings.append(report)
if not findings and (
s3_client.buckets or cloudtrail_client.provider.scan_unused_services
):
report = Check_Report_AWS(self.metadata())
report.region = cloudtrail_client.region
report.resource_arn = cloudtrail_client.trail_arn_template
report.resource_id = cloudtrail_client.audited_account
report.status = "FAIL"
report.status_extended = "No CloudTrail trails have a data event to record all S3 object-level API operations."
findings.append(report)
return findings
```
|
Philip H. Melanson (1944 – September 18, 2006) was a Chancellor Professor of Policy Studies at University of Massachusetts Dartmouth and served on the Executive Board of the university's Center for Policy Analysis (CFPA) now known as the Public Policy Center. He served as chair of the Political Science Department for 12 years.
He also served as coordinator of the Robert F. Kennedy Assassination Archive from April 1988, which is the world's largest collection on the subject.
An internationally recognized expert on political violence and governmental secrecy, Melanson wrote numerous books and articles related to these subjects. He was also member of the governing board of John Judge's Coalition on Political Assassinations. He appeared on BBC, CBS, CNN, C-SPAN, and NPR news programs.
In 2001 he was the University of Massachusetts, Dartmouth Faculty Federation Scholar of the Year.
He made numerous Freedom of Information Act (FOIA) requests, which resulted in the release of over 200,000 pages of federal government documents on topics relevant to his research.
The Philip H. Melanson Memorial Scholarship was established in 2006 by friends, colleagues, and former students of Dr. Melanson to provide financial assistance to graduate students who are enrolled at UMass Dartmouth and maintain an active interest in public policy.
Publications
Knowledge, Politics, and Public Policy (ed.). Cambridge, Mass.: Winthrop Publishers Inc. (1973).
Political Science and Political Knowledge. Washington, D.C.: Public Affairs Press (1975).
The Politics of Protection: The U.S. Secret Service in The Terrorist Age. New York: Praeger Publishers (1984).
The MURKIN Conspiracy: An Inquiry into the Assassination of Dr. Martin Luther King, Jr. New York: Praeger Publishers (1988). .
Spy Saga: Lee Harvey Oswald and U.S. Intelligence. New York: Prager (1990). .
The Robert F. Kennedy Assassination: New Revelations on the Conspiracy and Coverup, 1968–1991. New York: Shapolsky Publishers (1991).
The Assassination of Martin Luther King, Jr. New York: SPI Books (1991).
Who Killed Martin Luther King? Berkeley, Calif.: Odonian Press (1991).
Who Killed Robert Kennedy? Berkeley, Calif.: Odonian Press (1991).
Shadow Play: The Killing of Robert Kennedy, The Trial of Sirhan Sirhan, and the Failure of American Justice, with William Klaber. New York: St. Martin's Press (1997). .
Secrecy Wars: Privacy, National Security and the Public's Right to Know. Dulles, Virg.: Brassey's (Jan. 2002). .
The Secret Service: The Hidden History of an Enigmatic Agency, with Peter Stevens. New York: Carroll & Graff (2002). .
Notes and references
External links
Appearances on C-SPAN
Philip Melanson at IMDb
Files at the Weisberg Collection
Philip Melanson (mirrored via Internet Archive)
Phillip Melanson (filed under misspelled name)
CIA-Zapruder film article
The MURKIN Conspiracy
Robert F. Kennedy assassination
Spy Saga and commentary
1944 births
2006 deaths
20th-century American educators
American male non-fiction writers
American political writers
University of Massachusetts Dartmouth faculty
20th-century American male writers
|
```objective-c
#pragma once
#ifdef USE_TENSORPIPE
#include <torch/csrc/distributed/rpc/utils.h>
namespace tensorpipe {
class Message;
class Allocation;
class Descriptor;
} // namespace tensorpipe
namespace torch::distributed::rpc {
TORCH_API const c10::Stream& getStreamForDevice(
const std::vector<c10::Stream>& streams,
const c10::Device& device);
// Inspired by c10/core/impl/DeviceGuardImplInterface.h.
class TensorpipeDeviceTypeConverter {
public:
// Ideally we'd want this to also return a tensorpipe::Message::Tensor object
// but we cannot forward-declare that class (because it's nested), and we
// cannot include the TensorPipe headers because it's a private dependency.
// Thus we bend over backwards and entrust this method with appending that
// object to the `tensors` field of the tensorpipe::Message object we pass.
virtual std::optional<std::vector<char>> prepareTensorForSending(
const c10::Storage& storage,
const std::vector<c10::Stream>& streams,
tensorpipe::Message& message) const = 0;
// Same as above: this method cannot return a tensorpipe::Allocation::Tensor,
// thus it appends it to the `tensors` field of the tensorpipe::Allocation.
virtual at::DataPtr allocateTensorForReceiving(
c10::DeviceIndex deviceIndex,
size_t length,
const std::vector<c10::Stream>& streams,
tensorpipe::Allocation& allocation) const = 0;
virtual ~TensorpipeDeviceTypeConverter() = default;
};
extern TORCH_API std::array<
std::atomic<const TensorpipeDeviceTypeConverter*>,
static_cast<size_t>(DeviceType::COMPILE_TIME_MAX_DEVICE_TYPES)>
device_type_converter_registry;
class TORCH_API TensorpipeDeviceTypeConverterRegistrar {
public:
TensorpipeDeviceTypeConverterRegistrar(
DeviceType,
const TensorpipeDeviceTypeConverter*);
};
#define C10_REGISTER_TENSORPIPE_DEVICE_TYPE_CONVERTER( \
DevType, TensorpipeDeviceTypeConverter) \
static ::torch::distributed::rpc::TensorpipeDeviceTypeConverterRegistrar \
C10_ANONYMOUS_VARIABLE(g_##DeviceType)( \
::c10::DeviceType::DevType, new TensorpipeDeviceTypeConverter());
inline const TensorpipeDeviceTypeConverter* getDeviceTypeConverter(
DeviceType type) {
return device_type_converter_registry[static_cast<size_t>(type)].load();
}
// A struct that holds pointers that keep alive all the memory that will be
// accessed by TensorPipe during a write operation.
struct TensorpipeWriteBuffers {
// Allocate on heap so pointers stay valid as we move the holder.
std::unique_ptr<MessageType> type;
std::unique_ptr<int64_t> id;
std::vector<char> payload;
std::vector<char> pickle;
// This contains the original tensors and the clones of the sparse tensors.
std::vector<torch::Tensor> tensors;
// This contains the copies of the data of the tensors that didn't own their
// memory, e.g., the ones created from torch::from_blob() with no deleter.
std::vector<std::vector<char>> copiedTensors;
};
// A struct that holds pointers that keep alive all the memory that will be
// accessed by TensorPipe during a read operation.
struct TensorpipeReadBuffers {
// Allocate on heap so pointers stay valid as we move the holder.
std::unique_ptr<MessageType> type;
std::unique_ptr<int64_t> id;
std::vector<char> payload;
std::vector<char> pickle;
std::vector<c10::DataPtr> tensors;
};
// Convert an RPC message into a TensorPipe message, plus a holder to all the
// data that must be kept alive while the write is performed asynchronously.
TORCH_API std::tuple<tensorpipe::Message, TensorpipeWriteBuffers>
tensorpipeSerialize(
const c10::intrusive_ptr<Message>& rpcMessage,
std::vector<c10::Device> devices,
const std::vector<c10::Stream>& streams);
// Allocate the buffers that will hold the incoming data. They will be managed
// by the returned holder, which must be kept alive until the asynchronous read
// has finished. Pointers to these buffers will be stored in the returned
// tensorpipe::Allocation struct.
TORCH_API std::pair<tensorpipe::Allocation, TensorpipeReadBuffers>
tensorpipeAllocate(
const tensorpipe::Descriptor& tpDescriptor,
const std::vector<c10::Stream>& streams);
// Convert a TensorPipe message back into an RPC message. This requires the data
// to be available and can thus only be performed once the asynchronous read has
// completed. The holder can be destroyed once this function returns.
TORCH_API c10::intrusive_ptr<Message> tensorpipeDeserialize(
tensorpipe::Descriptor&& tpDescriptor,
TensorpipeReadBuffers&& holder);
} // namespace torch::distributed::rpc
#endif // USE_TENSORPIPE
```
|
```go
package dnstap
import (
"net"
"sync"
"testing"
"time"
"github.com/coredns/coredns/plugin/pkg/reuseport"
tap "github.com/dnstap/golang-dnstap"
fs "github.com/farsightsec/golang-framestream"
)
var (
msgType = tap.Dnstap_MESSAGE
tmsg = tap.Dnstap{Type: &msgType}
)
func accept(t *testing.T, l net.Listener, count int) {
server, err := l.Accept()
if err != nil {
t.Fatalf("Server accepted: %s", err)
}
dec, err := fs.NewDecoder(server, &fs.DecoderOptions{
ContentType: []byte("protobuf:dnstap.Dnstap"),
Bidirectional: true,
})
if err != nil {
t.Fatalf("Server decoder: %s", err)
}
for i := 0; i < count; i++ {
if _, err := dec.Decode(); err != nil {
t.Errorf("Server decode: %s", err)
}
}
if err := server.Close(); err != nil {
t.Error(err)
}
}
func TestTransport(t *testing.T) {
transport := [2][2]string{
{"tcp", ":0"},
{"unix", "dnstap.sock"},
}
for _, param := range transport {
l, err := reuseport.Listen(param[0], param[1])
if err != nil {
t.Fatalf("Cannot start listener: %s", err)
}
var wg sync.WaitGroup
wg.Add(1)
go func() {
accept(t, l, 1)
wg.Done()
}()
dio := newIO(param[0], l.Addr().String())
dio.tcpTimeout = 10 * time.Millisecond
dio.flushTimeout = 30 * time.Millisecond
dio.connect()
dio.Dnstap(&tmsg)
wg.Wait()
l.Close()
dio.close()
}
}
func TestRace(t *testing.T) {
count := 10
l, err := reuseport.Listen("tcp", ":0")
if err != nil {
t.Fatalf("Cannot start listener: %s", err)
}
defer l.Close()
var wg sync.WaitGroup
wg.Add(1)
go func() {
accept(t, l, count)
wg.Done()
}()
dio := newIO("tcp", l.Addr().String())
dio.tcpTimeout = 10 * time.Millisecond
dio.flushTimeout = 30 * time.Millisecond
dio.connect()
defer dio.close()
wg.Add(count)
for i := 0; i < count; i++ {
go func() {
tmsg := tap.Dnstap_MESSAGE
dio.Dnstap(&tap.Dnstap{Type: &tmsg})
wg.Done()
}()
}
wg.Wait()
}
func TestReconnect(t *testing.T) {
count := 5
l, err := reuseport.Listen("tcp", ":0")
if err != nil {
t.Fatalf("Cannot start listener: %s", err)
}
var wg sync.WaitGroup
wg.Add(1)
go func() {
accept(t, l, 1)
wg.Done()
}()
addr := l.Addr().String()
dio := newIO("tcp", addr)
dio.tcpTimeout = 10 * time.Millisecond
dio.flushTimeout = 30 * time.Millisecond
dio.connect()
defer dio.close()
dio.Dnstap(&tmsg)
wg.Wait()
// Close listener
l.Close()
// And start TCP listener again on the same port
l, err = reuseport.Listen("tcp", addr)
if err != nil {
t.Fatalf("Cannot start listener: %s", err)
}
defer l.Close()
wg.Add(1)
go func() {
accept(t, l, 1)
wg.Done()
}()
for i := 0; i < count; i++ {
time.Sleep(100 * time.Millisecond)
dio.Dnstap(&tmsg)
}
wg.Wait()
}
```
|
```xml
import Header from "./_components/header";
export const metadata = {
title: "Next.js",
description: "Generated by Next.js",
};
export default function RootLayout({
children,
}: {
children: React.ReactNode;
}) {
return (
<html lang="en">
<body>
<Header />
{children}
</body>
</html>
);
}
```
|
```java
package com.fishercoder.fourththousand;
import com.fishercoder.solutions.fourththousand._3083;
import org.junit.jupiter.api.BeforeEach;
import org.junit.jupiter.api.Test;
import static org.junit.jupiter.api.Assertions.assertTrue;
public class _3083Test {
private _3083.Solution1 solution1;
@BeforeEach
public void setup() {
solution1 = new _3083.Solution1();
}
@Test
public void test1() {
assertTrue(solution1.isSubstringPresent("leetcode"));
}
}
```
|
Skylarking is the ninth studio album by the English rock band XTC, released 27 October 1986 on Virgin Records. Produced by American musician Todd Rundgren, it is a loose concept album about a nonspecific cycle, such as a day, a year, the seasons, or a life. The title refers to a type of bird (skylark), as well as the Royal Navy term "skylarking", which means "fooling around". It became one of XTC's best-known albums and is generally regarded as their finest work.
Like XTC's previous Dukes of Stratosphear side project, Skylarking was heavily influenced by the music of the 1960s. Most of its recording was at Rundgren's Utopia Sound Studio in Woodstock, New York. Rundgren played a large role in the album's sound design and drum programming, providing the band with orchestral arrangements and an assortment of gear. However, the sessions were fraught with tension, especially between Rundgren and bandleader Andy Partridge, and numerous disagreements arose over drum patterns, song selections, and other details.
Upon release, Skylarking was met with indifference in the UK, rising in the album charts to number 90, while both of its lead singles "Grass" (backed with "Dear God") and "The Meeting Place" peaked at number 100. Early sales of the album were hampered by the omission of "Dear God" from the album's original pressings. In the US, the song became a college radio hit, causing US distributor Geffen Records to recall and repress Skylarking with the track included, and propelling the album to number 70. Following the song's growth in popularity, it was the subject of controversy in the US, inspiring many angry phone calls to radio stations and at least one bomb threat.
Skylarking has been listed on "100 greatest albums of the 1980s" lists by Rolling Stone (in 1989) and Pitchfork (in 2002). In 2010, it was discovered that a wiring error made during the mastering process caused the album to have a "thin" sound. The problem was corrected on subsequent remasters. In 2016, an expanded reissue was released by Partridge's APE Records with demos, outtakes, and new stereo and surrounded sound mixes by Steven Wilson.
Background
In the 1980s, XTC underwent a gradual transition in their sound and image. Their albums became increasingly complex, and after frontman and songwriter Andy Partridge suffered a panic attack before a concert, the band ceased touring. In 1984, they released The Big Express, which sold poorly and attracted little critical notice. According to Partridge, the group's psychedelic influences had begun "leaking out" through the use of Mellotron, phasing, and "backwards so-and-so". They followed up with the British-only mini-album 25 O'Clock, released on April Fools' Day 1985 and credited under the pseudonym "the Dukes of Stratosphear". The album was a more explicit homage to 1960s psychedelia that outsold The Big Express, even before the Dukes were revealed to be XTC. Partridge remembered: "That was a bit upsetting to think that people preferred these pretend personalities to our own personalities ... they're trying to tell us something."
During a routine meeting in early 1986, Virgin Records executives threatened to drop the band from the label if their next album failed to sell more than 70,000 units. One reason why the group was not selling enough records, the label reportedly concluded, was that they sounded "too English". As was the case for their other records, the label refused to allow the band to act as their own producers, even though Partridge was already established as a producer of other artists. The group were given a list of American producers and the only name they recognized was Todd Rundgren's. To Virgin, he appeared to be ideal for XTC, as he had a reputation for completing troubled projects on schedule and under budget, such as Badfinger's Straight Up (1971) and Meat Loaf's Bat Out of Hell (1977). XTC was a rare example, he said, "where I was both familiar with the band's previous work and unnecessary as a 'songcraft' agitator." He had also attended one of XTC shows in Chicago during their 1980 Black Sea tour.
Guitarist Dave Gregory was a fan of Rundgren's music, particularly since hearing the 1978 album Hermit of Mink Hollow. His bandmates were not as familiar with the producer. For bassist Colin Moulding, "I'd seen him on stage, on TV, with his Utopia stuff, and I thought it was way over the bastard top ... Then Dave started playing me one or two things. I heard 'I Saw the Light," and I thought, 'Christ, that's a really good song!' I didn't know he had that side to him. All that Partridge knew about Rundgren was his solo album Something/Anything? (1972). Gregory urged the group to work with him: "I reminded Andy that Todd had produced one of his favourite New York Dolls records [New York Dolls, 1973]. In the absence of any better alternatives, he agreed." Once contacted, Rundgren offered to handle the album's entire recording for a lump sum of $150,000—including tape costs, studio hire, lodging, and his production fee—which the band accepted.
Concept and style
In January 1986, Partridge and Moulding mailed Rundgren a collection of more than 20 demo tapes they had stockpiled in advance of the album. Rundgren convinced the band that the songs they had written could form a concept album as a way to bridge what he described "Colin's 'pastoral' tunes and subject matter and Andy's 'pop anthems' and sly poetry." He also suggested a provisional title, Day Passes, and said that the album
The chosen songs were of a gentler atmosphere and relations were drawn between tempo, key, and subject matter. Partridge thought well of the selections, but was annoyed that the tracks and running order were determined so early on in the process, remarking that "you hadn't spoken to the bloke for three minutes, and he'd already been hacking and throwing your work in the bin". Working titles included All Day Life, Rite, Rite Things, Leftover Rites, Summer Good, and Pink Things Sing. They settled on Skylarking, referring to a type of bird (skylark) and the Royal Navy term "skylarking", which means "fooling around". Partridge commented that the album espoused the feeling of "a playfully sexual hot summer ... It's just about summer and being out in the open and discovering sex in a stumbly, teenage way."
Similar to 25 O'Clock, the music was heavily influenced by the 1960s psychedelic era. However, Skylarking contrasted significantly from earlier XTC efforts. As music critic A.D. Amorosi wrote, "More lyrically mature, lush and gently psychedelic than anything before in their catalog, Skylarking borrowed the hilly, holy feel of Mummer, as well as the ringing Beatles-ish vibe from ... The Big Express, but with a softly sweeping gracefulness and a finessed orchestral swirl. It has been variously described as an album of art rock, art pop, new wave, psychedelic pop, psychedelic rock, neo-psychedelia, post-punk, and chamber pop.
Partridge surmised that the lyric content of XTC songs became more worldly as result of his "coming off—rather abruptly—of 13 years of valium addiction". He had also recently become a father and began listening to numerous Beach Boys albums, before which he had only been familiar with their singles. Moulding had recently listened to Pink Floyd's 1967 debut The Piper at the Gates of Dawn for the first time and was influenced by Syd Barrett's "free-form" songwriting style. The number of Moulding songs (five) was also unusual for the band. Partridge: "I was already feeling sort of pushed out by Virgin. ... But, honestly, that was the best batch of material that Colin had ever offered up for". Moulding: "Todd chose the songs. I know for a fact that, had he not, my contribution in number would have been decidedly less. I was just grateful that the band had an independent arbiter."
Production
Session difficulties
The collaboration with Rundgren proved to be difficult, especially for Partridge, and numerous disagreements arose over drum patterns, song selections, and other details. Partridge characterised Rundgren's musical preferences as "completely contradictory to mine", for instance, suggesting a fuzz guitar overdub where Rundgren wanted a mandolin. Moulding acknowledged that, until then, it was typical for Partridge to act as an "executive producer" for XTC's albums, frequently undermining the authority of the actual credited producer. According to Rundgren: "Essentially, it was kind of preordained by me what the record was going to be, which was something they never endured before. I think [Colin and Dave] trusted me, but Andy never did." Gregory intimated that "Todd and Andy were like chalk and cheese as personalities, they didn't hit it off from the start. Things just went from bad to worse."
Partridge was satisfied with Rundgren's arrangements but frustrated with the producer's "patronizing" and "so bloody sarcastic" remarks during sessions. As he remembered, "[Todd would] ask how you were going to do the vocals and you would stand in front of the mic and do one run through to clear your throat and he'd say, 'That was crap. I'll come down and I'll record me singing it and you can have me in your headphones to sing along to.'." Another line he recalled was: "You can dick around with [the track] for a few hours your way if you like. I'm going up to my house. When you find out it doesn't work your way, give me a call and we'll record it my way." He believed that the producer's role was "to keep us in line", however, and that Rundgren was successful in that respect. On the extent of the altercations, Rundgren said "there was the moment Andy said he wanted to cleave my head in half with an axe. But there was never anything physical. Just verbal abuse." Gregory stated that he was "quite happy to be directed by Todd instead of Andy." He thought that Rundgren "deliberately belittle[d Andy] if he thought he was getting too big for his boots. Andy rose to the bait every time." Moulding did not have "any problem with Todd", instead feeling that Partridge was "so unhappy and taking it out, a little bit, on me."
Rundgren had listened to The Big Express and concluded that the group had "lost track" of their studio indulgences. His style of embracing technical mistakes without allowing the members a chance to fix them was also a source of contention. Partridge often stated that this was because Rundgren wanted to spend as little money as possible, while Moulding said: "I don't believe that was the only reason. You could tell, that was his working method. He liked to do it because he's of the opinion—and I think I am as well—that the best take is where the band is running through while the engineer's trying to get a sound! That's the take that should be recorded, you know." At times when Partridge wanted to improve some part of the music, Rundgren would respond saying "Andy, it won't necessarily be 'better' – it'll just be different."
The band routinely played the theme from The Munsters whenever they could see Rundgren arriving to the studio. According to Partridge, Rundgren never realized the joke was at his resemblance to Herman Munster. In spite of all the difficulties, Rundgren said the album "ultimately ... sounds like we were having a great time doing it. And at times we were having a good time." Based on the stories written about Skylarking, Partridge became known for being difficult to work with. Initially, he considered that he may have been wrong in his perception of the sessions. He later consulted with other artists who worked with Rundgren, only to find that "nine times out of ten they’ll say, 'Fuckin' hell, he was like that with us!'" After an argument about a bass part, Moulding stipulated that Partridge be banned from the studio while he finished recording his parts. In 1997, Moulding called it the "only real argument" between him and Partridge in the band's history.
Recording
All of the basic tracks were recorded in the same order as they appear on the album, as were the drum overdubs that followed. The recording sessions took place in early 1986 largely at Rundgren's Utopia Sound Studios in Woodstock, New York. Partridge described Utopia Sound—a two-story building located on the edge of a forest—as "a glorified log cabin". The band stayed at a nearby guest house, while Rundgren lived in the "main house" up the road. They arrived without rehearsing the material because of the expectation that Rundgren would change the song structures anyway. In Moulding's recollection, "That was the problem with the whole record. ... everybody kept saying, 'There's no point in rehearsing!' ... I realized, 'I don't know any of these songs!' [laughs] 'Nobody's told me the chords! What'll we do?'" The project consumed only three reels of tape: one for side one, another for side two, and a third for extras and leftover tracks. Moulding remembered that "one track ran into another. No edits. Todd had a very unorthodox way of recording—15 ips. ... and done very quickly. Second takes were uncommon, but it was all charming in a way. Partridge considered these methods a "money-saving ruse", and believed that Rundgren "didn't wanna spend out on reels of tape".
Rundgren played a large role in the album's sound design and drum programming, providing the band with string and brass arrangements, as well as an assortment of gear that included a Fairlight CMI, Yamaha DX7, E-mu Emulator, pre-MIDI LinnDrum, and a Prophet-10 bought especially for the album. The only instruments the band had brought with them to the US were "about eight guitars". Gregory repaired a neglected Chamberlin that had become infested with mice. They spent the first week planning and setting markers for the tape space they needed. Another three weeks were spent programming percussion and other sequences on a Fairlight. For the first run of sessions at Woodstock, the group used the LinnDrum as a placeholder for percussion, which Gregory said "sounded very stiff and lifeless". Real drums were overdubbed at Sound Hole Studios in San Francisco by the Tubes' Prairie Prince. Gregory said "it was only then that the album started coming to life".
While in San Francisco, the band stayed at a condominium a few blocks away from Rundgren's apartment. Partridge instructed Prince how to play his parts, although Prince occasionally suggested his own ideas. Prince later praised Partridge's "sense of rhythm ... that guy is just amazing. I'm not sure if I've actually ever heard him sit down and play a set of drums, but I think that he probably could do an excellent job. I know he's done some great drum programming." Moulding recalled that nothing apart from "some percussion" was recorded for the album until the band arrived in San Francisco to lay the drum tracks. Initially, Rundgren wanted Moulding to track his bass parts before the drums were recorded, but Moulding objected to this method. The orchestral arrangements were recorded at Sound Hole, as well as a couple of Moulding's bass tracks. Prince recalled that the group adopted "this big project calendar ... with all the instruments and vocal parts they wanted to add. As things got recorded, they would check them off and make notes about what takes they were happy with." Afterward, the band returned to Woodstock to record the rest of the album. When recording was complete, the band left Rundgren with a handmade book of mixing instructions, which he followed.
Sleeve design
The original sleeve design was to depict close-up shots of human pubic regions with flowers fitted into the hairs, female on the front and male on the back. Photo sessions were held, but record shops informed the label that they would not carry the album with that artwork, and so the idea was discarded. Partridge had also considered the rejected design for the cover of the "Grass" single.
As a last minute alternative, Partridge said, "I stole this very tasteful print from a classics concert in 1953 done by a chap called Hans Erney . I changed a few things on the drawing. I think on the original one the boy had a guitar and the girl had a flute, but we gave them both flutes. So it really was a tasteful alternative to the original sleeve, which really would have been suicide to put out."
On the back cover, the group are depicted wearing schoolgirl uniforms. Partridge's intention was to have the group dressed in Quaker outfits looking "really disapprovingly". The reason why they wear schoolgirl outfits instead was due to a miscommunication made when Partridge ordered the outfits.
Songs
Side one
"Summer's Cauldron"
"Summer's Cauldron" is an extension of an original poem Partridge wrote called "Drowning in Summer's Cauldron". It is introduced with the sound of a bee that pans across the stereo channels. Rundgren provided the sample, along with other "summer sounds" such as crickets and barking dogs. The track emphasizes droning sounds and a "wobbly" chorused organ, the latter of which reminded Partridge of summer and the Beatles' "Blue Jay Way" (1967). Rundgren played melodica, Partridge recalled, "and we got to bully him! It was great." Prairie Prince was encouraged to play "spastic" drum fills in the style of Jethro Tull's "Sweet Dream" (1969). "Summer's Cauldron" segues seamlessly into the next track, an effect that was achieved in an unconventional manner. "When we said, 'How are we going to get from 'Summer's Cauldron' to 'Grass'?,' he [Rundgren] said, 'Well, you just put your hand on your instruments and stop the strings ringing and then we punch in the start of 'Grass.'"
"Grass"
"Grass" is sometimes mistaken to be about cannabis, but was actually written about Coate Water, a parkland in Swindon. Moulding composed it on an open E-tuned guitar and found its harmonic changes by playing the chord shapes of Thunderclap Newman's "Something in the Air" (1969). The mixing of violin and guitar was an idea lifted from John Lennon's "How Do You Sleep?" (1971). Rundgren added a tiple to the blend. Moulding originally sang the song with a deeper voice. He said Rundgren voiced concern that the effect was too close to "a molester", and so Moulding "did the Bowie thing and added an octave above it". The track bookends "Summer's Cauldron" with a reprise of its "insect chorus".
"The Meeting Place"
"The Meeting Place" is built on a "circular" guitar motif that reminded Moulding of the children's programme Toytown. He characterised it as "a childish, nursery-rhyme, bell-like, small town riff. As if you were looking down on Toytown, and it was me in the landscape, meeting my wife beside the factory or something, in our teens." The industrial noises at the beginning were samples sequenced on a Fairlight, one of which was the sound of the Swindon Works hooter, which was used as a signal for its workers. Swindon Works closed within a year of the song's recording. Among influences on the song, Moulding cited Syd Barrett, the Rolling Stones' "Factory Girl" (1968), and Billie Jo Spears' Blanket on the Ground" (1975).
"That's Really Super, Supergirl"
"That's Really Super, Supergirl" is a guitar pop song that references the DC Comics character Supergirl, although Partridge stated the "Supergirl" in the song "isn't one girl—it's an amalgam of all the women who had better things to do than be around me... there's a facetious part of it, a little sarcasm in it." Its lyrics also mention kryptonite and Superman's Fortress of Solitude. Rundgren contributed the keyboard part but was left uncredited. Gregory: "We really didn't know what to do with it. It was just a 'B' side, and he could obviously see possibilities in it. One afternoon, we just left him to it." The snare was sampled from the Utopia album Deface the Music (1980). Because of recording logistics, Prince and Moulding were forced to play around the beat. The guitar solo was played by Dave Gregory on Eric Clapton's psychedelic Gibson SG the Fool, then owned by Rundgren. Gregory spent hours rehearsing the solo. Years after the fact, he realised that he had subconsciously lifted the "little five-note runs" heard in the trumpet line of "Magic Dragon Theatre" from the Utopia's Ra (1977).
"Ballet for a Rainy Day"
"Ballet for a Rainy Day", lyrically, is a portrait of a rainy town and its raincoats, fruits, and collapsing hairdos. Partridge: "The one thing I remember about the rain as a child was my mother cursing that her new hairdo was going to get ruined." There was an argument over the lyric "silent film of melting miracle play". Rundgren was unaware that "Miracle Plays" were biblical performances from the Medieval times, and thinking that Partridge was mistaken, requested that it be changed to "passion play". Partridge refused because he wanted to maintain the alliteration in "melting miracle". "Tickets for the front row seats up on the rooftops" is an homage to the Blue Nile's "A Walk Across the Rooftops" (1984). According to music critic Joe Stannard, "Ballet" and the two following tracks "distil the flawless orch-pop of Smile and Abbey Road into a handy three-song suite."
"1000 Umbrellas"
"1000 Umbrellas" is a more somber reflection on a rainy day and the second song about being "dumped" by a woman. Gregory spent weeks working on its string arrangement using a Roland MSQ-100 sequencer and a string patch on his Roland JX-P. He said: "It was a rather doomy, miserable little thing with all those descending chromatic chords, and I thought, 'Oh dear, how can l cheer this miserable song up?'" Rundgren had not originally considered it for the album, since the demo consisted solely of Partridge on acoustic guitar, but was convinced to include it once he heard Gregory's arrangement. Partridge recalled that at one point, Gregory "took me on one side and said, 'I know what you mean by that lyric, 'How can you smile and forecast weather's getting better, if you've never let a girl rain all over you.' And I thought, 'How very enigmatic of you, Gregsy.'"
"Season Cycle"
"Season Cycle", in its basic form, came to Partridge while walking his dog. The song was prominently influenced by the Beach Boys, but was not initially planned as a pastiche of the band, he said, "in fact, it started out very much like a folk song, very strummy. And just to kind of tie things up, I tried to do some other things going on at the same time, 'cause we're cross-melody maniacs in this band, but I thought it would be fun. Then I thought, 'Shit, this really does sound like the Beach Boys. Yeah, I'll make it sound a bit more like the Beach Boys!'." He felt that the end result was "nearer to Harpers Bizarre than the Beach Boys personally." In another interview, he stated that he was consciously inspired by the Beach Boys album Smiley Smile (1967) to write a song that appeared to be made up of many disparate musical sections. Gregory took issue with the dissonance in the second bridge, but Rundgren sided with Partridge on the view that it made the harmonic development more interesting. Rundgren, however, taunted Partridge for the lyric "about the baby and the umbilical".
Side two
"Earn Enough for Us"
"Earn Enough for Us" is a power pop song with subject matter similar to Partridge's previous "Love on a Farmboy's Wages". He wrote "Earn Enough" about his former days working at a paint shop. The lyric "I can take humiliation and hurtful comments from the boss" refers to the shop's owner, Middle Mr. Turnley. "He'd come into the shop and go, 'Snort! snort! Look at ya, you fuckin' useless little cunt, snort! snort! You got a fuckin' girl's haircut, ya little cunt, snort!'" The opening riff was invented by Gregory after some persuasion from Rundgren. Moulding temporarily left the group after a dispute over the bass line, which Partridge felt had been going in a direction that was too "bluesy".
"Big Day"
"Big Day" is about marriage and was dedicated to Moulding's teenage son Lee. It was first offered for 25 O'Clock but his bandmates thought it was too good for the Dukes project. Partridge envisioned the song as a single.
"Another Satellite"
"Another Satellite" is about Erica Wexler, a fan who caused tensions between Partridge and his wife, and ultimately became his romantic partner and musical collaborator. He previously wrote about Wexler for The Big Express songs "Seagulls Screaming Kiss Her Kiss Her" and "You're the Wish You Are I Had". Rundgren had initially rejected "Another Satellite", but it was included at the insistence of the band's A&R executive at Virgin, Jeremy Lascelles. Partridge expressed regret releasing the song since it was hurtful to Erica, although "the story had a happy ending" once they rekindled a relationship in the 1990s. The "mordant, chiming rebuke" of the song, according to Stannard, "signals a shift into darker, more personal areas."
"Mermaid Smiled"
"Mermaid Smiled" is a "jazzy" song inspired by a board book Partridge owned as a child. The title means "getting back in touch with the child in you. And the key to that is something as frivolous as a smile on a mermaid." It was composed in D6 tuning (D–A–D–A–B–F) and came about when he discovered a riff that he felt had an underwater quality to it. He wrote a poem containing some of the lyrics, called "Book Full of Sea", but could not remember if it was before or after he had the "Raga-mama-Raga" guitar motif: "I started to throw my hands around the fretboard and discovered some great-sounding stuff – all simple chords. They're just straight barres or real simple shapes. It just sort of said rock pools and mermaids and breakers crashing." Rundgren arranged the song in the style of Bobby Darin. The track features tabla, bongos, muted trumpets, and sampled vibraphones from a Fairlight; the latter two are reflected in the lyrics "from pools of xylophone clear" and "compose with trumpeting shell". Partridge found that the percussion gave the song an Indian feel and tried expanding upon it by singing flattened quarter notes, an idea that Rundgren rejected.
"The Man Who Sailed Around His Soul"
"The Man Who Sailed Around His Soul" is an existentialist beatnik song that "just says you're born, you live, and you die," Partridge explained. "Why look for the meaning of life when all there is is death and decay." The melody was inspired by the Nat King Cole version of "Nature Boy" (1948). Rundgren's arrangement was based on the music of 1960s spy films, which happened to be in an idiom similar to "Mermaid Smiled". Partridge: "I had in my head that I really wanted to out-do 'Mack the Knife' — the Bobby Darin version. ... [and] it sounded like a spy film title to me. So I thought, 'It'd be great to do sort of a John Barry secret-agent soundtrack thing.' ... I said to Todd, 'Ideally, make it like a Beatnik existential spy movie soundtrack. Can such a thing be done?' And literally, he went away overnight and came back with charts for this stuff." Partridge instructed Prince to drum like a "jazz junkie drummer". On his performance, Prince surmised that he may have unconsciously "channeled" the influence of big band drummer Gene Krupa.
"Dear God"
"Dear God" is about a struggling agnostic who writes a letter to God while challenging his existence. The song was conceived in a skiffle style but while playing the Beatles' "Rocky Raccoon" (1968), Partridge was inspired to move "Dear God" closer to that song's direction. "Dear God" was not included on original pressings of Skylarking, but it was always intended to be on the album.
"Dying"
"Dying" was inspired by an elderly neighbor of Moulding's named Bertie. It was wrongly assumed to be about his father, Charlie Moulding, who had died of a heart attack in 1983. Colin had recently purchased a house in the Swindon countryside: "We didn't see him [Bertie] for the first six months and thought he might be dead. But people in the village said that he'd recently lost his wife and had become very quiet and sad. ... He used to get these attacks and be very short of breath. But he loved to talk about the old ways." The sampled clarinet solo was played on a Chamberlin.
"Sacrificial Bonfire"
"Sacrificial Bonfire" attempts to set the scene of an Iron Age ritual. Moulding started with a pagan-sounding guitar riff: "There was a touch of 'The Sorcerer's Apprentice' and a bit of Arthur Brown's 'Fire' in it, I suppose. But I wasn't moralizing. It was just that this was an evil piece of music and good would triumph over it." Rundgren contributed a string arrangement, something Moulding had not envisioned for the song. He said "it made the last two bars of the album more optimistic, which I think fitted into his original Day Passes concept. It was the dawn of another day." Partridge concurred: "It was a good ending to the album, fading deep into the night. It just leaves you in blackness with the slightest hint that dawn is coming."
Leftover
"Let's Make a Den", according to Partridge, is about "the idea that you play all these games and then do it in real life. First it's a den and then it's a real house. I had finally got my own home and didn't like the idea of losing it because England might get caught up in a war caused by Ronald Reagan's 'Star Wars' sabre rattling." The song was in Rundgren's original concept of Skylarking, but he wanted Partridge to change the time signature from to . Partridge fought over this detail, "I wanted this keenness and childish joy which you get from the seven/four meter. I also wanted the rhythm track to have banging Coke cans and stuff, the things that kids would do." Prince was a witness to Rundgren and Partridge's arguments regarding the song: "I thought it was cool, but then Todd ... said, 'You know, I really don't like this song, I don't think it fits with the whole scheme of this album.' And that's when they started arguing—Andy was saying, 'Well, why not?' He gave some long explanation why it should, and Todd just kind of put his foot down, and didn't want to do it."
"Extrovert" is Partridge's rumination on overcoming his shyness. Its more aggressive and bombastic tone contrasts significantly with the other Skylarking songs. The song was recorded as a single B-side and was the last tracked for the sessions. Partridge sang the lead vocal while inebriated. After the band returned to England, they agreed to Rundgren overdubbing some brass samples, although he ultimately got the chords wrong. "Terrorism", "The Troubles", and "Find the Fox" were all rejected by Rundgren on the grounds that they did not fit in the album's concept, and they were never tracked for the sessions.
Release
Lead single "Grass", backed with "Dear God" in the UK, was released in August 1986. Skylarking followed on 27 October 1986. It spent one week on the UK album charts, reaching No. 90 in November. In the US, radio stations were sent a promotional disc, Skylarking with Andy Partridge, which featured interviews with the group and Rundgren. A second single, "The Meeting Place", was issued in 1987. Demos of "Let's Make a Den", "The Troubles", "Find the Fox", and "Terrorism" were remixed at Crescent Studios and released as bonus tracks to the singles. Both "Grass" and "The Meeting Place" reached No. 100 on the UK Singles Chart.
Tim Sommer of Rolling Stone praised the album as "the most inspired and satisfying piece of Beatle-esque pop since ... well, since the Beatles" and drew favourable comparisons to the Beatles (Revolver, Rubber Soul), the Beach Boys (Pet Sounds) and the Kinks (Village Green Preservation Society). Creem Karen Schlosberg dubbed it a "masterpiece" and a "somewhat baroque and ethereally-textured collection". She lamented that it was unlikely the album would receive much radio play, "since the lads' sound is probably too different to sit well with contemporary radio programming standards. Another irony, since XTC is constantly being compared to one of the most successful groups in pop history, the Beatles." Billboard reviewed: "The overall tone here is less hard-edged than in past work; the band never takes the easy way out, however, employing unique sounds and unexpected melodic twists to wonderful effect."
Robert Christgau awarded the record an A− with his only criticism being "when the topics become darker and more cosmic ... they clutter things with sound and whimsy". Also from Rolling Stone, Rob Tannenbaum's 1987 review said the album's craftsmanship was "a remarkable achievement", but decried: "This trading of the acute modernism that marked such classics as 'This Is Pop' and 'Making Plans for Nigel' for domestic solitude dampens the band's punk-roots energy and also limits its emotional spectrum. ... Partridge complains. But then he apologizes to his ex for being "rude" to her. Being rude is the point of breakup songs, and a shot of rudeness is just what XTC could use now."
Promotional videos were created for "Grass" and "Dear God" (both directed by Nick Brandt). The Channel 4 music program The Tube also produced videos for "The Meeting Place" and "The Man Who Sailed Around His Soul" filmed in Portmeirion with the band wearing costumes from The Prisoner. The music video for "Dear God" received the 1987 Billboard Best Video award and was nominated for three categories at the MTV Video Music Awards.
"Dear God" controversy
Early sales were hampered by the omission of "Dear God" from the album's original pressings. It was left off because Jeremy Lascelles was concerned about the album's length and advised that the song may upset American audiences. Partridge recalled: "I reluctantly agreed because I thought I hadn't written a strong enough take on religion. I thought I'd kind of failed." Rundgren had a different recollection, and said that Partridge demanded that the song be pulled because "He was afraid that there would be repercussions personally for him for taking on such a thorny subject... I called them and said, 'This is a mistake.'" Partridge denied such accusations: "if you can't have a different opinion without them [people upset by the song] wanting to firebomb your house then that's their problem."
"Dear God" was ultimately released as the B-side to the UK lead single "Grass", but due to its popularity with American DJs, the album was reissued in the US, with "Mermaid Smiled" removed and "Dear God" cross-faded into the following track, "Dying", giving the second edition of the US album a revised track sequence. Partridge commented: "I got backed into a corner on that. They said that we had to take something off to put this one on 'cause of the limitations of vinyl and such. I think I wanted to take off 'Dying' and part of me said no, lyrically it's very honest and good, and so 'Dying' stayed."
In June 1987, the A-sided "Dear God" single was released in both markets, reaching No. 99 in the UK, and No. 37 in the US Mainstream Rock chart. Some controversy broke out over the song's anti-religious lyrics, which inspired some violent incidents. In Florida, a radio station received a bomb threat, and in New York, a student forced their school to play the song over its public-address system by holding a faculty member at knife-point. Nonetheless, the commercial success of "Dear God" propelled Skylarking to sell more than 250,000 units, and it raised the band's profile among American college youth. In the US, the album spent 29 weeks on the Billboard 200 album charts and reached its peak position of No. 70 in June 1987.
Polarity issue
On the request of XTC and Virgin Records, Rundgren submitted three different mixdowns of the album before quitting the project. The first mix was believed to be lacking in dynamics, while the second was rejected for containing numerous pops, clicks, and digital dropouts. According to Partridge, both the label and the band were dissatisfied with the final mix; "We all thought [it was] poor and thin ... There was no bass on it, no high tops, and the middle sounded muddy." Gregory similarly recalled that it was badly recorded.
Decades later, it was discovered that the album's master tapes were engineered with an improper sound polarity. Mastering engineer John Dent, who discovered the flaw in 2010, attributed it to a wiring error between the multitrack recording and stereo mixing machines, which would not have been aurally evident until after the tapes left Rundgren's studio. Dent was able to correct the issue, and his master was released by Partridge's APE House label exclusively on vinyl that same year. Rundgren commented: "I think it's total bullshit. But if such a thing existed, it's because they changed the running order on it and had to remaster it – which I had nothing to do with." The master with corrected polarity was eventually issued on CD as well.
Retrospective reviews and legacy
Upon release, Skylarking received much critical acclaim. It became XTC's best-known album and generally regarded as their finest work. Dave Gregory recalled that two years after its release, he learned that XTC's recent work was "hugely influential" in the US. Music journalist Michael Azerrad wrote that with Skylarking, the band had become "deans of a group of artists who make what can only be described as unpopular pop music, placing a high premium on melody and solid if idiosyncratic songcraft." Mojos Ian Harrison wrote that regardless of the "businesslike-to-hostile rather than chummy" relationship between Rundgren and the band, "the results were sublime". PopMatterss Patrick Schabe cited it as the album where XTC "blossomed into full maturity", while Uncuts Joe Stannard called it "the album that tied up everything great about Swindon's finest into one big beautiful package of perfect pop".
Moulding said of the album: "Perhaps it lacked the polish of some of the other recordings we had made, but it was the character that was sewn into the record which was its strength. ... Positively naive at times." Gregory called the finished product "probably my favourite XTC album", expressing appreciation of how Rundgren handled the songs. In a promotional insert included with their album Nonsuch (1992), Partridge wrote "Musician and producer Todd Rundgren squeezed the XTC clay into its most complete/connected/cyclical record ever. Not an easy album to make for various ego reasons but time has humbled me into admitting that Todd conjured up some of the most magical production and arranging conceivable. A summer's day cooked into one cake."
In 1989, Skylarking was listed at number 48 on Rolling Stone magazine's list of the 100 greatest albums of the 1980s. The staff at Pitchfork Media placed the album at 15 on their 2002 list of the "Top 100 Albums of the 1980s". Site contributor Dominique Leone felt that Rundgren's production added warmth to the band's "clever-but-distant" songs. Slant Magazine listed the album at 67 on its list of the "Best Albums of the 1980s", It was voted number 830 in Colin Larkin's All Time Top 1000 Albums (2000). The album was also included in the book 1001 Albums You Must Hear Before You Die.
Track listing
Skylarking was originally issued without the track "Dear God". After 1987, "Mermaid Smiled" was removed and "Dear God" was inserted. After 2001, track listings included both "Dear God" and "Mermaid Smiled".
Original vinyl
2016 expanded edition
In 2016, an expanded CD and Blu-ray edition of Skylarking was issued on Partridge's Ape House label. It included new 2.0 stereo and 5.1 surround sound mixes by Steven Wilson.
2016 5.1 mix – same running order as 2016 stereo mix
2016 instrumental mix – same running order as 2016 stereo mix
2001 stereo remaster – same running order as original vinyl (includes bonus tracks "Dear God" and "Extrovert")
2010 corrected polarity remaster – same running order as 2016 stereo mix (minus bonus tracks)
Album in demo and work tape form – same running order as 2016 stereo mix (minus bonus tracks)
Personnel
Credits adapted from the original and the 2016 sleeves.
XTC
Andy Partridge – vocals, guitar
Colin Moulding – vocals, bass guitar
Dave Gregory – vocals, guitar, piano, synthesizers, Chamberlin, string arrangement on "1000 Umbrellas" and "Dear God", tiple
Additional personnel and technical staff
Todd Rundgren – producer, engineer, melodica on "Summer's Cauldron", synthesizers on "Grass" and "That's Really Super, Supergirl", backing vocals, orchestral arrangements, computer programming
Prairie Prince – drums
Mingo Lewis – percussion
Jasmine Veillette – vocals on "Dear God"
Kim Foscato – assistant engineer
George Cowan – assistant engineer
Dave Dragon – sleeve drawings
Cindy Palmano – photography
Ken Ansell – typography
Orchestral players
John Tenney – violin
Emily Van Valkenburgh – violin
Rebecca Sebring – viola
Teresa Adams – cello
Charlie McCarthy – alto and tenor saxophones, flute
Bob Ferreira – tenor saxophone, piccolo flute, bass clarinet
Dave Bendigkeit – trumpet
Dean Hubbard – trombone
The sleeve credits "the Beech Avenue Boys" with "backing vocals". They are actually XTC under a pseudonym. The credit is an inside joke referencing the Beach Boys and a street in Swindon. Special thanks were given to the Tubes, "who let us use their amplifiers", and the Dukes of Stratosphear, "who loaned us their guitars".
Charts
References
Works cited
External links
Skylarking on Chalkhills
XTC albums
Psychedelic pop albums
Virgin Records albums
Geffen Records albums
Albums produced by Todd Rundgren
1986 albums
Concept albums
Neo-psychedelia albums
Art pop albums
Chamber pop albums
|
```yaml
type: edu
files:
- name: test/task_test.go
visible: false
- name: cmd/main.go
visible: true
- name: pkg/task/task.go
visible: true
placeholders:
- offset: 988
length: 23
placeholder_text: TODO()
- offset: 1024
length: 23
placeholder_text: TODO()
- offset: 1056
length: 17
placeholder_text: TODO()
- offset: 1161
length: 31
placeholder_text: TODO()
- offset: 1280
length: 37
placeholder_text: TODO()
```
|
```yaml
models:
- columns:
- name: id
tests:
- unique
- not_null
- relationships:
field: id
to: ref('node_0')
name: node_542
version: 2
```
|
Acropora indonesia is a species of acroporid coral that was first described by Dr Carden Wallace in 1997. Found in marine, tropical, shallow reefs in sheltered flat locations or gentle slopes, it occurs at depths of . It is listed as a vulnerable species on the IUCN Red List, and it is thought to have a decreasing population. It is common and found over a large area, and is listed on CITES Appendix II.
Description
Acropora indonesia occurs in dense tiered cushion-shaped structures that are up to in depth. In colour, it is between dark grey/dark brown and pale, and the branches are tightly packed, thin, and upright. Branches at the perimeter of the structure have upward-facing ends and are up to 80mm long, and the axial corallites are normally obvious. The radial corallites are the same size. Within genus Acropora, there are no species similar to this. It is found in a marine environment in tropical, shallow reefs at depths of , and also on gently sloping submerged surfaces and ledges. The species is composed of aragonite (calcium carbonate).
Distribution
Acropora indonesia is common and found over a large area; the Indo-Pacific, Banggai, Raja Ampat, Thailand, Sulawesi, Indonesia (all six regions), the Solomon Islands, and the Philippines. It is native to Thailand, Singapore, Australia, Indonesia, Malaysia, Papua New Guinea, Myanmar, and the Philippines. There is no exact population for the species, but it is known to be decreasing overall, given threats from disease and bleaching caused by the rising sea temperatures. It is prey to starfish Acanthaster planci, which is becoming a common species, and is threatening numbers of Acropora species. It is also threatened by human activities, fishing, climate change, and industry. It is classed as a vulnerable species on the IUCN Red List, is listed under CITES Appendix II, and may occur in Marine Protected Areas.
Taxonomy
C. C. Wallace first described the species in 1997 as Acropora indonesia, in Indonesia.
References
Acropora
Cnidarians of the Pacific Ocean
Fauna of the Indian Ocean
Marine fauna of Asia
Marine fauna of Oceania
Fauna of Indonesia
Fauna of Southeast Asia
Vulnerable fauna of Asia
Vulnerable fauna of Oceania
Animals described in 1997
|
```java
Short-circuit evaluation
Generating random numbers
Altering format string output by changing a format specifier's `argument_index`
Measuring time
Constant notation
```
|
```python
import pytest
from textacy import preprocessing
@pytest.mark.parametrize(
"text_in, text_out",
[
("$1.00 equals 100.", "_CUR_1.00 equals 100_CUR_."),
("How much is 100 in ?", "How much is _CUR_100 in _CUR_?"),
("My password is 123$abc.", "My password is 123_CUR_abc_CUR_."),
]
)
def test_replace_currency_symbols(text_in, text_out):
assert preprocessing.replace.currency_symbols(text_in) == text_out
@pytest.mark.parametrize(
"text_in, text_out",
[
("Reach out at username@example.com.", "Reach out at _EMAIL_."),
("Click here: mailto:username@example.com.", "Click here: _EMAIL_."),
]
)
def test_replace_emails(text_in, text_out):
assert preprocessing.replace.emails(text_in) == text_out
@pytest.mark.parametrize(
"text_in, text_out",
[
("ugh, it's raining *again* ", "ugh, it's raining *again* _EMOJI_"),
(" tests are passing ", "_EMOJI_ tests are passing _EMOJI_"),
]
)
def test_replace_emojis(text_in, text_out):
assert preprocessing.replace.emojis(text_in) == text_out
@pytest.mark.parametrize(
"text_in, text_out",
[
("like omg it's #ThrowbackThursday", "like omg it's _TAG_"),
("#TextacyIn4Words: \"but it's honest work\"", "_TAG_: \"but it's honest work\""),
("wth twitter #ican'teven #why-even-try", "wth twitter _TAG_'teven _TAG_-even-try"),
("www.foo.com#fragment is not a hashtag", "www.foo.com#fragment is not a hashtag"),
]
)
def test_replace_hashtags(text_in, text_out):
assert preprocessing.replace.hashtags(text_in) == text_out
@pytest.mark.parametrize(
"text_in, text_out",
[
(
"I owe $1,000.99 to 123 people for 2 +1 reasons.",
"I owe $_NUMBER_ to _NUMBER_ people for _NUMBER_ _NUMBER_ reasons.",
),
]
)
def test_replace_numbers(text_in, text_out):
assert preprocessing.replace.numbers(text_in) == text_out
@pytest.mark.parametrize(
"text_in, text_out",
[
(
"I can be reached at 555-123-4567 through next Friday.",
"I can be reached at _PHONE_ through next Friday.",
),
]
)
def test_replace_phone_numbers(text_in, text_out):
assert preprocessing.replace.phone_numbers(text_in) == text_out
@pytest.mark.parametrize(
"text_in, text_out",
[
(
"I learned everything I know from www.stackoverflow.com and path_to_url and Mom.",
"I learned everything I know from _URL_ and _URL_ and Mom.",
),
]
)
def test_replace_urls(text_in, text_out):
assert preprocessing.replace.urls(text_in) == text_out
@pytest.mark.parametrize(
"text_in, text_out",
[
("like omg it's @bjdewilde", "like omg it's _USER_"),
("@Real_Burton_DeWilde: definitely not a bot", "_USER_: definitely not a bot"),
("wth twitter @b.j.dewilde", "wth twitter _USER_.j.dewilde"),
("foo@bar.com is not a user handle", "foo@bar.com is not a user handle"),
]
)
def test_replace_user_handles(text_in, text_out):
assert preprocessing.replace.user_handles(text_in) == text_out
```
|
Gradiška (), formerly Bosanska Gradiška (), is a city and municipality located in the northwestern region of Republika Srpska, the entity of Bosnia and Herzegovina. As of 2013, it has a population of 51,727 inhabitants, while the city of Gradiška has a population of 14,368 inhabitants.
It is geographically located in eastern Krajina region, and the town is situated on the Lijevče plain, on the right bank of the Sava river across from Stara Gradiška, Croatia, and about north of Banja Luka.
History
In the Roman period this town was of strategic importance; a port of the Roman fleet was situated here. Among notable archaeological findings are a viaduct.
Gradiški Brod is mentioned for the first time as a town in 1330. It had a major importance as the location where the Sava river used to be crossed. By 1537, the town and its surroundings came under Ottoman rule.
The Ottoman built a fortress, which served as the Bosnia Eyalet's northern defense line. The town was also called Berbir because of the fortress.
Following the outbreak of the First Serbian Uprising (1804), in the Sanjak of Smederevo (modern Central Serbia), the Jančić's Revolt broke out in the Gradiška region against the Ottoman government in the Bosnia Eyalet, following the erosion of the economic, national and religious rights of Serbs. Hajduks also arrived from Serbia, and were especially active on the Kozara. Jovan Jančić Sarajlija organized the uprising with help from Metropolitan Benedikt Kraljević. The peasants took up arms on 23 September 1809, in the region of Gradiška, beginning from Mašići. The fighting began on 25 September, and on the same night, the Ottomans captured and executed Jančić. The rebels retreated to their villages, except those in Kozara and Motajica who continued, and offered strong resistance until their defeat in mid-October, after extensive looting and burning of villages by the Ottomans. Another revolt broke out in 1834, in Mašići.
Ottoman rule ended with the Austro-Hungarian occupation of Bosnia and Herzegovina (1878), following the Herzegovina Uprising (1875–77). Austro-Hungarian rule in Bosnia and Herzegovina ended in 1918, when the South Slavic Austro-Hungarian territories proclaimed the State of Slovenes, Croats and Serbs, which subsequently joined the Kingdom of Serbia into the Kingdom of Yugoslavia.
From 1929 to 1941 Gradiška was part of the Vrbas Banovina of the Kingdom of Yugoslavia.
During Yugoslavia, the town was known as Bosanska Gradiška (Босанска Градишка). During the Bosnian War, the town was incorporated into Republika Srpska (). After the war, the RS National Assembly changed the name, omitting bosanska ("Bosnian"), as was done with many other towns (Kostajnica, Dubica, Novi Grad, Petrovo, Šamac).
Settlements
Aside from the town of Gradiška, the municipality includes total of 74 other settlements:
Adžići
Baraji
Berek
Bistrica
Bok Jankovac
Brestovčina
Bukovac
Bukvik
Cerovljani
Cimiroti
Čatrnja
Čelinovac
Čikule
Donja Dolina
Donja Jurkovica
Donji Karajzovci
Donji Podgradci
Dragelji
Dubrave
Dušanovo
Elezagići
Gašnica
Gornja Dolina
Gornja Jurkovica
Gornja Lipovača
Gornji Karajzovci
Gornji Podgradci
Grbavci
Greda
Jablanica
Jazovac
Jelići
Kijevci
Kočićevo
Kozara
Kozinci
Krajčinovci
Krajišnik
Kruškik
Laminci Brezici
Laminci Dubrave
Laminci Jaružani
Laminci Sređani
Liskovac
Lužani
Mačkovac
Mašići
Mičije
Miloševo Brdo
Miljevići
Mokrice
Nova Topola
Novo Selo
Orahova
Orubica
Petrovo Selo
Rogolji
Romanovci
Rovine
Samardžije
Seferovci
Sovjak
Srednja Jurkovica
Šaškinovci
Šimići
Trebovljani
Trnovac
Trošelji
Turjak
Uzari
Vakuf
Vilusi
Vrbaška
Žeravica
Demographics
Population
Ethnic composition
Culture
The town has a Serbian Orthodox cathedral dedicated to the Mother of God. There is also a mosque called the Džamija Begluk.
Sports
Local football club Kozara have played in the top tier of the Bosnia and Herzegovina football pyramid but spent most seasons in the country's second level First League of the Republika Srpska.
Economy
The following table gives a preview of total number of registered people employed in legal entities per their core activity (as of 2018):
Notable residents
Marko Marin, German footballer
Zvjezdan Misimović, Bosnian footballer
Vaso Čubrilović, politician and historian, member of Black Hand organisation and participant in the conspiracy to kill Archduke Franz Ferdinand of Austria.
Veljko Čubrilović, member of Black Hand organisation
Vlado Jagodić, former footballer, now manager
Vinko Marinović, former Serbian footballer, now manager
Tatjana Pašalić, poker presenter
Nordin Gerzić, Swedish footballer
Alojzije Mišić, Roman Catholic bishop
Branko Grahovac, football goalkeeper
Atif Dudaković, Bosnian war-time army general
Nazif Hajdarović, footballer
Ratko Varda, basketball player
Milan Janković, footballer
Miodrag Latinović, retired footballer
Zlatko Janjić, footballer
Ozren Perić, footballer
Safet Halilović, politician
Ognjen Ožegović, Serbian footballer, European U-19 champion
Goran Zakarić, Bosnian footballer
Sergej "Mandarina" Milinovic, a final boss of Gradiska
Amar Hrnjić Bosnian footballer
Kristajan Zelonka Serbian footballer
Miloš Stanišljević Serbian local resident from Turjak
International relations
Twin towns and sister cities
Gradiška is twinned with:
Kavala, Greece (1994)
Ćuprija, Serbia (1994)
Negotino, North Macedonia (2006)
Montesilvano, Italy (2018)
Palilula, Serbia (2019)
Zubin Potok, Kosovo (2021)
Partnerships
Gradiška also cooperates with:
Banja Luka, Bosnia and Herzegovina (2016)
Bihać, Bosnia and Herzegovina (2016)
Bijeljina, Bosnia and Herzegovina (2016)
Bosanska Krupa, Bosnia and Herzegovina (2016)
Cazin, Bosnia and Herzegovina (2016)
Čelinac, Bosnia and Herzegovina (2016)
Doboj, Bosnia and Herzegovina (2016)
Kozarska Dubica, Bosnia and Herzegovina (2016)
Foča, Bosnia and Herzegovina (2016)
Goražde, Bosnia and Herzegovina (2016)
Gračanica, Bosnia and Herzegovina (2016)
Gradačac, Bosnia and Herzegovina (2016)
Kalesija, Bosnia and Herzegovina (2016)
Konjic, Bosnia and Herzegovina (2016)
Maglaj, Bosnia and Herzegovina (2016)
Modriča, Bosnia and Herzegovina (2016)
Mostar, Bosnia and Herzegovina (2016)
Novi Grad, Bosnia and Herzegovina (2016)
Odžak, Bosnia and Herzegovina (2016)
Orašje, Bosnia and Herzegovina (2016)
Prijedor, Bosnia and Herzegovina (2016)
Prnjavor, Bosnia and Herzegovina (2016)
Sanski Most, Bosnia and Herzegovina (2016)
Srebrenik, Bosnia and Herzegovina (2016)
Šamac, Bosnia and Herzegovina (2016)
Teslić, Bosnia and Herzegovina (2016)
Tešanj, Bosnia and Herzegovina (2016)
Tuzla, Bosnia and Herzegovina (2016)
Vareš, Bosnia and Herzegovina (2016)
Velika Kladuša, Bosnia and Herzegovina (2016)
Žepče, Bosnia and Herzegovina (2016)
Živinice, Bosnia and Herzegovina (2016)
Laktaši, Bosnia and Herzegovina (2018)
Čačak, Serbia (2018)
Herceg Novi, Montenegro (2018)
Hersonissos, Greece (2018)
Labin, Croatia (2018)
Nova Gorica, Slovenia (2018)
Ragusa, Italia (2018)
Shkodër, Albania (2018)
Tiranë, Albania (2018)
Daruvar, Croatia (2020)
Lipik, Croatia (2020)
Jesi, Italia (2020)
Marche, Italia (2020)
Mošćenička Draga, Croatia (2020)
Kotor, Montenegro (2020)
Tepelenë, Albania (2020)
Notes
See also
Municipalities of Republika Srpska
Subdivisions of Bosnia and Herzegovina
References
External links
Populated places in Gradiška, Bosnia and Herzegovina
Bosnia and Herzegovina–Croatia border crossings
|
The Tune Wranglers were a Western swing band from San Antonio, Texas, popular in the 1930s.
The group formed in 1935, and its original membership included Buster Coward (vocals, guitar), Eddie Fielding (banjo), and Charlie Gregg (vocals, fiddle). Fielding was replaced by Joe Barnes (known as Red Brown) soon after, and around 1936 Eddie Duncan joined on steel guitar. Fiddler Leonard Seago and Noah Hatley also played with the group for a short period. They played most often in Texas and Mexico, where they received airplay on border radio stations such as WOAI and KTSA.
From 1936 they recorded for Bluebird Records, both under their own name in English and under the name Tono Hombres in Spanish. In total, they recorded about 80 tunes, including a session of Hawaiian-style songs with banjoist/reeds twins Neal & Beal.
References
Eugene Chadbourne, [ The Tune Wranglers] at Allmusic
Western swing musical groups
Musical groups from Texas
Musical groups established in 1935
|
Museo del Ferrocarril meaning Railway Museum may refer to:
Railway Museum (Madrid), Spain (Museo del Ferrocarril)
Catalonia Railway Museum, Spain (Museu del Ferrocarril de Catalunya)
Gijón Railway Museum, Spain (Museo del Ferrocarril de Asturias)
Guatemala City Railway Museum, Guatemala (Museo del Ferrocarril FEGUA)
See also
List of railway museums
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.