text
stringlengths 1
22.8M
|
|---|
Mario Enrique Villarroel Lander (born 21 September 1947) is a Venezuelan lawyer.
Career
After studying jurisprudence at the Central University of Venezuela, he graduated as LL. D. in criminology. He is currently the professor for criminal law at the Universidad Santa María in Caracas and president of the Venezuelan Red Cross Society. In 1987, he succeeded Enrique de la Mata Gorostizaga as President of the International League of Red Cross and Red Crescent Societies from 1987 to 1997. During his tenure, in November 1991, it was renamed the International Federation of Red Cross and Red Crescent Societies. He also functioned occasionally as the president of the Centre for Humanitarian Dialogue in Geneva.
References
External links
Red Cross Biography
1947 births
Lawyers from Caracas
20th-century Venezuelan lawyers
Living people
Presidents of the International Federation of Red Cross and Red Crescent Societies
Central University of Venezuela alumni
Universidad Santa María (Venezuela) alumni
Lander family
Academic staff of the Universidad Santa María (Venezuela)
|
Evarcha idanrensis is a jumping spider that lives in Nigeria.
References
Endemic fauna of Nigeria
Salticidae
Fauna of Nigeria
Spiders of Africa
Spiders described in 2011
|
```xml
/*
* @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.
*/
// TypeScript Version: 4.1
/// <reference types="@stdlib/types"/>
import { Complex64 } from '@stdlib/types/complex';
import { Complex64Array } from '@stdlib/types/array';
/**
* Callback invoked for each indexed strided array element.
*
* @param value - strided array element
* @returns result
*/
type Unary = ( value: Complex64 ) => Complex64;
/**
* Interface describing `cmap`.
*/
interface Routine {
/**
* Applies a unary function to a single-precision complex floating-point strided input array and assigns results to a single-precision complex floating-point strided output array.
*
* @param N - number of indexed elements
* @param x - input array
* @param strideX - `x` stride length
* @param y - destination array
* @param strideY - `y` stride length
* @param fcn - unary function to apply
* @returns `y`
*
* @example
* var Complex64Array = require( '@stdlib/array/complex64' );
* var real = require( '@stdlib/complex/float64/real' );
* var imag = require( '@stdlib/complex/float64/imag' );
* var Complex64 = require( '@stdlib/complex/float32/ctor' );
*
* function scale( x ) {
* var re = real( x );
* var im = imag( x );
* return new Complex64( re*10.0, im*10.0 );
* }
*
* var x = new Complex64Array( [ 1.0, 1.0, 2.0, 2.0, 3.0, 3.0, 4.0, 4.0, 5.0, 5.0 ] );
* var y = new Complex64Array( x.length );
*
* cmap( x.length, x, 1, y, 1, scale );
*
* var v = y.get( 0 );
* // returns <Complex64>
*
* var re = real( v );
* // returns 10.0
*
* var im = imag( v );
* // returns 10.0
*/
( N: number, x: Complex64Array, strideX: number, y: Complex64Array, strideY: number, fcn: Unary ): Complex64Array;
/**
* Applies a unary function to a single-precision complex floating-point strided input array and assigns results to a single-precision complex floating-point strided output array using alternative indexing semantics.
*
* @param N - number of indexed elements
* @param x - input array
* @param strideX - `x` stride length
* @param offsetX - starting index for `x`
* @param y - destination array
* @param strideY - `y` stride length
* @param offsetY - starting index for `y`
* @param fcn - unary function to apply
* @returns `y`
*
* @example
* var Complex64Array = require( '@stdlib/array/complex64' );
* var real = require( '@stdlib/complex/float64/real' );
* var imag = require( '@stdlib/complex/float64/imag' );
* var Complex64 = require( '@stdlib/complex/float32/ctor' );
*
* function scale( x ) {
* var re = real( x );
* var im = imag( x );
* return new Complex64( re*10.0, im*10.0 );
* }
*
* var x = new Complex64Array( [ 1.0, 1.0, 2.0, 2.0, 3.0, 3.0, 4.0, 4.0, 5.0, 5.0 ] );
* var y = new Complex64Array( x.length );
*
* cmap.ndarray( x.length, x, 1, 0, y, 1, 0, scale );
*
* var v = y.get( 0 );
* // returns <Complex64>
*
* var re = real( v );
* // returns 10.0
*
* var im = imag( v );
* // returns 10.0
*/
ndarray( N: number, x: Complex64Array, strideX: number, offsetX: number, y: Complex64Array, strideY: number, offsetY: number, fcn: Unary ): Complex64Array;
}
/**
* Applies a unary function to a single-precision complex floating-point strided input array and assigns results to a single-precision complex floating-point strided output array.
*
* @param N - number of indexed elements
* @param x - input array
* @param strideX - `x` stride length
* @param y - destination array
* @param strideY - `y` stride length
* @param fcn - unary function to apply
* @returns `y`
*
* @example
* var Complex64Array = require( '@stdlib/array/complex64' );
* var real = require( '@stdlib/complex/float64/real' );
* var imag = require( '@stdlib/complex/float64/imag' );
* var Complex64 = require( '@stdlib/complex/float32/ctor' );
*
* function scale( x ) {
* var re = real( x );
* var im = imag( x );
* return new Complex64( re*10.0, im*10.0 );
* }
*
* var x = new Complex64Array( [ 1.0, 1.0, 2.0, 2.0, 3.0, 3.0, 4.0, 4.0, 5.0, 5.0 ] );
* var y = new Complex64Array( x.length );
*
* cmap( x.length, x, 1, y, 1, scale );
*
* var v = y.get( 0 );
* // returns <Complex64>
*
* var re = real( v );
* // returns 10.0
*
* var im = imag( v );
* // returns 10.0
*
* @example
* var Complex64Array = require( '@stdlib/array/complex64' );
* var real = require( '@stdlib/complex/float64/real' );
* var imag = require( '@stdlib/complex/float64/imag' );
* var Complex64 = require( '@stdlib/complex/float32/ctor' );
*
* function scale( x ) {
* var re = real( x );
* var im = imag( x );
* return new Complex64( re*10.0, im*10.0 );
* }
*
* var x = new Complex64Array( [ 1.0, 1.0, 2.0, 2.0, 3.0, 3.0, 4.0, 4.0, 5.0, 5.0 ] );
* var y = new Complex64Array( x.length );
*
* cmap.ndarray( x.length, x, 1, 0, y, 1, 0, scale );
*
* var v = y.get( 0 );
* // returns <Complex64>
*
* var re = real( v );
* // returns 10.0
*
* var im = imag( v );
* // returns 10.0
*/
declare var cmap: Routine;
// EXPORTS //
export = cmap;
```
|
|}
This is a list of electoral division results for the Australian 1913 federal election.
New South Wales
Barrier
Calare
Cook
Cowper
Dalley
Darling
East Sydney
Eden-Monaro
Gwydir
Hume
Hunter
Illawarra
Lang
Macquarie
Nepean
Newcastle
New England
North Sydney
Parkes
Parramatta
Richmond
Riverina
Robertson
South Sydney
Wentworth
Werriwa
West Sydney
Victoria
Balaclava
Ballaarat
Batman
Bendigo
Bourke
Corangamite
Corio
Echuca
Fawkner
Flinders
Gippsland
Grampians
Henty
Indi
Kooyong
Maribyrnong
Melbourne
Melbourne Ports
Wannon
Wimmera
Yarra
Queensland
Brisbane
Capricornia
Darling Downs
Herbert
Kennedy
Lilley
Maranoa
Moreton
Oxley
Wide Bay
South Australia
Adelaide
Angas
Barker
Boothby
Grey
Hindmarsh
Wakefield
Western Australia
Dampier
Fremantle
Kalgoorlie
Perth
Swan
Tasmania
Bass
Darwin
Denison
Franklin
Wilmot
See also
Candidates of the 1913 Australian federal election
Members of the Australian House of Representatives, 1913–1914
References
House of Representatives 1913
|
Herbert Dell Littlewood (18 December 1858 – 31 December 1925) was an English first-class cricketer and solicitor.
The son of William Dell Littlewood, he was born at Islington in December 1858. A solicitor by profession, Littlewood made five appearances in first-class cricket for the Marylebone Cricket Club between 1887 and 1896, scoring 86 runs with a highest score of 35. He changed his name to Herbert Dell Littlewood-Clarke in September 1894. Littlewood died at Ramsgate on New Year's Eve in 1925.
References
External links
1858 births
1925 deaths
Sportspeople from the London Borough of Islington
English solicitors
English cricketers
Marylebone Cricket Club cricketers
Cricketers from Greater London
|
```python
"""
3D Example with offscreen rendering.
If Python and Arcade are installed, this example can be run from the command line with:
python -m arcade.examples.gl.3d_cube_with_cubes
"""
from pyglet.math import Mat4, Vec3
import arcade
from arcade.gl import geometry
class MyGame(arcade.Window):
def __init__(self, width, height, title):
super().__init__(width, height, title, resizable=False)
# Use the standard cube
self.cube = geometry.cube()
# Simple color lighting program for cube
self.program = self.ctx.program(
vertex_shader="""
#version 330
uniform mat4 projection;
uniform mat4 modelview;
in vec3 in_position;
in vec3 in_normal;
in vec2 in_uv;
out vec3 normal;
out vec3 pos;
out vec2 uv;
void main() {
vec4 p = modelview * vec4(in_position, 1.0);
gl_Position = projection * p;
mat3 m_normal = transpose(inverse(mat3(modelview)));
normal = m_normal * in_normal;
pos = p.xyz;
uv = in_uv;
}
""",
fragment_shader="""
#version 330
uniform sampler2D texture0;
uniform bool use_texture;
out vec4 fragColor;
in vec3 normal;
in vec3 pos;
in vec2 uv;
void main()
{
float l = dot(normalize(-pos), normalize(normal));
if (use_texture) {
fragColor = vec4(texture(texture0, uv).rgb * (0.25 + abs(l) * 0.75), 1.0);
} else {
fragColor = vec4(1.0) * (0.25 + abs(l) * 0.75);
}
}
""",
)
# Program for drawing fullscreen quad with texture
self.quad_program = self.ctx.program(
vertex_shader="""
#version 330
in vec2 in_vert;
in vec2 in_uv;
out vec2 uv;
void main() {
gl_Position = vec4(in_vert, 0.0, 1.0);
uv = in_uv;
}
""",
fragment_shader="""
#version 330
uniform sampler2D texture0;
in vec2 uv;
out vec4 fragColor;
void main() {
fragColor = texture(texture0, uv);
}
""",
)
self.quad_fs = geometry.quad_2d_fs()
self.on_resize(*self.get_size())
self.frame = 0
self.fbo1 = self.ctx.framebuffer(
color_attachments=[self.ctx.texture((self.get_size()))],
depth_attachment=self.ctx.depth_texture(self.get_size()),
)
self.fbo2 = self.ctx.framebuffer(
color_attachments=[self.ctx.texture((self.get_size()))],
depth_attachment=self.ctx.depth_texture(self.get_size()),
)
def on_draw(self):
self.ctx.enable_only(self.ctx.CULL_FACE, self.ctx.DEPTH_TEST)
# Draw the current cube using the last one as a texture
self.fbo1.use()
self.fbo1.clear(color_normalized=(1.0, 1.0, 1.0, 1.0))
translate = Mat4.from_translation(Vec3(0, 0, -1.75))
rx = Mat4.from_rotation(self.time, Vec3(1, 0, 0))
ry = Mat4.from_rotation(self.time, Vec3(0, 1, 0))
modelview = translate @ rx @ ry
self.program["use_texture"] = 1
self.fbo2.color_attachments[0].use()
self.program["modelview"] = modelview
self.cube.render(self.program)
self.ctx.disable(self.ctx.DEPTH_TEST)
# Draw the current cube texture
self.use()
self.clear()
self.fbo1.color_attachments[0].use()
self.quad_fs.render(self.quad_program)
# Swap offscreen buffers
self.fbo1, self.fbo2 = self.fbo2, self.fbo1
self.frame += 1
def on_resize(self, width, height):
"""Set up viewport and projection"""
self.ctx.viewport = 0, 0, width, height
self.program["projection"] = (
Mat4.perspective_projection(self.aspect_ratio, 0.1, 100, fov=60)
)
if __name__ == "__main__":
MyGame(720, 720, "3D Cube").run()
```
|
The 2019 season for the road cycling team which began in January at the Tour Down Under. As a UCI WorldTeam, they were automatically invited and obligated to send a squad to every event in the UCI World Tour.
Team roster
Riders who joined the team for the 2019 season
Riders who left the team during or after the 2018 season
Season victories
National, Continental and World champions 2019
Footnotes
References
External links
Footnotes
2019 road cycling season by team
2019
2019 in Dutch sport
|
```turing
Test file unmangling with melange.emit that depends on a library, that depends on another library
$ dune build @mel
$ node _build/default/dist/entry_module.js
1
```
|
The women's 200 metres at the 2007 All-Africa Games were held on July 21–22.
Medalists
Results
Heats
Qualification: First 3 of each heat (Q) and the next 4 fastest (q) qualified for the semifinals.
Wind:Heat 1: +2.4 m/s, Heat 2: -1.6 m/s, Heat 3: -1.3 m/s, Heat 4: -0.5 m/s
Semifinals
Qualification: First 4 of each semifinal qualified (Q) directly for the final.
Wind:Heat 1: +1.8 m/s, Heat 2: -0.6 m/s
Final
Wind: -0.8 m/s
References
Results
200
|
```javascript
const path = require('path');
const HtmlWebpackPlugin = require('html-webpack-plugin');
const __PRO__ = process.env.NODE_ENV === 'production';
const outputDir = path.join(__dirname, 'build/');
module.exports = {
entry: './src/index.bs.js',
mode: __PRO__ ? 'production' : 'development',
output: {
path: outputDir,
publicPath: outputDir,
filename: 'index.js',
},
devServer: {
contentBase: outputDir,
historyApiFallback: true,
},
module: {
rules: [
{
test: /\.(less|css)$/,
use: [
{
loader: 'style-loader',
},
{
loader: 'css-loader',
},
{
loader: 'less-loader',
options: {
lessOptions: {
javascriptEnabled: true,
},
},
},
],
},
],
},
plugins: [
new HtmlWebpackPlugin({
template: path.resolve(__dirname, 'src/index.html'),
}),
],
};
```
|
```python
from __future__ import division, print_function, absolute_import
from ._ufuncs import _lambertw
def lambertw(z, k=0, tol=1e-8):
r"""
lambertw(z, k=0, tol=1e-8)
Lambert W function.
The Lambert W function `W(z)` is defined as the inverse function
of ``w * exp(w)``. In other words, the value of ``W(z)`` is
such that ``z = W(z) * exp(W(z))`` for any complex number
``z``.
The Lambert W function is a multivalued function with infinitely
many branches. Each branch gives a separate solution of the
equation ``z = w exp(w)``. Here, the branches are indexed by the
integer `k`.
Parameters
----------
z : array_like
Input argument.
k : int, optional
Branch index.
tol : float, optional
Evaluation tolerance.
Returns
-------
w : array
`w` will have the same shape as `z`.
Notes
-----
All branches are supported by `lambertw`:
* ``lambertw(z)`` gives the principal solution (branch 0)
* ``lambertw(z, k)`` gives the solution on branch `k`
The Lambert W function has two partially real branches: the
principal branch (`k = 0`) is real for real ``z > -1/e``, and the
``k = -1`` branch is real for ``-1/e < z < 0``. All branches except
``k = 0`` have a logarithmic singularity at ``z = 0``.
**Possible issues**
The evaluation can become inaccurate very close to the branch point
at ``-1/e``. In some corner cases, `lambertw` might currently
fail to converge, or can end up on the wrong branch.
**Algorithm**
Halley's iteration is used to invert ``w * exp(w)``, using a first-order
asymptotic approximation (O(log(w)) or `O(w)`) as the initial estimate.
The definition, implementation and choice of branches is based on [2]_.
See Also
--------
wrightomega : the Wright Omega function
References
----------
.. [1] path_to_url
.. [2] Corless et al, "On the Lambert W function", Adv. Comp. Math. 5
(1996) 329-359.
path_to_url~djeffrey/Offprints/W-adv-cm.pdf
Examples
--------
The Lambert W function is the inverse of ``w exp(w)``:
>>> from scipy.special import lambertw
>>> w = lambertw(1)
>>> w
(0.56714329040978384+0j)
>>> w * np.exp(w)
(1.0+0j)
Any branch gives a valid inverse:
>>> w = lambertw(1, k=3)
>>> w
(-2.8535817554090377+17.113535539412148j)
>>> w*np.exp(w)
(1.0000000000000002+1.609823385706477e-15j)
**Applications to equation-solving**
The Lambert W function may be used to solve various kinds of
equations, such as finding the value of the infinite power
tower :math:`z^{z^{z^{\ldots}}}`:
>>> def tower(z, n):
... if n == 0:
... return z
... return z ** tower(z, n-1)
...
>>> tower(0.5, 100)
0.641185744504986
>>> -lambertw(-np.log(0.5)) / np.log(0.5)
(0.64118574450498589+0j)
"""
return _lambertw(z, k, tol)
```
|
Adalberto Javier Ramones Martínez (born 3 December 1961) is a Mexican television presenter and comedian who is known for his comments on Mexican and international social life. Ramones was the host of a popular Mexican television show, Otro Rollo, which was produced by Televisa and televised in 53 other countries, including the United States, where the show was transmitted by Univision.
Biography
Ramones was born in Monterrey, Nuevo León. He suffered from heart disease for a long portion of his life, but after several operations, he managed to recover. He earned his communication degree from Universidad Regiomontana. Since 1998, Ramones is romantically involved with Gaby Valencia. Their first child, Paola Ramones, was born in 2001.
In 1998, Ramones was a victim of kidnapping one month before his wedding. His kidnappers locked him in a closet, blindfolded with his hands and feet bound. He lost 7 kilos during those seven days, only allowed to drink minimum water and constantly threatened by the criminal gang. Three chapters of his autobiography, to be published by the Planeta publishing house, cover this kidnap episode.
On 10 October 2002, he suffered an accident where he caught fire during the "Reto Burundis" in Otro Rollo.
In February 2003, Ramones suffered burns to several parts of his body as he was shooting his show, requiring hospitalization. He had to wear glasses for some time after this.
On 30 July of that year, American pop star Britney Spears sang at his show, and on September of that year, he led the La pesera del amor contest, where a man chose among a number of women to pick a future wife. Ramones promised the man and the contest winner that the show would pay for their wedding and he would broadcast it live. La pesera del amor was later kept as a regular feature and more contestants participated for the chance to meet someone.
In November 2003, Sylvester Stallone became the second American superstar to participate in the show that year.
Other international stars that have appeared in the show through the years are: Ricky Martin, t.A.T.u., Will Smith (three times), Sylvester Stallone, Arnold Schwarzenegger, Kevin James, Sylvia Saint, Diego Maradona, Christina Aguilera, David Copperfield, Drew Barrymore, Cameron Díaz, Lucy Liu, Chris Rock, Chayanne, John Leguizamo, N*SYNC, The Backstreet Boys, Gloria Gaynor, Shakira and The Rock. Worthy of note, although Paris Hilton was scheduled to appear on the show, she did not show up, leaving him to wait live in front of millions of viewers.
In March 2004 he suffered an accident, breaking an ankle and requiring crutches.
In 2005, he was also nominated for a Mexican MTV Movie Award, being Favorite Actor (for his role in Puños rosas). He was also the host of the TV reality show Cantando por un sueño and Bailando por un Sueño.
In December 2006 he participated in the Mexican production of the Mel Brooks musical The Producers in the role of Leo Bloom.
On 8 May 2007 the series Otro Rollo con: Adal Ramones was broadcast for the last time.
He most recently began co-hosting the television series La vida es mejor cantando.
Television appearances
As host
1995–2007 Otro rollo con: Adal Ramones
2000 - No contaban con mi astucia
2003 - La pesera del amor
2003 - Nuestra Navidad 2003
2004 - Premio lo Nuestro a la música Latina 2004
2005 - Otro rollo... Historia en diez
2005 - Bailando por un sueño
2006 - Cantando por un sueño
2006 - Los reyes de la pista
2007 - Primer Campeonato Internacional de Baile
2008 - Premios Casandra Dominican Republic
2008 - El Show de los Sueños: Sangre de mi Sangre
2011 - La Vida es Mejor Cantando
2018–present La Academia
As actor
1998 - Bug's Life (Spanish voice of Francis the ladybug)
1999 - Stuart Little (Spanish voice of Stuart Little)
2001 - Cats & Dogs (Lou's Spanish Voice)
2002 - El Gran Carnal (as Plutarco Urquidi)
2002 - El Gran Carnal 2 (as Tizok)
2002 - Stuart Little 2 (Spanish voice of Stuart Little)
2003 - Amor real (as a circus owner)
2004 - Puños rosas (as Álvaro)
2004 - Santos peregrinos (as Nicandro)
2005 - 3 episodes of Bajo el mismo techo (as Gerry)
2006 - Los Productores (as Leo Bloom)
2007 - Y Ahora Qué Hago? (as himself)
2009 - Martin al Amanecer (Martin)
2010 - Pocoyo (narrator)
2011 - Saving Private Perez (as Benito Garcia)
2014 - Maikol Yordan de viaje perdido (as Malavassi)
2016 - El Americano: The Movie (as Trueno)
2018 - Marcianos vs. Mexicanos (as El Chacas)
2021 - The Mighty Victoria (as Raúl Martínez)
References and notes
External links
Adal Ramones - official site
Adal Ramones in Otro rollo
Biography at Esmas
1961 births
Living people
Male actors from Monterrey
Mexican male comedians
Mexican male film actors
Mexican male telenovela actors
Mexican male television actors
Mexican television talk show hosts
Universidad Regiomontana alumni
21st-century Mexican male actors
|
Santiago Miguel "Diego" Cavanagh y Hearne (May 16, 1905 – July 30, 1977) was an Argentine polo player at the 1936 Summer Olympics.
He was a squad member of the Argentine polo team, which won the gold medal. He did not compete in the Berlin tournament, but was a reserve player.
His younger brother Roberto Cavanagh was also a squad member. He played in both games.
External links
Argentine polo team at the Olympics
1905 births
1977 deaths
Argentine polo players
Olympic polo players for Argentina
Polo players at the 1936 Summer Olympics
Olympic medalists in polo
|
Count Me In may refer to:
Organizations
Count Me In (movement), a youth-run charitable organization
Count Me In (charity), a charitable organization that provides support to woman-owned businesses
Music
Albums
Count Me In (Death Before Dishonor album), 2007
Count Me In (Jann Browne album), 1995
Count Me In (Rebelution album), 2014
Songs
"Count Me In" (Gary Lewis & the Playboys song), 1965 song by Gary Lewis & the Playboys
"Count Me In" (Deana Carter song), 1997
"Count Me In" (311 song), 2011
"Count Me In" (Kris Thomas song), 2013 song by Kris Thomas
"Count Me In", 2014 song by singer and Disney Channel actress Dove Cameron
"Count Me In", 2018 song by Lil Yachty from his studio album Lil Boat 2
"Count Me In", 1985 song by Little River Band from their studio album Playing to Win
Films
Count Me In (film), a film on drummers directed by Mark Lo
|
William C. McGee (born February 21, 1936 in King, North Carolina) is a former Republican member of the North Carolina General Assembly representing the state's 75th House district, including constituents in Forsyth county. McGee is a retired stockbroker from Clemmons, North Carolina.
Electoral history
2010
2008
2006
2004
2002
References
|-
1936 births
Living people
People from King, North Carolina
Democratic Party members of the North Carolina House of Representatives
21st-century American politicians
|
```javascript
//
// This software (Documize Community Edition) is licensed under
// GNU AGPL v3 path_to_url
//
// You can operate outside the AGPL restrictions by purchasing
// Documize Enterprise Edition and obtaining a commercial license
// by contacting <sales@documize.com>.
//
// path_to_url
//*************************************
// Base64 Object
//*************************************
var Base64 = {
_keyStr: "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=",
encode: function (e) {
var t = "";
var n, r, i, s, o, u, a;
var f = 0;
e = Base64._utf8_encode(e);
while (f < e.length) {
n = e.charCodeAt(f++);
r = e.charCodeAt(f++);
i = e.charCodeAt(f++);
s = n >> 2;
o = (n & 3) << 4 | r >> 4;
u = (r & 15) << 2 | i >> 6;
a = i & 63;
if (isNaN(r)) {
u = a = 64;
} else if (isNaN(i)) {
a = 64;
}
t = t + this._keyStr.charAt(s) + this._keyStr.charAt(o) + this._keyStr.charAt(u) + this._keyStr.charAt(a);
}
return t;
},
decode: function (e) {
var t = "";
var n, r, i;
var s, o, u, a;
var f = 0;
e = e.replace(/[^A-Za-z0-9+/=]/g, "");
while (f < e.length) {
s = this._keyStr.indexOf(e.charAt(f++));
o = this._keyStr.indexOf(e.charAt(f++));
u = this._keyStr.indexOf(e.charAt(f++));
a = this._keyStr.indexOf(e.charAt(f++));
n = s << 2 | o >> 4;
r = (o & 15) << 4 | u >> 2;
i = (u & 3) << 6 | a;
t = t + String.fromCharCode(n);
if (u !== 64) {
t = t + String.fromCharCode(r);
}
if (a !== 64) {
t = t + String.fromCharCode(i);
}
}
t = Base64._utf8_decode(t);
return t;
},
_utf8_encode: function (e) {
e = e.replace(/\r\n/g, "\n");
var t = "";
for (var n = 0; n < e.length; n++) {
var r = e.charCodeAt(n);
if (r < 128) {
t += String.fromCharCode(r);
} else if (r > 127 && r < 2048) {
t += String.fromCharCode(r >> 6 | 192);
t += String.fromCharCode(r & 63 | 128);
} else {
t += String.fromCharCode(r >> 12 | 224);
t += String.fromCharCode(r >> 6 & 63 | 128);
t += String.fromCharCode(r & 63 | 128);
}
}
return t;
},
_utf8_decode: function (e) {
var t = "";
var n = 0;
let r = 0;
// let c1 = 0;
let c2 = 0;
while (n < e.length) {
r = e.charCodeAt(n);
if (r < 128) {
t += String.fromCharCode(r);
n++;
} else if (r > 191 && r < 224) {
c2 = e.charCodeAt(n + 1);
t += String.fromCharCode((r & 31) << 6 | c2 & 63);
n += 2;
} else {
c2 = e.charCodeAt(n + 1);
let c3 = e.charCodeAt(n + 2);
t += String.fromCharCode((r & 15) << 12 | (c2 & 63) << 6 | c3 & 63);
n += 3;
}
}
return t;
}
}; //jshint ignore:line
export default {
Base64
};
```
|
El abigeo () is a 2001 Peruvian crime drama film written, directed, produced and co-starred by Flaviano Quispe in his directorial debut. Starring Percy Pacco, Fernando Pacori Maman and Flaviano Quispe. It is based on Ushanan Jampi, one of the "Andean Tales" by Enrique López Albújar.
Synopsis
José Maylli, grandson of an old peasant woman, commits the crime of cattle theft three times. This fact is taken as an affront by the community members who proceed to capture the cattle raider, torture him and mass hit, finally they sentence him to leave and not return. Never, on pain of death. However, once in the city, Maylli, plunged in sadness, does not resign himself to the expulsion, two forces attract him to his land: his grandmother and her hut, so he decides to continue the journey carrying gifts and a firearm. prevention.
Cast
Percy Pacco Lima
Flaviano Quispe
Fernando Pacori Mamani
Victoria Ylaquito Zapana
Ney Torres Humpire
Nelly Gonzáles
Yeni Benique Benique
Reception
The film was seen by 250,000 spectators throughout its run in Peruvian cinemas.
References
2001 films
2001 crime drama films
2001 independent films
Peruvian crime drama films
2000s Spanish-language films
Quechua-language films
2000s Peruvian films
Films set in Peru
Films shot in Peru
Films about criminals
Films based on novels
2001 directorial debut films
|
Joshua Pim and Frank Stoker defeated Herbert Baddeley and Wilfred Baddeley 6–2, 4–6, 6–3, 5–7, 6–2 in the All Comers' Final, and then defeated the reigning champions Harry Barlow and Ernest Lewis 4–6, 6–3, 6–1, 2–6, 6–0 in the challenge round to win the gentlemen's doubles tennis title at the 1893 Wimbledon Championships.
Draw
Challenge round
All Comers'
References
External links
Gentlemen's Doubles
Wimbledon Championship by year – Men's doubles
|
```smalltalk
"
I am a mock used to simlify testing.
A mock is an object that simulates the behavior of a real object or component in a controlled manner. It is used in unit testing to isolate the code being tested from its dependencies, allowing the code to be tested in isolation.
"
Class {
#name : 'ClyClass1FromP1Mock',
#superclass : 'Object',
#instVars : [
'instanceSideVar1',
'instanceSideVar2'
],
#category : 'Calypso-SystemQueries-Tests-P1WithHierarchy',
#package : 'Calypso-SystemQueries-Tests-P1WithHierarchy'
}
{ #category : 'protocol' }
ClyClass1FromP1Mock class >> classSideMethodFromClass1 [
]
{ #category : 'var accessors' }
ClyClass1FromP1Mock >> instanceSideVar1ReaderMethod [
^instanceSideVar1
]
{ #category : 'var accessors' }
ClyClass1FromP1Mock >> instanceSideVar1WriterMethod [
instanceSideVar1 := #var1Value
]
{ #category : 'accessing' }
ClyClass1FromP1Mock >> instanceSideVar2 [
^ instanceSideVar2
]
{ #category : 'superclassTag1' }
ClyClass1FromP1Mock >> superclassTag1Method [
]
{ #category : 'tag1' }
ClyClass1FromP1Mock >> tag1Method1 [
]
```
|
```javascript
const { assert, skip, test, module: describe, only } = require('qunit');
const { webGL2KernelValueMaps } = require('../../../../../src');
describe('internal: WebGL2KernelValueSingleInput');
test('.constructor() checks too large height', () => {
const mockKernel = {
constructor: {
features: { maxTextureSize: 1 },
},
validate: true,
};
assert.throws(() => {
new webGL2KernelValueMaps.single.static.Input({ size: [8,1], value: [1,2] }, {
kernel: mockKernel,
name: 'test',
type: 'Array',
origin: 'user',
tactic: 'speed',
onRequestContextHandle: () => 1,
onRequestTexture: () => null,
onRequestIndex: () => 1
});
}, new Error('Argument texture height of 2 larger than maximum size of 1 for your GPU'));
});
test('.constructor() checks ok height & width', () => {
const mockKernel = {
constructor: {
features: { maxTextureSize: 4 },
},
validate: true,
setUniform3iv: () => {},
setUniform2iv: () => {},
setUniform1i: () => {},
};
const mockContext = {
activeTexture: () => {},
bindTexture: () => {},
texParameteri: () => {},
pixelStorei: () => {},
texImage2D: () => {},
};
const v = new webGL2KernelValueMaps.single.static.Input({ size: [1,2], value: [1,2] }, {
kernel: mockKernel,
name: 'test',
type: 'Array',
origin: 'user',
tactic: 'speed',
context: mockContext,
onRequestContextHandle: () => 1,
onRequestTexture: () => null,
onRequestIndex: () => 1
});
assert.equal(v.constructor.name, 'WebGL2KernelValueSingleInput');
});
```
|
```java
/*
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions are met:
*
* 1. Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* 2. Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation
* and/or other materials provided with the distribution.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND
* ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
* DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR
* ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES
* (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES;
* LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND
* ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
* (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
* SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*/
package net.runelite.client.plugins.crowdsourcing;
import java.time.temporal.ChronoUnit;
import javax.inject.Inject;
import net.runelite.client.eventbus.EventBus;
import net.runelite.client.plugins.Plugin;
import net.runelite.client.plugins.PluginDescriptor;
import net.runelite.client.plugins.crowdsourcing.cooking.CrowdsourcingCooking;
import net.runelite.client.plugins.crowdsourcing.dialogue.CrowdsourcingDialogue;
import net.runelite.client.plugins.crowdsourcing.music.CrowdsourcingMusic;
import net.runelite.client.plugins.crowdsourcing.thieving.CrowdsourcingThieving;
import net.runelite.client.plugins.crowdsourcing.woodcutting.CrowdsourcingWoodcutting;
import net.runelite.client.plugins.crowdsourcing.zmi.CrowdsourcingZMI;
import net.runelite.client.task.Schedule;
@PluginDescriptor(
name = "OSRS Wiki Crowdsourcing",
description = "Send data to the wiki to help figure out skilling success rates, burn rates, more. See osrs.wiki/RS:CROWD"
)
public class CrowdsourcingPlugin extends Plugin
{
// Number of seconds to wait between trying to send data to the wiki.
private static final int SECONDS_BETWEEN_UPLOADS = 300;
@Inject
private EventBus eventBus;
@Inject
private CrowdsourcingManager manager;
@Inject
private CrowdsourcingCooking cooking;
@Inject
private CrowdsourcingDialogue dialogue;
@Inject
private CrowdsourcingMusic music;
@Inject
private CrowdsourcingThieving thieving;
@Inject
private CrowdsourcingWoodcutting woodcutting;
@Inject
private CrowdsourcingZMI zmi;
@Override
protected void startUp() throws Exception
{
eventBus.register(cooking);
eventBus.register(dialogue);
eventBus.register(music);
eventBus.register(thieving);
eventBus.register(woodcutting);
eventBus.register(zmi);
}
@Override
protected void shutDown() throws Exception
{
eventBus.unregister(cooking);
eventBus.unregister(dialogue);
eventBus.unregister(music);
eventBus.unregister(thieving);
eventBus.unregister(woodcutting);
eventBus.unregister(zmi);
}
@Schedule(
period = SECONDS_BETWEEN_UPLOADS,
unit = ChronoUnit.SECONDS,
asynchronous = true
)
public void submitToAPI()
{
manager.submitToAPI();
}
}
```
|
Stand! is the fourth album by soul/funk band Sly and the Family Stone, released in April 1969. Written and produced by lead singer and multi-instrumentalist Sly Stone, Stand! is considered an artistic high-point of the band's career. Released by Epic Records, just before the group's celebrated performance at the Woodstock festival, it became the band's most commercially successful album to date. It includes several well-known songs, among them hit singles, such as "Sing a Simple Song", "I Want to Take You Higher", "Stand!", and "Everyday People". The album was reissued in 1990 on compact disc and vinyl, and again in 2007 as a remastered numbered edition digipack CD with bonus tracks and, in the UK, as only a CD with bonus tracks.
The album sold 500,000 copies in 1969 and was certified gold in sales by the RIAA on December 4 of that year. It peaked at number 13 on the Billboard 200 and stayed on the chart for nearly two years. By 1986 it had sold well over 1 million copies and was certified platinum in sales by the RIAA on November 21 of that same year. It then went on to sell over three million copies, becoming one of the most successful albums of the 1960s. In 2003, the album was ranked number 118 on Rolling Stone magazine's list of the 500 greatest albums of all time, 121 in a 2012 revised list, and number 119 in a 2020 reboot of the list. In 2015, the album was deemed "culturally, historically, or aesthetically significant" by the Library of Congress and selected for inclusion in the National Recording Registry.
Production
Stand! was recorded after Life, a commercially unsuccessful album. Although the Family Stone's single "Dance to the Music" was a top ten hit in early 1968, none of the band's first three albums reached above 100 on the Billboard 200. Stand! reached number thirteen and launched Sly Stone and his bandmates Freddie Stone, Larry Graham, Rose Stone, Cynthia Robinson, Jerry Martini, and Greg Errico into the pop music mainstream.
Much of the album was recorded at Pacific High Recording Studios in San Francisco. The band's A&R director and photographer Stephen Paley recalled how "together" Sly Stone was while working on Stand!, constantly referring to Walter Piston's Orchestration textbook, unlike his erratic behavior and work after he became dependent upon cocaine within a year of the album's success.
Content
Stand! begins with the title track on which Sly sings lead, a mid-tempo number launching into a gospel break for its final forty-nine seconds. Most of the Family Stone was unavailable for the session at which this coda was recorded: Sly, drummer Gregg Errico and horn players Cynthia Robinson and Jerry Martini were augmented by session players instead. Errico recalls that many liked the gospel extension more than they did the song proper, and that; "People would always ask, 'why didn't you go there and let that be the song?'" The second track, titled "Don't Call Me Nigger, Whitey", has few lyrics save for the chorus Don't call me "nigger", whitey/Don't call me "whitey", nigger and a single verse sung by Rose Stone. On "I Want to Take You Higher" Freddie Stone, Larry Graham, Rose Stone, and Sly Stone take turns delivering the lead vocal and all seven band-members deliver the shouted backing vocals. Sly Stone, Robinson, Freddie Stone, Graham, and Martini all play instrumental solos.
On "Somebody's Watching You" Sly Stone, Graham, Freddie Stone, and Rose Stone deliver the vocal in unison. The song's slightly pessimistic tone would be expanded upon later in the band's career with "Thank You (Falettinme Be Mice Elf Agin)" and the There's a Riot Goin' On LP, and would be a hit for the Family Stone's vocal group Little Sister, the first Top 40 single to use a drum machine. "Sing a Simple Song" urges the audience to "try a little do re mi fa so la ti do". Diana Ross & the Supremes, The Temptations and The Jackson 5 all recorded cover versions of the song. The track's guitar riff is heard on Ike & Tina Turner's "Bold Soul Sister" (from The Hunter, 1969), Jimi Hendrix's Band of Gypsys (1970) and Miles Davis' A Tribute to Jack Johnson (1971).
"Everyday People", already a number-one hit single in the United States by the time of the album's release, opens Side B. The most familiar song on the album, "Everyday People" popularized the expression "different strokes for different folks". Sly Stone, Rose Stone and Cynthia Robinson sing lead and Larry Graham introduces the slap-pop style of bass he expanded on "Thank You (Falettinme Be Mice Elf Agin)". "Sex Machine" is a thirteen-minute jam that features Sly scatting through amplified distortion and allows each band member a solo. Gregg Errico's drum solo closes the song and the band members are heard bursting into laughter during the final seconds. Stand! concludes with "You Can Make It If You Try", sung by Sly Stone, Freddie Stone, and Larry Graham. Sly Stone instead of Larry Graham played the bass. It was, at one point, planned for a single release in mid-1969, following up "Stand!", but this was dropped in favor of the non-album track "Hot Fun in the Summertime". The unused mono single mix was later included on the 2007 CD reissue.
Critical reception and legacy
Reviewing for Rolling Stone in July 1969, Alec Dubro observed a "very evident sense of moral purpose" in the content and a rawness in its brand of soul music, which he said "depends on sheer energy more than anything else". Overall, he found the album provocative and "effective", recommended "for anyone who can groove on a bunch of very raucous kids charging through a record, telling you exactly what they think whether you want to hear it that way or not." In the same magazine, covering Epic/Legacy's 2007 reissue of the band's catalogue, Robert Christgau said that "Stand! revealed the magnificence of which this band would all too briefly be capable. 'Sex Machine,' which precipitated James Brown's, wah-wahs on a bit, but everything else is etched in Stone, from the equally precipitous 'Don't Call Me Nigger, Whitey' to the Chaka Khan fave 'Somebody's Watching You' to, yes you can, 'You Can Make It If You Try.'" Also appraising the reissue campaign, Peter Shapiro wrote in Uncut that Stand! was "the group’s true breakthrough" as its "seamless blend of rock, funk and soul, and the soaring mix of black and white voices, made crossover seem like Utopia." Commenting on the music's historical context, Shapiro added:
The Jackson 5 covered both "Stand!" and "Want to Take You Higher" on their album Goin' Back to Indiana.
Rapper Ice-T, Body Count, and Jane's Addiction performed "Don't Call Me Nigger, Whitey" during the 1991 Lollapalooza tour and in the 1993 Perry Farrell film Gift.
Track listing
All songs written, produced and arranged by Sly Stone for Stone Flower Productions.
Side one
"Stand!" – 3:08
"Don't Call Me Nigger, Whitey" – 5:58
"I Want to Take You Higher" – 5:22
"Somebody's Watching You" – 3:20
"Sing a Simple Song" – 3:56
Side two
"Everyday People" – 2:21
"Sex Machine" – 13:45
"You Can Make It If You Try" – 3:37
2007 limited edition CD reissue bonus tracks:
"Stand!" (mono single version)
"I Want to Take You Higher" (mono single version)
"You Can Make It If You Try" (mono single version)
"Soul Clappin' II" (previously unreleased)
"My Brain (Zig-Zag)" (previously unreleased instrumental)
Personnel
Sly and the Family Stone
Sly Stone – vocals, organ, guitar, piano, harmonica, vocoder; bass guitar on "You Can Make it if You Try"
Rose Stone – vocals, piano, keyboards
Freddie Stone – vocals, guitar
Larry Graham – vocals, bass guitar (except on "You Can Make it if You Try")
Greg Errico – drums, background vocals on "I Want to Take You Higher"
Cynthia Robinson – trumpet, vocal ad-libs; background vocals on "I Want to Take You Higher"
Jerry Martini – saxophone; background vocals on "I Want to Take You Higher"
Little Sister (Vet Stone, Mary McCreary, Elva Mouton) – background vocals on "Stand!", "Sing a Simple Song", "Everyday People" and "I Want to Take you Higher"
Technical
Don Puluse, Brian Ross-Myring, Phil Macey – engineering
Chart history
Album
Singles
"Everyday People"
Epic single 10407, 1968; B-side: "Sing a Simple Song"
"Stand!"
Epic single 10450, 1969; B-side: "I Want to Take You Higher"
Later reissued in 1970 with sides reversed.
References
Sources
Selvin, Joel (1998). For the Record: Sly and the Family Stone: An Oral History. New York: Quill Publishing. .
External links
Lyrics at Yahoo! Music
Sly and the Family Stone - Stand! (1969) album releases & credits at Discogs
Sly and the Family Stone - Stand! (1969) album to be listened as stream on Spotify
Sly and the Family Stone albums
1969 albums
Albums produced by Sly Stone
Epic Records albums
United States National Recording Registry recordings
United States National Recording Registry albums
Progressive soul albums
Psychedelic soul albums
|
Flying Jake is a children's picture book by Lane Smith. It was originally published in 1988 by Macmillan Publishing Company and reprinted by Viking Press in 1996. In this wordless story, a boy named Jake takes flight in pursuit of his pet bird, which has flown out of its cage and through a window. Flying Jake was the first independent work by Smith, who later illustrated The True Story of the 3 Little Pigs! and The Stinky Cheese Man and Other Fairly Stupid Tales.
Reception
The book received mixed reviews. In The New York Times, Signe Wilkinson called it "a rich picture poem that gives readers of any age a certain feeling about flight among the birds." Several teachers' guides have also recommended the book for use in grade school classrooms. However, Carol McMichael of School Library Journal criticized Flying Jake for its "busy, confused story and bizarre illustrations."
Notes
1988 children's books
American picture books
Children's fiction books
Wordless books
Macmillan Publishers books
Children's books about birds
Viking Press books
|
Popayanita ptycta is a species of moth of the family Tortricidae. It is found in Colombia.
References
Moths described in 1987
Euliini
|
Mark Crossley (born 22 April 1987) is an English Radio DJ, best known for hosting the evening show on national UK station Absolute Radio.
Crossley presented shows on BBC Radio 1 and Absolute Radio on the same day in May 2009 - and joined Absolute Radio three months later.
Crossley is a presenter on Manchester Sports and is the main sports presenter on BBC Radio Manchester’s Breakfast Show with Becky Want.
In September 2020, Crossley co-produced and co-presented the documentary podcast series Out Of Our League together with journalist Sanny Rudravajhala for BBC Sounds and BBC Radio 5 Live. The series followed the story of Bury FC and the formation of Bury AFC. It was nominated for Best Audio Documentary at the 2020 British Sports Journalism Awards and was fourth at the International Sports Press Association Awards for Best Audio and ranked third in Europe.
References
External links
Mark Crossley - Absolute Radio
Out Of Our League - BBC 5 Live Website
Personal Website
Alumni of Nottingham Trent University
Living people
British radio personalities
Alumni of the Student Radio Association
1987 births
People from Rotherham
|
Panah Ali Khan Javanshir (; ; 1693 – 1759 or 1763) was the founder and first ruler of the Karabakh Khanate under Persian suzerainty.
Ancestry
Panah Ali Khan was from the Sarijali branch of the clan of Javanshir, who with their associate clan of Otuz-Iki (meaning thirty-two in Azerbaijani) had for long been rivals of the Yirmi-Dört (meaning twenty-four in Azerbaijani) and Ziyadoghlu Qajars of Ganja, whose chiefs had been official rulers of Karabakh since Safavid times. His father's name was Ibrahim Agha Javanshir but information on his further ancestry is quite complicated.
According to Mirza Adigozal bey, Panah Ali's paternal great-grandfather and namesake Panah Ali bey served at the headquarters of the governors (beglarbegs) of the Karabakh-Ganja province in the early 17th century, at the time when the region was directly controlled by the Safavid Empire of Iran. He soon retired, married a woman from the Javanshir clan of Karabakh and had a son by the name of Ali (nicknamed Sarija Ali). They lived in their estate located in Arasbar (Arasbaran) but also owned land in Tartar and the northern shores of the Aras River. The Arasbar estate was rebuilt into a castle during Sarija Ali's son Ibrahim Khalil's lifetime and has been known as Ibrahim Khalil Galasi since.
However, the aforementioned information is contested by different sources, namely Mir Mehdi Khazani who names Panah Ali khan's grandfather as Ibrahim Sultan (head of tribe ) and great-grandfather as Budagh Sultan (head of tribe ). Azerbaijani historian E. B. Shukurzade proposes Panah Ali Agha (I) as his grandfather and Ibrahim Khalil Agha (I) as his great-grandfather. However, in all versions his father is the same. Panah Ali had two brothers, elder Fazlali bey, and younger Behbud Ali bey.
Early life
After the dethronement of the Safavids in 1736 by Nader Shah, the landed classes of Ganja and Karabakh (including the Javanshirs) gathered in Mughan and decided to oppose the new shah and agreed to try to restore the Safavids to the throne. When this news reached Nader Shah, he ordered all Muslim landowners of the region and their families deported to Khorasan (northeastern Iran) as punishment. Panah Ali was among the deportees. His elder brother and former master of ceremonies () of Nader, Fazlali bey, was murdered c. 1738. This was when Panah Ali found himself displeased with Nader Shah's attitude towards him. In 1747, having gathered many of those previously deported from Karabakh in 1736, Panah Ali returned to his homeland. The shah sent troops to bring back the runaway, but the order was never fulfilled, as Nader Shah himself was killed in Khorasan in June of the same year. The new ruler of Persia, Adil Shah, issued a firman (decree) recognizing Panah Ali as the Khan of Karabakh.
Reign
Adil Shah's murder in 1748 left Panah Ali virtually independent. He campaigned against the Five Melikdoms of Karabakh as part of his plan to solidify his rule in Karabakh. He forged an alliance with new Melik of Varanda, Melik Shahnazar II, who had recently killed his uncle or elder brother Hovsep and usurped rule. Melik Shahnazar II's daughter Hurizad was wed to Panah Ali's son Ibrahim Khalil and the melik swore fealty to the khan. The other meliks forged an alliance and raided Shahnazar's lands but couldn't take his fortress in Avetaranots.
Taking advantage of the power vacuum in the region, Panah Ali campaigned to the west and south against the khanates of Nakhchivan and Karadagh, taking Tatev and Sisian from the former and Bargushat, Meghri and Göynük from the latter. He also conquered Ghapan and Zangezur from Ebrahim Afshar. To the north, he subdued the Kolani tribe living on the shores of the Tartar River. He also invited a part of the Kangarlu tribe from Nakhchivan as well as the Damirchi Hasanlu and Jinli tribes from Georgia to settle in his territory. This was also when Bayat Fortress was built as the khan's first residence. In a short period, external walls were constructed, ditches were dug out, and a bazaar, bath and mosque were built. Craftsmen from surrounding areas were resettled in the castle. Many residents of the area, especially craftsmen of the Tabriz district and Ardabil, moved to Bayat Fortress with their families. Panah Ali Khan's growing power faced resistance from the Khanate of Ganja, the Khanate of Shaki and from the remaining Melikdoms of Karabakh, as well as rival branches of the Javanshir clan. The struggle between the khan of Karabakh and Haji Chalabi Khan of Shaki, one of the most powerful rulers of the South Caucasus, started the same year. Haji Chalabi Khan, wishing to stop the growth of Panah Ali Khan's power, allied with Hajji Muhammad Ali Khan of Shirvan and surrounded the castle of Bayat. The allies unsuccessfully tried to capture the capital of the Karabakh Khanate for a month. The khans of Shaki and Shirvan withdrew, incurring huge casualties and failing to accomplish their mission. Haji Chalebi Khan said: "Until now Panah Khan was raw silver that was not minted. We came, minted it, and returned." Another 19th century Karabakh historian, Mirza Yusif, renders the same line as: "Until now Panah Khan was merely gold, we came and minted a coin from that gold."
Panah Ali was forced to abandon Bayat and constructed Shahbulag Castle instead. Using the power vacuum in Persia, he acted to subdue neighboring regions as well. He moved on Nazarali Khan Shahsevan of Ardabil in 1749 and forced him to marry his sister Shahnisa to his own son Ibrahim Khalil and accept vassalage. The same year he attacked Shahverdi Khan of Ganja and subdued him, forcing Shahverdi's daughter Tuti to marry Ibrahim Khalil as well. According to Mirza Adigozal bey, he also kept his sons as hostage in Shahbulag. However, emergence of new Qajar warlord Muhammad Hasan Khan forced Panah Ali to seek a new fortress. On the advice of Melik Shahnazar II, he built Shusha Castle in 1750-1751 and relocated his capital, thus settling a semi-nomadic populace in the quarters of the new city.
Campaign against Shaki
Next year, in 1752, Teymuraz II of Kakheti attacked Ganja and forced Panah Ali to retreat from area. Teymuraz then allied himself to Haji Chalabi of Shaki to raid Djaro-Belokani, only to be betrayed by the latter, who defeated the Georgian army. Using this opportunity, Panah Ali allied himself with Shahverdi Khan of Ganja, Kazim Khan of Karadagh, Hasan Ali Khan of Erivan, Heydarqoli Khan of Nakhchivan against Haji Chalabi of Shaki the same year and invited Heraclius II of Georgia to their alliance. During the negotiations near Qızılqaya, the Georgian detachments, hiding in ambush, surrounded and captured five khans along with their retinue. Haji Chalabi, having learned about the conspiracy of Heraclius II, gathered an army and began to pursue Heraclius, attacked him and defeated him in the battle at the river Aghstafa, having freed all the captured khans. Haji Chalabi later invaded the Georgian possessions, where he captured the Kazakh and Borchali regions, leaving his son Agakishi bey as viceroy.
Campaign against the Melikdoms
After returning to Karabakh, Panah Khan began his campaign against the remaining Armenian principalities of Karabakh. He allied with the tanuter (headman) of Khndzristan village Mirzakhan and promised him the Principality of Khachen if he would kill Melik Allahverdi I Hasan-Jalalyan. Having achieved this, Mirzakhan was made the new Melik of Khachen by Panah Ali in 1755. Soon after the Melik of Jraberd, Allahqoli Soltan, was also arrested and beheaded in Shusha. Panah Ali later signed a separate peace with Yesayi, Melik of Dizak.
In 1757, Muhammad Hasan Khan arrived in Karabakh to gather troops to fight against Karim Khan Zand. Panah Ali refused to join his armies and battled against the Qajar troops. Muhammad Hasan Khan soon left for Iran and left his cannons in the area, which were later taken by Panah Ali. However, he soon faced another invasion from south, this time by Fath-Ali Khan Afshar, Khan of Urmia, in 1759. The Armenian meliks of Talish and Jraberd, Melik Hovsep and Melik Hatham (brother of Allahqoli), respectively, joined Fath-Ali in his siege of Shusha. Unable to withstand the assault, Panah Ali submitted to Fath Ali, handing over his son Ibrahim Khalil as a hostage. However, Panah Ali had to switch his allegiance to the Zands, who captured Ibrahim Khalil from Fath Ali after a battle in 1760. He left his son Mehrali bey Javanshir in charge of the khanate while he left for battle against Fath-Ali.
Death
According to Mirza Adigozal bey, when Karim Khan Zand took control of much of Iran, he forced Panah Khan to come to his capital, Shiraz, where he died as a hostage in 1763 (although according to his gravestone in Aghdam, he died in July–August 1759.) However Raffi and Mirza Yusuf Qarabaghi offer another version of Panah Ali's death, where he faked his death in order to escape Shiraz but was captured, killed and his stomach was stuffed. Panah-Ali Khan's son Ibrahim-Khalil Khan was sent back to Karabakh as governor. Ibrahim, succeeding his father, not only ruled over most of Karabakh, but also became one of the major potentates in the Caucasus.
Family
Panah Ali was married to a sister of Hajji Sahliyali bey of Kebirlu clan, among other wives, and had several sons:
Ibrahim Khalil Khan
Mehrali bey Javanshir
Talibkhan bey
Kelbali bey
Aghasi bey
Alimadat bey
Nasir bey
Alipasha bey
See also
Ibrahim Khalil Khan
Javanshir Qizilbash
Qizilbashi
References
1693 births
1761 deaths
Karabakh Khanate
18th century in Azerbaijan
18th-century people from Safavid Iran
Prisoners and detainees of the Zand dynasty
People from Afsharid Iran
Ethnic Afshar people
Khans of Karabakh
|
```objective-c
/* $OpenBSD: interface.h,v 1.88 2024/05/21 05:00:48 jsg Exp $ */
/*
* The Regents of the University of California. All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that: (1) source code distributions
* retain the above copyright notice and this paragraph in its entirety, (2)
* distributions including binary code include the above copyright notice and
* this paragraph in its entirety in the documentation or other materials
* provided with the distribution, and (3) all advertising materials mentioning
* features or use of this software display the following acknowledgement:
* ``This product includes software developed by the University of California,
* Lawrence Berkeley Laboratory and its contributors.'' Neither the name of
* the University nor the names of its contributors may be used to endorse
* or promote products derived from this software without specific prior
* written permission.
* THIS SOFTWARE IS PROVIDED ``AS IS'' AND WITHOUT ANY EXPRESS OR IMPLIED
* WARRANTIES, INCLUDING, WITHOUT LIMITATION, THE IMPLIED WARRANTIES OF
* MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE.
*
* @(#) $Id: interface.h,v 1.88 2024/05/21 05:00:48 jsg Exp $ (LBL)
*/
#ifndef tcpdump_interface_h
#define tcpdump_interface_h
#ifdef HAVE_OS_PROTO_H
#include "os-proto.h"
#endif
struct tok {
int v; /* value */
char *s; /* string */
};
extern int aflag; /* translate network and broadcast addresses */
extern int dflag; /* print filter code */
extern int eflag; /* print ethernet header */
extern int fflag; /* don't translate "foreign" IP address */
extern int Iflag; /* include interface in output */
extern int nflag; /* leave addresses as numbers */
extern int Nflag; /* remove domains from printed host names */
extern int oflag; /* OS fingerprint */
extern int qflag; /* quick (shorter) output */
extern int Sflag; /* print raw TCP sequence numbers */
extern int tflag; /* print packet arrival time */
extern int vflag; /* verbose */
extern int xflag; /* print packet in hex */
extern int Xflag; /* print packet in hex/ascii */
extern int packettype; /* as specified by -T */
extern char *device; /* as specified by -i */
#define PT_VAT 1 /* Visual Audio Tool */
#define PT_WB 2 /* distributed White Board */
#define PT_RPC 3 /* Remote Procedure Call */
#define PT_RTP 4 /* Real-Time Applications protocol */
#define PT_RTCP 5 /* Real-Time Applications control protocol */
#define PT_CNFP 6 /* Cisco NetFlow protocol */
#define PT_VRRP 7 /* Virtual Router Redundancy protocol */
#define PT_TCP 8 /* TCP */
#define PT_GRE 9 /* Generic Routing Encapsulation (over UDP) */
#define PT_MPLS 10 /* MPLS (over UDP) */
#define PT_TFTP 11 /* Trivial File Transfer Protocol */
#define PT_VXLAN 12 /* Virtual eXtensible Local Area Network */
#define PT_ERSPAN 13 /* GRE ERSPAN Type I or II */
#define PT_WIREGUARD 14 /* WireGuard tunnel */
#define PT_GENEVE 15 /* Geneve */
#ifndef min
#define min(a,b) ((a)>(b)?(b):(a))
#endif
#ifndef max
#define max(a,b) ((b)>(a)?(b):(a))
#endif
/*
* The default snapshot length. This value allows most printers to print
* useful information while keeping the amount of unwanted data down.
* In particular, it allows ethernet, tcp/ip headers, and a small amount
* of data, or to capture IPv6 and TCP headers after pflog encapsulation.
*/
#define DEFAULT_SNAPLEN 116
#define IEEE802_11_SNAPLEN (DEFAULT_SNAPLEN + 30)
#define IEEE802_11_RADIO_SNAPLEN (IEEE802_11_SNAPLEN + 64)
#ifndef BIG_ENDIAN
#define BIG_ENDIAN 4321
#define LITTLE_ENDIAN 1234
#endif
#ifdef ETHER_HEADER_HAS_EA
#define ESRC(ep) ((ep)->ether_shost.ether_addr_octet)
#define EDST(ep) ((ep)->ether_dhost.ether_addr_octet)
#else
#define ESRC(ep) ((ep)->ether_shost)
#define EDST(ep) ((ep)->ether_dhost)
#endif
#ifdef ETHER_ARP_HAS_X
#define SHA(ap) ((ap)->arp_xsha)
#define THA(ap) ((ap)->arp_xtha)
#define SPA(ap) ((ap)->arp_xspa)
#define TPA(ap) ((ap)->arp_xtpa)
#else
#ifdef ETHER_ARP_HAS_EA
#define SHA(ap) ((ap)->arp_sha.ether_addr_octet)
#define THA(ap) ((ap)->arp_tha.ether_addr_octet)
#else
#define SHA(ap) ((ap)->arp_sha)
#define THA(ap) ((ap)->arp_tha)
#endif
#define SPA(ap) ((ap)->arp_spa)
#define TPA(ap) ((ap)->arp_tpa)
#endif
#ifndef NTOHL
#define NTOHL(x) (x) = ntohl(x)
#define NTOHS(x) (x) = ntohs(x)
#define HTONL(x) (x) = htonl(x)
#define HTONS(x) (x) = htons(x)
#endif
#endif
extern char *program_name; /* used to generate self-identifying messages */
extern int32_t thiszone; /* seconds offset from gmt to local time */
extern int snaplen;
/* global pointers to beginning and end of current packet (during printing) */
extern const u_char *packetp;
extern const u_char *snapend;
/*
* True if "l" bytes of "var" were captured.
*
* The "snapend - (l) <= snapend" checks to make sure "l" isn't so large
* that "snapend - (l)" underflows.
*
* The check is for <= rather than < because "l" might be 0.
*/
#define TTEST2(var, l) (snapend - (l) <= snapend && \
(const u_char *)&(var) <= snapend - (l))
/* True if "var" was captured */
#define TTEST(var) TTEST2(var, sizeof(var))
/* Bail if "l" bytes of "var" were not captured */
#define TCHECK2(var, l) if (!TTEST2(var, l)) goto trunc
/* Bail if "var" was not captured */
#define TCHECK(var) TCHECK2(var, sizeof(var))
struct timeval;
struct bpf_timeval;
extern void ts_print(const struct bpf_timeval *);
extern int fn_print(const u_char *, const u_char *);
extern int fn_printn(const u_char *, u_int, const u_char *);
extern void relts_print(int);
extern const char *tok2str(const struct tok *, const char *, int);
extern char *dnaddr_string(u_short);
extern void safeputs(const char *);
extern void safeputchar(int);
extern void printb(char *, unsigned short, char *);
extern __dead void error(const char *, ...)
__attribute__((__format__ (printf, 1, 2)));
extern void warning(const char *, ...)
__attribute__ ((__format__ (printf, 1, 2)));
extern char *read_infile(char *);
extern char *copy_argv(char * const *);
extern char *isonsap_string(const u_char *);
extern char *llcsap_string(u_char);
extern char *protoid_string(const u_char *);
extern char *dnname_string(u_short);
extern char *dnnum_string(u_short);
/* The printer routines. */
struct pcap_pkthdr;
extern int ether_encap_print(u_short, const u_char *, u_int, u_int);
extern int llc_print(const u_char *, u_int, u_int, const u_char *,
const u_char *);
extern int pppoe_if_print(u_short, const u_char *, u_int, u_int);
extern void aarp_print(const u_char *, u_int);
extern void arp_print(const u_char *, u_int, u_int);
extern void atalk_print(const u_char *, u_int);
extern void atalk_print_llap(const u_char *, u_int);
extern void atm_if_print(u_char *, const struct pcap_pkthdr *, const u_char *);
extern void bootp_print(const u_char *, u_int, u_short, u_short);
extern void bgp_print(const u_char *, int);
extern void decnet_print(const u_char *, u_int, u_int);
extern void default_print(const u_char *, u_int);
extern void dvmrp_print(const u_char *, u_int);
extern void enc_if_print(u_char *, const struct pcap_pkthdr *, const u_char *);
extern void pflog_if_print(u_char *, const struct pcap_pkthdr *,
const u_char *);
extern void pfsync_if_print(u_char *, const struct pcap_pkthdr *,
const u_char *);
extern void pfsync_ip_print(const u_char *, u_int, const u_char *);
extern void ether_if_print(u_char *, const struct pcap_pkthdr *,
const u_char *);
extern void ether_tryprint(const u_char *, u_int, int);
extern void fddi_if_print(u_char *, const struct pcap_pkthdr *, const u_char *);
extern void ppp_ether_if_print(u_char *, const struct pcap_pkthdr *,
const u_char *);
extern void gre_print(const u_char *, u_int);
extern void vxlan_print(const u_char *, u_int);
extern void geneve_print(const u_char *, u_int);
extern void nsh_print(const u_char *, u_int);
extern void nhrp_print(const u_char *, u_int);
extern void icmp_print(const u_char *, u_int, const u_char *);
extern void ieee802_11_if_print(u_char *, const struct pcap_pkthdr *,
const u_char *);
extern void ieee802_11_radio_if_print(u_char *, const struct pcap_pkthdr *,
const u_char *);
extern void iapp_print(const u_char *, u_int);
extern void igrp_print(const u_char *, u_int, const u_char *);
extern void ip_print(const u_char *, u_int);
extern void ipx_print(const u_char *, u_int);
extern void isoclns_print(const u_char *, u_int, u_int, const u_char *,
const u_char *);
extern void krb_print(const u_char *, u_int);
extern void netbeui_print(u_short, const u_char *, const u_char *);
extern void ipx_netbios_print(const u_char *, const u_char *);
extern void nbt_tcp_print(const u_char *, int);
extern void nbt_udp137_print(const u_char *data, int);
extern void nbt_udp138_print(const u_char *data, int);
extern char *smb_errstr(int, int);
extern void print_data(const unsigned char *, int);
extern void l2tp_print(const u_char *dat, u_int length);
extern void vrrp_print(const u_char *bp, u_int len, int ttl);
extern void carp_print(const u_char *bp, u_int len, int ttl);
extern void hsrp_print(const u_char *, u_int);
extern void vqp_print(const u_char *, u_int);
extern void nfsreply_print(const u_char *, u_int, const u_char *);
extern void nfsreq_print(const u_char *, u_int, const u_char *);
extern void ns_print(const u_char *, u_int, int);
extern void ntp_print(const u_char *, u_int);
extern void loop_if_print(u_char *, const struct pcap_pkthdr *, const u_char *);
extern void null_if_print(u_char *, const struct pcap_pkthdr *, const u_char *);
extern void ospf_print(const u_char *, u_int, const u_char *);
extern void mobile_print(const u_char *, u_int);
extern void pim_print(const u_char *, u_int);
extern void ppp_if_print(u_char *, const struct pcap_pkthdr *, const u_char *);
extern void ppp_hdlc_if_print(u_char *, const struct pcap_pkthdr *,
const u_char *);
extern void ppp_print(const u_char *, u_int);
extern void ppp_hdlc_print(const u_char *, u_int);
extern void raw_if_print(u_char *, const struct pcap_pkthdr *, const u_char *);
extern void rip_print(const u_char *, u_int);
extern void sl_if_print(u_char *, const struct pcap_pkthdr *, const u_char *);
extern void sl_bsdos_if_print(u_char *, const struct pcap_pkthdr *,
const u_char *);
extern void snmp_print(const u_char *, u_int);
extern void sunrpcrequest_print(const u_char *, u_int, const u_char *);
extern void cnfp_print(const u_char *, u_int);
extern void tcp_print(const u_char *, u_int, const u_char *);
extern void tftp_print(const u_char *, u_int);
extern void wg_print(const u_char *, u_int);
extern void timed_print(const u_char *, u_int);
extern void udp_print(const u_char *, u_int, const void *);
extern void wb_print(const void *, u_int);
extern void ike_print(const u_char *, u_int);
extern void udpencap_print(const u_char *, u_int, const u_char *);
extern void ah_print(const u_char *, u_int, const u_char *);
extern void esp_print(const u_char *, u_int, const u_char *);
extern void cdp_print(const u_char *, u_int, u_int, int);
extern void stp_print(const u_char *, u_int);
extern void radius_print(const u_char *, u_int);
extern void lwres_print(const u_char *, u_int);
extern void ether_print(const u_char *, u_int);
extern void etherip_print(const u_char *, u_int, u_int);
extern void ipcomp_print(const u_char *, u_int, const u_char *);
extern void mpls_print(const u_char *, u_int);
extern void lldp_print(const u_char *, u_int);
extern void slow_print(const u_char *, u_int);
extern void gtp_print(const u_char *, u_int, u_short, u_short);
extern void ofp_print(const u_char *, u_int);
extern void ofp_if_print(u_char *, const struct pcap_pkthdr *, const u_char *);
extern void usbpcap_if_print(u_char *, const struct pcap_pkthdr *,
const u_char *);
extern void ip6_print(const u_char *, u_int);
extern void ip6_opt_print(const u_char *, int);
extern int hbhopt_print(const u_char *);
extern int dstopt_print(const u_char *);
extern int frag6_print(const u_char *, const u_char *);
extern void icmp6_print(const u_char *, u_int, const u_char *);
extern void ripng_print(const u_char *, int);
extern int rt6_print(const u_char *, const u_char *);
extern void ospf6_print(const u_char *, u_int);
extern void dhcp6_print(const u_char *, u_int);
extern uint32_t in_cksum_add(const void *, size_t, uint32_t);
extern uint16_t in_cksum_fini(uint32_t);
extern uint16_t in_cksum(const void *, size_t, uint32_t);
extern u_int16_t in_cksum_shouldbe(u_int16_t, u_int16_t);
extern uint32_t wg_match(const u_char *, u_int);
```
|
```xml
import React from "react";
import styled, { useTheme } from "styled-components";
const cleanPercentage = (percentage: number) => {
const tooLow = !Number.isFinite(+percentage) || percentage < 0;
const tooHigh = percentage > 100;
return tooLow ? 0 : tooHigh ? 100 : +percentage;
};
const Circle = ({
color,
percentage,
offset,
}: {
color: string;
percentage?: number;
offset: number;
}) => {
const radius = offset * 0.7;
const circumference = 2 * Math.PI * radius;
let strokePercentage;
if (percentage) {
// because the circle is so small, anything greater than 85% appears like 100%
percentage = percentage > 85 && percentage < 100 ? 85 : percentage;
strokePercentage = percentage
? ((100 - percentage) * circumference) / 100
: 0;
}
return (
<circle
r={radius}
cx={offset}
cy={offset}
fill="none"
stroke={strokePercentage !== circumference ? color : ""}
strokeWidth={2.5}
strokeDasharray={circumference}
strokeDashoffset={percentage ? strokePercentage : 0}
strokeLinecap="round"
style={{
transition: "stroke-dashoffset 0.6s ease 0s",
}}
/>
);
};
const CircularProgressBar = ({
percentage,
size = 16,
}: {
percentage: number;
size?: number;
}) => {
const theme = useTheme();
percentage = cleanPercentage(percentage);
const offset = Math.floor(size / 2);
return (
<SVG width={size} height={size}>
<g transform={`rotate(-90 ${offset} ${offset})`}>
<Circle color={theme.progressBarBackground} offset={offset} />
{percentage > 0 && (
<Circle
color={theme.accent}
percentage={percentage}
offset={offset}
/>
)}
</g>
</SVG>
);
};
const SVG = styled.svg`
flex-shrink: 0;
`;
export default CircularProgressBar;
```
|
```yaml
opt_in_rules:
- multiline_parameters_brackets
- missing_docs
line_length: 150
included:
- Sources
- Tests
excluded:
- Example
- .build
```
|
Senator Suazo may refer to:
Alicia Suazo (fl. 1990s–2000s), Utah State Senate
Pete Suazo (died 2001), Utah State Senate
|
MimicCreme was a brand of vegan imitation cream based on nuts and made without lactose, soy, or gluten. It was certified as pareve kosher. First produced commercially in January 2007 in Albany, New York, by Green Rabbit LLC, MimicCreme was primarily marketed toward vegans as an alternative to dairy products.
The company website indicates that the company closed in November 2013 due to no longer having access to an appropriate production facility (they are still looking for one).
The product was invented by Rose Anne Colavito, who wanted to create a better tasting, richer non-dairy ice cream. There were seven versions available: unsweetened; sweetened with sugarcane; sugar-free sweetened, which was sweetened with a natural non-sugar sweetener; Unsweetened, French Vanilla and Hazelnut flavored formulated for use as a coffee creamer and a whipping cream called HealthyTop.
It had up to a two-year shelf life and once opened would remain stable in the refrigerator for 14 days.
Ingredients
Unsweetened: purified water, almonds, cashews, natural flavors, bicarbonate soda, rice starch, sea salt.
Sugar-Free Sweetened: purified water, erythritol (a natural sugar alcohol), almonds, cashews, maltodextrin (corn-based), tapioca starch, natural flavors, guar gum, bicarbonate soda, sea salt.
Sugar-Sweetened: purified water, almond and cashew nut blend, sugar (non-bone char), maltodextrin (corn-based), tapioca starch, xanthan gum, guar gum, bicarbonate soda, natural flavors, sea salt, natural flavors.
Unsweetened Cream for Coffee: purified water, almonds, cashews, natural flavors, dipotassium phosphate, rice starch.
French Vanilla Cream for Coffee:purified water, almonds, cashews, natural flavors, dipotassium phosphate, rice starch.
Hazelnut Cream for Coffee: purified water, almonds, cashews, natural flavors, dipotassium phosphate, rice starch.
HealthyTop Whipping Cream: purified water, coconut oil, sugar, maltodextrin, almonds, cashews, almond oil, sunflower lecithin, guar gum, natural flavors, polyglycerol esters of fatty acids, sorbitan monostearate.
Patents
Three patents have been granted in the United States: Patent Number 7,507,432 was granted on March 24, 2009, Patent Number 7,592,030 was granted on September 22, 2009, and Patent Number 7,776,337 was granted on August 7, 2010. Various international patents have also been granted.
Awards
MimicCreme was awarded "The Best New Product" in the consumables category at the June 2007 National Association of Chain Drug Stores (NACDS) show in Boston. It also received the "Best in Show" award at the Expo West in 2008 and 2011, a natural product trade show.
References
Plant milk
Imitation foods
Vegetarian companies and establishments of the United States
|
```go
// contributor license agreements. See the NOTICE file distributed with
// this work for additional information regarding copyright ownership.
//
// path_to_url
//
// Unless required by applicable law or agreed to in writing, software
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
package regression
import (
"testing"
"github.com/apache/beam/sdks/v2/go/pkg/beam"
"github.com/apache/beam/sdks/v2/go/pkg/beam/core/metrics"
"github.com/apache/beam/sdks/v2/go/pkg/beam/testing/passert"
"github.com/apache/beam/sdks/v2/go/pkg/beam/testing/ptest"
"github.com/apache/beam/sdks/v2/go/test/integration"
_ "github.com/apache/beam/sdks/v2/go/pkg/beam/runners/dataflow"
_ "github.com/apache/beam/sdks/v2/go/pkg/beam/runners/flink"
_ "github.com/apache/beam/sdks/v2/go/pkg/beam/runners/samza"
_ "github.com/apache/beam/sdks/v2/go/pkg/beam/runners/spark"
)
func TestLPErrorPipeline(t *testing.T) {
integration.CheckFilters(t)
pipeline, s := beam.NewPipelineWithRoot()
want := beam.CreateList(s, []int{0})
got := LPErrorPipeline(s)
passert.Equals(s, got, want)
ptest.RunAndValidate(t, pipeline)
}
func TestLPErrorReshufflePipeline(t *testing.T) {
integration.CheckFilters(t)
pipeline, s := beam.NewPipelineWithRoot()
LPErrorReshufflePipeline(s)
ptest.RunAndValidate(t, pipeline)
}
func TestLPErrorReshufflePipeline_PAssert(t *testing.T) {
integration.CheckFilters(t)
pipeline, s := beam.NewPipelineWithRoot()
got := LPErrorReshufflePipeline(s)
passert.Equals(s, got, fruit{"Apple"}, fruit{"Banana"}, fruit{"Cherry"})
ptest.RunAndValidate(t, pipeline)
}
func TestLPErrorReshufflePipeline_SideInput(t *testing.T) {
integration.CheckFilters(t)
pipeline, s := beam.NewPipelineWithRoot()
got := LPErrorReshufflePipeline(s)
beam.ParDo0(s, &iterSideStrings{
Wants: []string{"Apple", "Banana", "Cherry"},
}, beam.Impulse(s), beam.SideInput{Input: got})
ptest.RunAndValidate(t, pipeline)
}
func checkFruitCount(t *testing.T, pr beam.PipelineResult) {
t.Helper()
fcr := pr.Metrics().Query(func(sr metrics.SingleResult) bool {
return sr.Namespace() == MetricNamespace && sr.Name() == FruitCounterName
})
if len(fcr.Counters()) == 0 {
t.Logf("no counters found: check if %v supports counters", *ptest.Runner)
return
}
if got, want := fcr.Counters()[0].Result(), int64(3); got != want {
t.Errorf("unexpected fruit count: got %v, want %v", got, want)
}
}
func TestLPErrorReshufflePipeline_DoFn(t *testing.T) {
integration.CheckFilters(t)
pipeline, s := beam.NewPipelineWithRoot()
got := LPErrorReshufflePipeline(s)
beam.ParDo(s, countFruit, got)
pr := ptest.RunAndValidate(t, pipeline)
checkFruitCount(t, pr)
}
func TestLPErrorReshufflePipeline_DoFnPAssert(t *testing.T) {
integration.CheckFilters(t)
pipeline, s := beam.NewPipelineWithRoot()
got := LPErrorReshufflePipeline(s)
counted := beam.ParDo(s, countFruit, got)
passert.Equals(s, counted, fruit{"Apple"}, fruit{"Banana"}, fruit{"Cherry"})
pr := ptest.RunAndValidate(t, pipeline)
checkFruitCount(t, pr)
}
func TestLPErrorReshufflePipeline_DoFnSideInput(t *testing.T) {
integration.CheckFilters(t)
pipeline, s := beam.NewPipelineWithRoot()
got := LPErrorReshufflePipeline(s)
counted := beam.ParDo(s, countFruit, got)
beam.ParDo0(s, &iterSideStrings{
Wants: []string{"Apple", "Banana", "Cherry"},
}, beam.Impulse(s), beam.SideInput{Input: counted})
pr := ptest.RunAndValidate(t, pipeline)
checkFruitCount(t, pr)
}
```
|
```c#
@{
//
//
// path_to_url
//
// Unless required by applicable law or agreed to in writing, software
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
}
@model DotNetDemoAppMvc.Models.SecureViewModel
@{
ViewBag.Title = "Secure";
}
<h2 style="color:blue;">Secure Page</h2>
<p>
<pre style="color:green">Congratulations! If you can see this page, you have successfully authenticated to Active Directory using a gMSA!</pre>
</p>
<br />
<div>
<style>
table {
font-family: 'Courier New', sans-serif;
width: 100%;
}
td, th {
border: 1px solid #010b13;
text-align: left;
padding: 8px;
}
</style>
<h3>User information</h3>
<table style="width:auto">
<tr>
<th style="text-align:center; background-color:dodgerblue; color:white"><strong>Environment Variable</strong></th>
<th style="text-align:center; background-color:dodgerblue; color:white"><strong>System Value</strong></th>
</tr>
<tr>
<td>Username</td>
<td>@User.Identity.Name</td>
</tr>
<tr>
<td>Authentication Type</td>
<td>@Model.AuthenticationType</td>
</tr>
</table>
<br />
<h3>Groups</h3>
<ul style="font-family:'Courier New'">
@foreach (var groupName in Model.GroupNames)
{
<li>@groupName</li>
}
</ul>
<br />
<h3>User Claims</h3>
<ul style="font-family:'Courier New'">
@foreach (var claim in (User.Identity as System.Security.Principal.WindowsIdentity).Claims)
{
<li>@claim.ToString()</li>
}
</ul>
</div>
<!--
@section Scripts {
<script type="text/javascript" defer>
$("#userNameTextBox").val(unescape("@User.Identity.Name"));
$("#authTypeTextBox").val("@User.Identity.AuthenticationType");
</script>
} -->
```
|
```c++
//
//
// path_to_url
//
////////////////////////////////////////////////////////////////////////
#include "pxr/pxr.h"
#include "pxr/base/tf/registryManager.h"
#include "pxr/base/tf/scriptModuleLoader.h"
#include "pxr/base/tf/token.h"
#include <vector>
PXR_NAMESPACE_OPEN_SCOPE
TF_REGISTRY_FUNCTION(TfScriptModuleLoader) {
// List of direct dependencies for this library.
const std::vector<TfToken> reqs = {
TfToken("ar"),
TfToken("arch"),
TfToken("gf"),
TfToken("kind"),
TfToken("pcp"),
TfToken("plug"),
TfToken("sdf"),
TfToken("tf"),
TfToken("trace"),
TfToken("vt"),
TfToken("work")
};
TfScriptModuleLoader::GetInstance().
RegisterLibrary(TfToken("usd"), TfToken("pxr.Usd"), reqs);
}
PXR_NAMESPACE_CLOSE_SCOPE
```
|
```java
/**
*
*
* 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.thingsboard.server.common.data.ota;
public enum OtaPackageUpdateStatus {
QUEUED, INITIATED, DOWNLOADING, DOWNLOADED, VERIFIED, UPDATING, UPDATED, FAILED
}
```
|
António de Deus da Costa Matos Bentes de Oliveira (29 August 1927 – 6 February 2003) known as Bentes, was a Portuguese footballer who played as forward.
External links
1927 births
Portuguese men's footballers
Men's association football forwards
Primeira Liga players
Académica de Coimbra (football) players
Portugal men's international footballers
2003 deaths
Footballers from Braga
|
```objective-c
#pragma once
#ifndef FUNCTION_SEGMENT_VIEWER_H
#define FUNCTION_SEGMENT_VIEWER_H
#include <array>
#include <QLabel>
#include <QComboBox>
#include "tdoubleparam.h"
#include "tdoublekeyframe.h"
#include "toonzqt/lineedit.h"
#undef DVAPI
#undef DVVAR
#ifdef TOONZQT_EXPORTS
#define DVAPI DV_EXPORT_API
#define DVVAR DV_EXPORT_VAR
#else
#define DVAPI DV_IMPORT_API
#define DVVAR DV_IMPORT_VAR
#endif
class FunctionSegmentPage;
class FunctionSheet;
class TXsheetHandle;
class KeyframeSetter;
class FunctionPanel;
class QPushButton;
class QStackedWidget;
namespace DVGui {
class MeasuredDoubleLineEdit;
class ExpressionField;
class FileField;
} // namespace DVGui
//your_sha256_hash-------------
class FunctionSegmentViewer final : public QFrame, public TParamObserver {
Q_OBJECT
TDoubleParam *m_curve;
int m_segmentIndex;
int m_r0, m_r1;
QWidget *m_topbar;
QLineEdit *m_fromFld;
QLineEdit *m_toFld;
QLabel *m_paramNameLabel;
QComboBox *m_typeCombo;
DVGui::LineEdit *m_stepFld;
QStackedWidget *m_parametersPanel;
std::array<FunctionSegmentPage *, 9> m_pages;
std::array<int, 9> m_typeId;
FunctionSheet *m_sheet;
TXsheetHandle *m_xshHandle;
FunctionPanel *m_panel;
// buttons for move segments
QPushButton *m_prevCurveButton;
QPushButton *m_nextCurveButton;
QPushButton *m_prevLinkButton;
QPushButton *m_nextLinkButton;
public:
FunctionSegmentViewer(QWidget *parent, FunctionSheet *sheet = 0,
FunctionPanel *panel = 0);
~FunctionSegmentViewer();
TDoubleParam *getCurve() const { return m_curve; }
int getR0() const { return m_r0; }
int getR1() const { return m_r1; }
int getSegmentIndex() const { return m_segmentIndex; }
void refresh();
// overridden from TDoubleParamObserver
void onChange(const TParamChange &) override { refresh(); }
void setXsheetHandle(TXsheetHandle *xshHandle) { m_xshHandle = xshHandle; }
bool anyWidgetHasFocus();
// in order to avoid FunctionViewer to get focus while editing the expression
bool isExpressionPageActive();
private:
int typeToIndex(int type) const;
int indexToType(int typeIndex) const { return m_typeId[typeIndex]; }
bool segmentIsValid() const;
// for displaying the types of neighbor segments
QString typeToString(int type) const;
private slots:
void onSegmentTypeChanged(int type);
void onCurveChanged();
void onStepFieldChanged(const QString &);
void onApplyButtonPressed();
void onPrevCurveButtonPressed();
void onNextCurveButtonPressed();
void onPrevLinkButtonPressed();
void onNextLinkButtonPressed();
public slots:
void setSegment(TDoubleParam *curve, int segmentIndex);
void setSegmentByFrame(TDoubleParam *curve, int frame);
};
//your_sha256_hash-------------
class FunctionSegmentPage : public QWidget {
Q_OBJECT
FunctionSegmentViewer *m_viewer;
public:
FunctionSegmentPage(FunctionSegmentViewer *parent);
~FunctionSegmentPage();
FunctionSegmentViewer *getViewer() const { return m_viewer; }
TDoubleParam *getCurve() const { return m_viewer->getCurve(); }
int getR0() const { return m_viewer->getR0(); }
int getR1() const { return m_viewer->getR1(); }
virtual void refresh() = 0;
virtual void apply() = 0;
virtual void init(int segmentLength) = 0;
public slots:
void onFieldChanged() { apply(); }
};
//your_sha256_hash-------------
class SpeedInOutSegmentPage final : public FunctionSegmentPage {
Q_OBJECT
DVGui::LineEdit *m_speed0xFld;
DVGui::MeasuredDoubleLineEdit *m_speed0yFld;
DVGui::LineEdit *m_speed1xFld;
DVGui::MeasuredDoubleLineEdit *m_speed1yFld;
DVGui::MeasuredDoubleLineEdit *m_firstSpeedFld;
DVGui::MeasuredDoubleLineEdit *m_lastSpeedFld;
public:
SpeedInOutSegmentPage(FunctionSegmentViewer *parent = 0);
void refresh() override;
void apply() override{};
void getGuiValues(TPointD &speedIn, TPointD &speedOut);
void init(int segmentLength) override;
public slots:
void onFirstHandleXChanged();
void onFirstHandleYChanged();
void onLastHandleXChanged();
void onLastHandleYChanged();
void onFirstSpeedChanged();
void onLastSpeedChanged();
};
//your_sha256_hash-------------
class EaseInOutSegmentPage final : public FunctionSegmentPage {
Q_OBJECT
DVGui::MeasuredDoubleLineEdit *m_ease0Fld, *m_ease1Fld;
double m_fieldScale;
bool m_isPercentage;
public:
EaseInOutSegmentPage(bool percentage, FunctionSegmentViewer *parent = 0);
void refresh() override;
void apply() override {}
void getGuiValues(TPointD &easeIn, TPointD &easeOut);
void init(int segmentLength) override;
public slots:
void onEase0Changed();
void onEase1Changed();
};
//your_sha256_hash-------------
class FunctionExpressionSegmentPage final : public FunctionSegmentPage {
Q_OBJECT
DVGui::ExpressionField *m_expressionFld;
DVGui::LineEdit *m_unitFld;
public:
FunctionExpressionSegmentPage(FunctionSegmentViewer *parent = 0);
void refresh() override;
void apply() override;
// return false if a circular reference is occurred
bool getGuiValues(std::string &expressionText, std::string &unitName);
void init(int segmentLength) override;
};
//your_sha256_hash-------------
class SimilarShapeSegmentPage final : public FunctionSegmentPage {
Q_OBJECT
DVGui::ExpressionField *m_expressionFld;
DVGui::LineEdit *m_offsetFld;
public:
SimilarShapeSegmentPage(FunctionSegmentViewer *parent = 0);
void refresh() override;
void apply() override;
void init(int segmentLength) override;
void getGuiValues(std::string &expressionText, double &similarShapeOffset);
};
//your_sha256_hash-------------
class FileSegmentPage final : public FunctionSegmentPage {
Q_OBJECT
DVGui::FileField *m_fileFld;
DVGui::LineEdit *m_fieldIndexFld;
DVGui::LineEdit *m_measureFld;
public:
FileSegmentPage(FunctionSegmentViewer *parent = 0);
void refresh() override;
void init(int segmentLength) override;
void apply() override;
void getGuiValues(TDoubleKeyframe::FileParams &fileParam,
std::string &unitName);
};
#endif
```
|
```c++
// Example fuzzer for PNG using protos.
#include <string>
#include <sstream>
#include <fstream>
#include <zlib.h> // for crc32
#include "libprotobuf-mutator/src/libfuzzer/libfuzzer_macro.h"
#include "png_fuzz_proto.pb.h"
static void WriteInt(std::stringstream &out, uint32_t x) {
x = __builtin_bswap32(x);
out.write((char *)&x, sizeof(x));
}
static void WriteByte(std::stringstream &out, uint8_t x) {
out.write((char *)&x, sizeof(x));
}
static std::string Compress(const std::string &s) {
std::string out(s.size() + 100, '\0');
size_t out_len = out.size();
compress((uint8_t *)&out[0], &out_len, (uint8_t *)s.data(), s.size());
out.resize(out_len);
return out;
}
// Chunk is written as:
// * 4-byte length
// * 4-byte type
// * the data itself
// * 4-byte crc (of type and data)
static void WriteChunk(std::stringstream &out, const char *type,
const std::string &chunk, bool compress = false) {
std::string compressed;
const std::string *s = &chunk;
if (compress) {
compressed = Compress(chunk);
s = &compressed;
}
uint32_t len = s->size();
uint32_t crc = crc32(crc32(0, (const unsigned char *)type, 4),
(const unsigned char *)s->data(), s->size());
WriteInt(out, len);
out.write(type, 4);
out.write(s->data(), s->size());
WriteInt(out, crc);
}
std::string ProtoToPng(const PngProto &png_proto) {
std::stringstream all;
const unsigned char header[] = {0x89, 0x50, 0x4e, 0x47, 0x0d, 0x0a, 0x1a, 0x0a};
all.write((const char*)header, sizeof(header));
std::stringstream ihdr_str;
auto &ihdr = png_proto.ihdr();
// Avoid large images.
// They may have interesting bugs, but OOMs are going to kill fuzzing.
uint32_t w = std::min(ihdr.width(), 4096U);
uint32_t h = std::min(ihdr.height(), 4096U);
WriteInt(ihdr_str, w);
WriteInt(ihdr_str, h);
WriteInt(ihdr_str, ihdr.other1());
WriteByte(ihdr_str, ihdr.other2());
WriteChunk(all, "IHDR", ihdr_str.str());
for (size_t i = 0, n = png_proto.chunks_size(); i < n; i++) {
auto &chunk = png_proto.chunks(i);
if (chunk.has_plte()) {
WriteChunk(all, "PLTE", chunk.plte().data());
} else if (chunk.has_idat()) {
WriteChunk(all, "IDAT", chunk.idat().data(), true);
} else if (chunk.has_iccp()) {
std::stringstream iccp_str;
iccp_str << "xyz"; // don't fuzz iCCP name field.
WriteByte(iccp_str, 0);
WriteByte(iccp_str, 0);
auto compressed_data = Compress(chunk.iccp().data());
iccp_str.write(compressed_data.data(), compressed_data.size());
WriteChunk(all, "iCCP", iccp_str.str());
} else if (chunk.has_other_chunk()) {
auto &other_chunk = chunk.other_chunk();
char type[5] = {0};
if (other_chunk.has_known_type()) {
static const char * known_chunks[] = {
"bKGD", "cHRM", "dSIG", "eXIf", "gAMA", "hIST", "iCCP",
"iTXt", "pHYs", "sBIT", "sPLT", "sRGB", "sTER", "tEXt",
"tIME", "tRNS", "zTXt", "sCAL", "pCAL", "oFFs",
};
size_t known_chunks_size =
sizeof(known_chunks) / sizeof(known_chunks[0]);
size_t chunk_idx = other_chunk.known_type() % known_chunks_size;
memcpy(type, known_chunks[chunk_idx], 4);
} else if (other_chunk.has_unknown_type()) {
uint32_t unknown_type_int = other_chunk.unknown_type();
memcpy(type, &unknown_type_int, 4);
} else {
continue;
}
type[4] = 0;
WriteChunk(all, type, other_chunk.data());
}
}
WriteChunk(all, "IEND", "");
std::string res = all.str();
if (const char *dump_path = getenv("PROTO_FUZZER_DUMP_PATH")) {
// With libFuzzer binary run this to generate a PNG file x.png:
// PROTO_FUZZER_DUMP_PATH=x.png ./a.out proto-input
std::ofstream of(dump_path);
of.write(res.data(), res.size());
}
return res;
}
// The actual fuzz target that consumes the PNG data.
extern "C" int FuzzPNG(const uint8_t* data, size_t size);
DEFINE_PROTO_FUZZER(const PngProto &png_proto) {
auto s = ProtoToPng(png_proto);
FuzzPNG((const uint8_t*)s.data(), s.size());
}
```
|
Nosotras las mujeres (English title: We the women) is a Mexican telenovela produced by Patricia Lozano for Televisa in 1981. It starred by Silvia Derbez, Beatriz Sheridan, Martha Roth, Sonia Furió, Anita Blanch and Fernando Larrañaga.
Cast
Silvia Derbez as Alma
Beatriz Sheridan as Edna
Martha Roth as Monica
Sonia Furió as Ivonne
Anita Blanch as Beatriz
Fernando Larrañaga as ManuelEduardo Noriega as AgustinMaría Rojo as AnaClaudio Obregon as Luis MarianoSergio Jimenez as MaxQueta Lavat as AidaAdriana Parra as EstelaLourdes Canale as MariaAlejandro Tamayo as Felipe
Pablo Ferrel as Emilio
Alberto Inzua as Antonio
Maria Fernanda Ayensa as Alicia
Esteban Siller as Salomon
Magda Rodriguez as Malena
Ismael Aguilar as Mario
Myrrah Saavedra as Elizabeth
Rebeca Rambal as Marcela
Gilberto Gil as Miguel
Gerardo Paz as Eduardo
Patricia Renteria as Rosa
Jose Luis Padilla as Ramon
Eric del Castillo as Manuel
Javier Marc as Maximiliano
Enrique Ortiz as Ernesto
Claudia Guzmán as Elisa
References
External links
1981 telenovelas
Televisa telenovelas
Spanish-language telenovelas
1981 Mexican television series debuts
1981 Mexican television series endings
|
Elizaville is an unincorporated community in Clinton Township, Boone County, in the U.S. state of Indiana.
History
A post office was established at Elizaville in 1855, and remained in operation until it was discontinued in 1907. The Elizaville Church was used for a scene in the 1986 film Hoosiers.
Geography
Elizaville is located at .
References
External links
Unincorporated communities in Boone County, Indiana
Unincorporated communities in Indiana
|
```makefile
#
DTS_DIR := $(DTS_DIR)/marvell
define Build/fortigate-header
( \
dd if=/dev/zero bs=384 count=1 2>/dev/null; \
datalen=$$(wc -c $@ | cut -d' ' -f1); \
datalen=$$(printf "%08x" $$datalen); \
datalen="$${datalen:6:2}$${datalen:4:2}$${datalen:2:2}$${datalen:0:2}"; \
printf $$(echo "00020000$${datalen}ffff0000ffff0000" | sed 's/../\\x&/g'); \
dd if=/dev/zero bs=112 count=1 2>/dev/null; \
cat $@; \
) > $@.new
mv $@.new $@
endef
define Build/seil-header
( \
data_size_crc="$$(gzip -c $@ | tail -c8 | \
od -An -tx8 --endian little | tr -d ' \n')"; \
printf "SEIL2015"; \
printf "$(call toupper,$(LINUX_KARCH)) $(VERSION_DIST) Linux-$(LINUX_VERSION)" | \
dd bs=80 count=1 conv=sync 2>/dev/null; \
printf "$$(echo $${data_size_crc:8:8} | sed 's/../\\x&/g')"; \
printf "\x00\x00\x00\x01\x00\x00\x00\x09\x00\x00\x00\x63"; \
printf "$(REVISION)" | dd bs=32 count=1 conv=sync 2>/dev/null; \
printf "\x00\x00\x00\x00"; \
printf "$$(echo $${data_size_crc:0:8} | sed 's/../\\x&/g')"; \
cat $@; \
) > $@.new
mv $@.new $@
endef
define Device/dsa-migration
DEVICE_COMPAT_VERSION := 1.1
DEVICE_COMPAT_MESSAGE := Config cannot be migrated from swconfig to DSA
endef
define Device/kernel-size-migration
DEVICE_COMPAT_VERSION := 2.0
DEVICE_COMPAT_MESSAGE := Partition design has changed compared to older versions (up to 19.07) due to kernel size restrictions. \
Upgrade via sysupgrade mechanism is not possible, so new installation via factory style image is required.
endef
define Device/buffalo_ls220de
$(Device/NAND-128K)
DEVICE_VENDOR := Buffalo
DEVICE_MODEL := LinkStation LS220DE
KERNEL_UBIFS_OPTS = -m $$(PAGESIZE) -e 124KiB -c 172 -x none
KERNEL := kernel-bin | append-dtb | uImage none | buffalo-kernel-ubifs
KERNEL_INITRAMFS := kernel-bin | append-dtb | uImage none
DEVICE_DTS := armada-370-buffalo-ls220de
DEVICE_PACKAGES := \
kmod-hwmon-gpiofan kmod-hwmon-drivetemp kmod-linkstation-poweroff \
kmod-md-mod kmod-md-raid0 kmod-md-raid1 kmod-md-raid10 kmod-fs-xfs \
mdadm mkf2fs e2fsprogs partx-utils
endef
TARGET_DEVICES += buffalo_ls220de
define Device/buffalo_ls421de
$(Device/NAND-128K)
DEVICE_VENDOR := Buffalo
DEVICE_MODEL := LinkStation LS421DE
SUBPAGESIZE :=
KERNEL_SIZE := 33554432
FILESYSTEMS := squashfs ubifs
KERNEL := kernel-bin | append-dtb | uImage none | buffalo-kernel-jffs2
KERNEL_INITRAMFS := kernel-bin | append-dtb | uImage none
DEVICE_DTS := armada-370-buffalo-ls421de
DEVICE_PACKAGES := \
kmod-rtc-rs5c372a kmod-hwmon-gpiofan kmod-hwmon-drivetemp kmod-usb3 \
kmod-linkstation-poweroff kmod-md-raid0 kmod-md-raid1 kmod-md-mod \
kmod-fs-xfs mkf2fs e2fsprogs partx-utils
endef
TARGET_DEVICES += buffalo_ls421de
define Device/ctera_c200-v2
PAGESIZE := 2048
SUBPAGESIZE := 512
BLOCKSIZE := 128k
DEVICE_VENDOR := Ctera
DEVICE_MODEL := C200
DEVICE_VARIANT := V2
SOC := armada-370
KERNEL := kernel-bin | append-dtb | uImage none | ctera-firmware
KERNEL_IN_UBI :=
KERNEL_SUFFIX := -factory.firm
DEVICE_PACKAGES := \
kmod-gpio-button-hotplug kmod-hwmon-drivetemp kmod-hwmon-nct7802 \
kmod-rtc-s35390a kmod-usb3 kmod-usb-ledtrig-usbport
IMAGES := sysupgrade.bin
endef
TARGET_DEVICES += ctera_c200-v2
define Device/cznic_turris-omnia
DEVICE_VENDOR := CZ.NIC
DEVICE_MODEL := Turris Omnia
KERNEL_INSTALL := 1
SOC := armada-385
KERNEL := kernel-bin
KERNEL_INITRAMFS := kernel-bin | gzip | fit gzip $$(KDIR)/image-$$(DEVICE_DTS).dtb
DEVICE_PACKAGES := \
mkf2fs e2fsprogs kmod-fs-vfat kmod-nls-cp437 kmod-nls-iso8859-1 \
wpad-basic-mbedtls kmod-ath9k kmod-ath10k-ct ath10k-firmware-qca988x-ct \
kmod-mt7915-firmware partx-utils kmod-i2c-mux-pca954x kmod-leds-turris-omnia \
kmod-turris-omnia-mcu kmod-gpio-button-hotplug omnia-mcu-firmware omnia-mcutool
IMAGES := sysupgrade.img.gz
IMAGE/sysupgrade.img.gz := boot-scr | boot-img | sdcard-img | gzip | append-metadata
SUPPORTED_DEVICES += armada-385-turris-omnia
BOOT_SCRIPT := turris-omnia
endef
TARGET_DEVICES += cznic_turris-omnia
define Device/fortinet
DEVICE_VENDOR := Fortinet
SOC := armada-385
KERNEL := kernel-bin | append-dtb
KERNEL_SIZE := 6144k
IMAGE/sysupgrade.bin := append-rootfs | pad-rootfs | \
sysupgrade-tar rootfs=$$$$@ | append-metadata
DEVICE_PACKAGES := kmod-hwmon-nct7802
endef
define Device/fortinet_fg-30e
$(Device/fortinet)
DEVICE_MODEL := FortiGate 30E
DEVICE_DTS := armada-385-fortinet-fg-30e
KERNEL_INITRAMFS := kernel-bin | append-dtb | fortigate-header | \
gzip-filename FGT30E
endef
TARGET_DEVICES += fortinet_fg-30e
define Device/fortinet_fg-50e
$(Device/fortinet)
DEVICE_MODEL := FortiGate 50E
DEVICE_DTS := armada-385-fortinet-fg-50e
KERNEL_INITRAMFS := kernel-bin | append-dtb | fortigate-header | \
gzip-filename FGT50E
endef
TARGET_DEVICES += fortinet_fg-50e
define Device/fortinet_fg-51e
$(Device/fortinet)
DEVICE_MODEL := FortiGate 51E
DEVICE_DTS := armada-385-fortinet-fg-51e
KERNEL_INITRAMFS := kernel-bin | append-dtb | fortigate-header | \
gzip-filename FGT51E
endef
TARGET_DEVICES += fortinet_fg-51e
define Device/fortinet_fg-52e
$(Device/fortinet)
DEVICE_MODEL := FortiGate 52E
DEVICE_DTS := armada-385-fortinet-fg-52e
KERNEL_INITRAMFS := kernel-bin | append-dtb | fortigate-header | \
gzip-filename FGT52E
endef
TARGET_DEVICES += fortinet_fg-52e
define Device/fortinet_fwf-50e-2r
$(Device/fortinet)
DEVICE_MODEL := FortiWiFi 50E-2R
DEVICE_DTS := armada-385-fortinet-fwf-50e-2r
KERNEL_INITRAMFS := kernel-bin | append-dtb | fortigate-header | \
gzip-filename FW502R
DEVICE_PACKAGES += kmod-ath10k-ct ath10k-firmware-qca988x-ct \
wpad-basic-mbedtls
endef
TARGET_DEVICES += fortinet_fwf-50e-2r
define Device/fortinet_fwf-51e
$(Device/fortinet)
DEVICE_MODEL := FortiWiFi 51E
DEVICE_DTS := armada-385-fortinet-fwf-51e
KERNEL_INITRAMFS := kernel-bin | append-dtb | fortigate-header | \
gzip-filename FWF51E
DEVICE_PACKAGES += kmod-ath9k wpad-basic-mbedtls
endef
TARGET_DEVICES += fortinet_fwf-51e
define Device/globalscale_mirabox
$(Device/NAND-512K)
DEVICE_VENDOR := Globalscale
DEVICE_MODEL := Mirabox
SOC := armada-370
SUPPORTED_DEVICES += mirabox
endef
TARGET_DEVICES += globalscale_mirabox
define Device/iij_sa-w2
DEVICE_VENDOR := IIJ
DEVICE_MODEL := SA-W2
SOC := armada-380
KERNEL := kernel-bin | append-dtb | seil-header
DEVICE_DTS := armada-380-iij-sa-w2
IMAGE_SIZE := 15360k
IMAGE/sysupgrade.bin := append-kernel | pad-to 64k | \
append-rootfs | pad-rootfs | check-size | append-metadata
DEVICE_PACKAGES := kmod-ath9k kmod-ath10k-ct ath10k-firmware-qca988x-ct \
wpad-basic-mbedtls
endef
TARGET_DEVICES += iij_sa-w2
define Device/iptime_nas1dual
DEVICE_VENDOR := ipTIME
DEVICE_MODEL := NAS1dual
DEVICE_PACKAGES := kmod-hwmon-drivetemp kmod-hwmon-gpiofan kmod-usb3
SOC := armada-385
KERNEL := kernel-bin | append-dtb | iptime-naspkg nas1dual
KERNEL_SIZE := 6144k
IMAGES := sysupgrade.bin
IMAGE_SIZE := 64256k
IMAGE/sysupgrade.bin := append-kernel | pad-to $$(KERNEL_SIZE) | \
append-rootfs | pad-rootfs | check-size | append-metadata
endef
TARGET_DEVICES += iptime_nas1dual
define Device/kobol_helios4
DEVICE_VENDOR := Kobol
DEVICE_MODEL := Helios4
KERNEL_INSTALL := 1
KERNEL := kernel-bin
DEVICE_PACKAGES := mkf2fs e2fsprogs partx-utils
IMAGES := sdcard.img.gz
IMAGE/sdcard.img.gz := boot-scr | boot-img-ext4 | sdcard-img-ext4 | gzip | append-metadata
SOC := armada-388
UBOOT := helios4-u-boot-with-spl.kwb
BOOT_SCRIPT := clearfog
endef
TARGET_DEVICES += kobol_helios4
define Device/linksys
$(Device/NAND-128K)
DEVICE_VENDOR := Linksys
DEVICE_PACKAGES := kmod-mwlwifi wpad-basic-mbedtls
IMAGES += factory.img
IMAGE/factory.img := append-kernel | pad-to $$$$(KERNEL_SIZE) | \
append-ubi | pad-to $$$$(PAGESIZE)
KERNEL_SIZE := 6144k
endef
define Device/linksys_wrt1200ac
$(call Device/linksys)
$(Device/dsa-migration)
DEVICE_MODEL := WRT1200AC
DEVICE_ALT0_VENDOR := Linksys
DEVICE_ALT0_MODEL := Caiman
DEVICE_DTS := armada-385-linksys-caiman
DEVICE_PACKAGES += mwlwifi-firmware-88w8864
SUPPORTED_DEVICES += armada-385-linksys-caiman linksys,caiman
endef
TARGET_DEVICES += linksys_wrt1200ac
define Device/linksys_wrt1900acs
$(call Device/linksys)
$(Device/dsa-migration)
DEVICE_MODEL := WRT1900ACS
DEVICE_VARIANT := v1
DEVICE_ALT0_VENDOR := Linksys
DEVICE_ALT0_MODEL := WRT1900ACS
DEVICE_ALT0_VARIANT := v2
DEVICE_ALT1_VENDOR := Linksys
DEVICE_ALT1_MODEL := Shelby
DEVICE_DTS := armada-385-linksys-shelby
DEVICE_PACKAGES += mwlwifi-firmware-88w8864
SUPPORTED_DEVICES += armada-385-linksys-shelby linksys,shelby
endef
TARGET_DEVICES += linksys_wrt1900acs
define Device/linksys_wrt1900ac-v1
$(call Device/linksys)
$(Device/kernel-size-migration)
DEVICE_MODEL := WRT1900AC
DEVICE_VARIANT := v1
DEVICE_ALT0_VENDOR := Linksys
DEVICE_ALT0_MODEL := Mamba
DEVICE_DTS := armada-xp-linksys-mamba
DEVICE_PACKAGES += mwlwifi-firmware-88w8864
KERNEL_SIZE := 4096k
SUPPORTED_DEVICES += armada-xp-linksys-mamba linksys,mamba
endef
TARGET_DEVICES += linksys_wrt1900ac-v1
define Device/linksys_wrt1900ac-v2
$(call Device/linksys)
$(Device/dsa-migration)
DEVICE_MODEL := WRT1900AC
DEVICE_VARIANT := v2
DEVICE_ALT0_VENDOR := Linksys
DEVICE_ALT0_MODEL := Cobra
DEVICE_DTS := armada-385-linksys-cobra
DEVICE_PACKAGES += mwlwifi-firmware-88w8864
SUPPORTED_DEVICES += armada-385-linksys-cobra linksys,cobra
endef
TARGET_DEVICES += linksys_wrt1900ac-v2
define Device/linksys_wrt3200acm
$(call Device/linksys)
$(Device/dsa-migration)
DEVICE_MODEL := WRT3200ACM
DEVICE_ALT0_VENDOR := Linksys
DEVICE_ALT0_MODEL := Rango
DEVICE_DTS := armada-385-linksys-rango
DEVICE_PACKAGES += kmod-btmrvl kmod-mwifiex-sdio mwlwifi-firmware-88w8964
SUPPORTED_DEVICES += armada-385-linksys-rango linksys,rango
endef
TARGET_DEVICES += linksys_wrt3200acm
define Device/linksys_wrt32x
$(call Device/linksys)
$(Device/kernel-size-migration)
DEVICE_MODEL := WRT32X
DEVICE_ALT0_VENDOR := Linksys
DEVICE_ALT0_MODEL := Venom
DEVICE_DTS := armada-385-linksys-venom
DEVICE_PACKAGES += kmod-btmrvl kmod-mwifiex-sdio mwlwifi-firmware-88w8964
KERNEL_SIZE := 6144k
KERNEL := kernel-bin | append-dtb
SUPPORTED_DEVICES += armada-385-linksys-venom linksys,venom
endef
TARGET_DEVICES += linksys_wrt32x
define Device/marvell_a370-db
$(Device/NAND-512K)
DEVICE_VENDOR := Marvell
DEVICE_MODEL := Armada 370 Development Board (DB-88F6710-BP-DDR3)
DEVICE_DTS := armada-370-db
SUPPORTED_DEVICES += armada-370-db
endef
TARGET_DEVICES += marvell_a370-db
define Device/marvell_a370-rd
$(Device/NAND-512K)
DEVICE_VENDOR := Marvell
DEVICE_MODEL := Armada 370 RD (RD-88F6710-A1)
DEVICE_DTS := armada-370-rd
SUPPORTED_DEVICES += armada-370-rd
endef
TARGET_DEVICES += marvell_a370-rd
define Device/marvell_a385-db-ap
$(Device/NAND-256K)
DEVICE_VENDOR := Marvell
DEVICE_MODEL := Armada 385 Development Board AP (DB-88F6820-AP)
DEVICE_DTS := armada-385-db-ap
IMAGES += factory.img
IMAGE/factory.img := append-kernel | pad-to $$$$(KERNEL_SIZE) | \
append-ubi | pad-to $$$$(PAGESIZE)
KERNEL_SIZE := 8192k
SUPPORTED_DEVICES += armada-385-db-ap
endef
TARGET_DEVICES += marvell_a385-db-ap
define Device/marvell_a388-rd
DEVICE_VENDOR := Marvell
DEVICE_MODEL := Armada 388 RD (RD-88F6820-AP)
DEVICE_DTS := armada-388-rd
IMAGES := firmware.bin
IMAGE/firmware.bin := append-kernel | pad-to 256k | append-rootfs | pad-rootfs
SUPPORTED_DEVICES := armada-388-rd marvell,a385-rd
endef
TARGET_DEVICES += marvell_a388-rd
define Device/marvell_axp-db
$(Device/NAND-512K)
DEVICE_VENDOR := Marvell
DEVICE_MODEL := Armada XP Development Board (DB-78460-BP)
DEVICE_DTS := armada-xp-db
SUPPORTED_DEVICES += armada-xp-db
endef
TARGET_DEVICES += marvell_axp-db
define Device/marvell_axp-gp
$(Device/NAND-512K)
DEVICE_VENDOR := Marvell
DEVICE_MODEL := Armada Armada XP GP (DB-MV784MP-GP)
DEVICE_DTS := armada-xp-gp
SUPPORTED_DEVICES += armada-xp-gp
endef
TARGET_DEVICES += marvell_axp-gp
define Device/plathome_openblocks-ax3-4
DEVICE_VENDOR := Plat'Home
DEVICE_MODEL := OpenBlocks AX3
DEVICE_VARIANT := 4 ports
SOC := armada-xp
SUPPORTED_DEVICES += openblocks-ax3-4
BLOCKSIZE := 128k
PAGESIZE := 1
IMAGES += factory.img
IMAGE/factory.img := append-kernel | pad-to $$(BLOCKSIZE) | append-ubi
endef
TARGET_DEVICES += plathome_openblocks-ax3-4
define Device/solidrun_clearfog-base-a1
DEVICE_VENDOR := SolidRun
DEVICE_MODEL := ClearFog Base
KERNEL_INSTALL := 1
KERNEL := kernel-bin
DEVICE_PACKAGES := mkf2fs e2fsprogs partx-utils
IMAGES := sdcard.img.gz
IMAGE/sdcard.img.gz := boot-scr | boot-img-ext4 | sdcard-img-ext4 | gzip | append-metadata
DEVICE_DTS := armada-388-clearfog-base armada-388-clearfog-pro
UBOOT := clearfog-u-boot-with-spl.kwb
BOOT_SCRIPT := clearfog
SUPPORTED_DEVICES += armada-388-clearfog-base
DEVICE_COMPAT_VERSION := 1.1
DEVICE_COMPAT_MESSAGE := Ethernet interface rename has been dropped
endef
TARGET_DEVICES += solidrun_clearfog-base-a1
define Device/solidrun_clearfog-pro-a1
$(Device/dsa-migration)
DEVICE_VENDOR := SolidRun
DEVICE_MODEL := ClearFog Pro
KERNEL_INSTALL := 1
KERNEL := kernel-bin
DEVICE_PACKAGES := mkf2fs e2fsprogs partx-utils
IMAGES := sdcard.img.gz
IMAGE/sdcard.img.gz := boot-scr | boot-img-ext4 | sdcard-img-ext4 | gzip | append-metadata
DEVICE_DTS := armada-388-clearfog-pro armada-388-clearfog-base
UBOOT := clearfog-u-boot-with-spl.kwb
BOOT_SCRIPT := clearfog
SUPPORTED_DEVICES += armada-388-clearfog armada-388-clearfog-pro
endef
TARGET_DEVICES += solidrun_clearfog-pro-a1
define Device/synology_ds213j
DEVICE_VENDOR := Synology
DEVICE_MODEL := DS213j
KERNEL_SIZE := 6912k
IMAGE_SIZE := 7168k
FILESYSTEMS := squashfs ubifs
KERNEL := kernel-bin | append-dtb | uImage none
KERNEL_INITRAMFS := kernel-bin | append-dtb | uImage none
DEVICE_DTS := armada-370-synology-ds213j
IMAGES := sysupgrade.bin
IMAGE/sysupgrade.bin := append-kernel | append-rootfs | pad-rootfs | \
check-size | append-metadata
DEVICE_PACKAGES := \
kmod-rtc-s35390a kmod-hwmon-gpiofan kmod-hwmon-drivetemp \
kmod-md-raid0 kmod-md-raid1 kmod-md-mod e2fsprogs mdadm \
-ppp -kmod-nft-offload -firewall4 -dnsmasq -odhcpd-ipv6only
endef
TARGET_DEVICES += synology_ds213j
```
|
Preobrazhenskoye (; ) is a rural locality (a selo) in Beloselskoye Rural Settlement of Krasnogvardeysky District, Adygea, Russia. The population was 1469 as of 2018. There are 19 streets.
Geography
Preobrazhenskoye is located 10 km south of Krasnogvardeyskoye (the district's administrative centre) by road. Beloye is the nearest rural locality.
Ethnicity
The village is inhabited by Kurds () and Russians () according to the 2010 census.
References
Rural localities in Krasnogvardeysky District
Kurdish settlements
|
```java
/*
*
* All rights reserved. This program and the accompanying materials
*
* path_to_url
*/
package org.locationtech.jts.geom;
/**
* Indicates the position of a location relative to a
* node or edge component of a planar topological structure.
*
* @version 1.7
*/
public class Position {
/** Specifies that a location is <i>on</i> a component */
public static final int ON = 0;
/** Specifies that a location is to the <i>left</i> of a component */
public static final int LEFT = 1;
/** Specifies that a location is to the <i>right</i> of a component */
public static final int RIGHT = 2;
/**
* Returns LEFT if the position is RIGHT, RIGHT if the position is LEFT, or the position
* otherwise.
*/
public static final int opposite(int position)
{
if (position == LEFT) return RIGHT;
if (position == RIGHT) return LEFT;
return position;
}
}
```
|
Martina Liptáková (born 27 September 1965) is a Czech basketball player. She competed in the women's tournament at the 1992 Summer Olympics.
References
External links
1965 births
Living people
Czech women's basketball players
Olympic basketball players for Czechoslovakia
Basketball players at the 1992 Summer Olympics
People from Slaný
Sportspeople from the Central Bohemian Region
|
goeasy Ltd. is a Canadian alternative financial services company based in Mississauga, Ontario. It operates with three business units – easyfinancial, which offers loans to non-prime borrowers; easyhome, which sells furniture and other durable goods on a lease-to-own basis; and LendCare, a provider of point-of-sale consumer financing. As of March 2021, goeasy's loan portfolio had grown to $1.28 billion in loans, and goeasy had a market value of $2.5 billion as of June 2021. In March 2021, easyfinancial had a $1.28 billion loan book, and 12-month revenues of $655 million. The company is listed as GSY on the Toronto Stock Exchange.
History
goeasy Ltd. was founded in 1990 as RTO Enterprises. It went public on the Toronto Stock Exchange in 1993, through a reverse takeover. Its original focus was leasing furniture. The company's original focus was offering customers furniture and appliances through a lease-to-own model.
In 2003, it renamed itself easyhome, as an attempt to create a nationwide brand, and subsequently went on to become Canada's largest lease-to-own company with stores across Canada. In 2008, easyhome acquired Insta-Rent for $10 million. Around this time, the company launched easyfinancial, its financial services arm. easyfinancial was responsible for most of the growth of the company in the following years, with the easyfinancial segment eclipsing the easyhome segment in revenue by 2016.
In 2012, easyhome was forced to re-state its financial statements, and the majority of its board of directors resigned. In March 2014, there was speculation that easyhome might acquire some of the locations of struggling payday lender Cash Store. After Cash Store went out of business, easyhome acquired 47 former Cash Store locations in early 2015.
In 2016, easyhome changed its corporate name to goeasy, retaining the easyhome name for its rent-to-own durable goods business. The change was made to reflect the increasing diversity of the company's activities.
In 2017, the company recapitalized the business with $530 million in financing to help fuel its future growth. During this time, the company also launched a secured lending product to provide homeowners with lower rates and higher loan amounts. The company also expanded into the Quebec market under easyfinancière, and also added lending services at its easyhome locations.
In 2018, David Ingram, who had been President and CEO since 2001, took on a new role as Executive Chairman of the board. Jason Mullins, who previously held the role of Chief Operating Officer, became President and CEO in January 2019. That same year, the company also launched its next-generation proprietary online loan application as well as creditplus, its secured savings loan that helps customers rebuild their credit.
In April 2021, goeasy acquired LendCare, a leading provider of point of care financing, for $320 million, accelerating goeasy's growth through product and point-of-sale channel expansion. The acquisition is expected to contribute to goeasy's earnings growth.
Operations
easyfinancial and easyhome principally target customers whose credit is not good enough for a bank loan, or who need more immediate access to credit than that offered by traditional lenders. easyfinancial and easyhome offer better rates and terms than so-called payday loans. goeasy's customers are often non-prime Canadians trying to rebuild credit.
easyhome, Canada's largest lease-to-own company has been in operation since 1990, and consists of leasing furniture, appliances, and electronics to customers on a rent-to-own basis, which can be transacted online or at one of their 165 locations across Canada. Customers generally own the product at the end of the lease term. No down payment or credit checks are required. easyhome charges an interest rate of 29.9% on its leases and offers flexible options. However, the total effective interest rate might be higher, given easyhome's higher initial prices in comparison to other retailers.
easyfinancial principally offers installment loans of $500 to $20,000, mainly unsecured, at annual interest rates from 29.99% to 46.96%. It also offers a suite of both unsecured and secured lending products up to $75,000 with rates starting at 9.99%. easyfinancial operates through in-store kiosks, as well as stand-alone branches and an online website. It had 210 kiosks and branches as of 2016. In 2016, 15% of easyfinancial loans went bad, a rate much higher than that of banks. The company operates with an omnichannel business model that allows customers to transact through their national branch network of over 240 locations, online or through one of their many retail and merchant partnerships.
Community involvement
goeasy has been working with the Boys & Girls Clubs of Canada since 2004. In that time, goeasy has organized national fundraising campaigns, raising more than one million dollars for the organization. They continue to support the Boys and Girls Club. In 2014, goeasy launched easybites, with a $2.5 million donation and a commitment to build 100 safe and functioning kitchens in Boys & Girls Clubs across the country. easybites has grown into an annual fundraising campaign called “Feed the Future” which is well ahead of its 10-year goal of having donated 40 kitchens at the close of 2018.
The easybites program makes it easier for Boys & Girls Clubs of Canada to offer nutritious meals and snacks to youth visiting the centers. Renovating the kitchen spaces also enables more locations to provide cooking and nutrition classes. Boys & Girls Clubs in Midland, Sarnia, Cranbrook, Cornwall, Yarmouth, Toronto, Ponoka, and Charlottetown have benefited from the easybites program. goeasy branches often remain involved with their local Boys & Girls Clubs well after the new kitchens are installed.
Controversy
easyhome has often been criticized for its high prices, often hidden through relatively small monthly payments spread over a long period. For instance, in 2012, a Hewlett Packard PC which could be bought outright for a few hundred dollars had a total cost of $2,000 at easyhome, spread out over three years. In 2015, the total cost of a 55-inch curved Samsung TV was estimated to be more than twice as much at easyhome than at a conventional electronics retailer. Easyfinancial has similarly been criticized for its high interest rates, with an average annual rate of around 50%. Many loans offered by easyfinancial are very close to the maximum rate of interest in Canada of 60%.
In February 2015, CBC Marketplace, an investigative consumer advocacy TV series, ran an episode focusing on easyfinancial's business tactics. Beyond the high interest rates charged, easyfinancial was also criticized for deceptive and misleading business practices such as controlling and altering all e-devices of a client(s) including vehicle GPS by involving private agents (domestic and overseas) who all are hackers, stalkers and plotters responsible for directing non-stop criminal harassment, mischief and in-direct threats both in digital and real live locations on foot or by vehicle(s) 24 x 7. In addition, hackers can e-ghost or possess any e-device(s) and can perform all functions and operations on any possessed e-device(s) without being detected and agents of Easyfinancial can see a client(s) from front or rear cameras of cell phone(s) or any similar e-device(s). For instance, easyfinancial generally includes insurance in its loans, but does not quote the cost of the insurance in the cost of the loan. The insurance often doubles the effective interest rate of the loan. Easyfinancial also does not make clear that the insurance is optional. Easyfinancial was also criticized for pushing its customers into "debt traps" by offering re-financing, often before the original loan is paid off. Often, the company did not clearly communicate to its customers the eventual cost of the loans it offered.
In 2016, easyhome apologized for running a print flyer featuring an OMFG sale, because of the offensiveness of that acronym.
References
Companies based in Mississauga
Companies listed on the Toronto Stock Exchange
Financial services companies of Canada
|
```gradle
import java.text.SimpleDateFormat
apply plugin: 'com.jfrog.bintray'
apply plugin: "com.jfrog.artifactory"
apply plugin: 'maven-publish'
apply plugin: 'net.nemerosa.versioning'
Date buildTimeAndDate = new Date()
def buildDate = new SimpleDateFormat('yyyy-MM-dd').format(buildTimeAndDate)
def buildTime = new SimpleDateFormat('HH:mm:ss.SSSZ').format(buildTimeAndDate)
def travisSlug = System.getenv("TRAVIS_REPO_SLUG")
def bintrayUser = ''
def bintrayKey = ''
if (travisSlug) {
bintrayUser = System.getenv('BINTRAY_USERNAME')
bintrayKey = System.getenv('BINTRAY_APIKEY')
} else if (project.rootProject.file('local.properties').exists()) {
Properties prop = new Properties()
prop.load(project.rootProject.file('local.properties').newDataInputStream())
bintrayUser = prop.getProperty("user")
bintrayKey = prop.getProperty("apiKey")
}
def pomConfig = {
name project.name
description DESC
url 'path_to_url
inceptionYear '2016'
licenses {
license([:]) {
url 'path_to_url
distribution 'repo'
}
}
scm {
url 'path_to_url
}
developers {
[
SaeedMasoumi: 'Saeed Masoumi'
].each { devId, devName ->
developer {
id devId
name devName
roles {
role 'Developer'
}
}
}
}
contributors {
[
].each { cName ->
contributor {
name cName
roles {
role 'contributor'
}
}
}
}
}
jar {
manifest {
attributes(
'Built-By': System.properties['user.name'],
'Created-By': "${System.properties['java.version']} (${System.properties['java.vendor']} ${System.properties['java.vm.version']})".toString(),
'Build-Date': buildDate,
'Build-Time': buildTime,
'Build-Revision': versioning.info.commit,
'Specification-Title': project.name,
'Specification-Version': project.version,
'Specification-Vendor': 'EasyMVP',
'Implementation-Title': project.name,
'Implementation-Version': project.version,
'Implementation-Vendor': 'EasyMVP'
)
}
metaInf {
from rootProject.file('.')
include 'LICENSE'
}
}
task sourcesJar(type: Jar, dependsOn: classes) {
classifier = 'sources'
from sourceSets.main.allSource
}
task javadocJar(type: Jar, dependsOn: javadoc) {
classifier = 'javadoc'
from javadoc.destinationDir
}
artifacts {
archives sourcesJar
archives javadocJar
}
artifactoryPublish {
dependsOn sourcesJar, javadocJar
}
publishing {
publications {
mavenCustom(MavenPublication) {
from components.java
artifact sourcesJar
artifact javadocJar
pom.withXml {
// all dependencies should use the default scope (compile) but
// Gradle insists in using runtime as default
asNode().dependencies.dependency.each { dep ->
if (dep.scope.text() == 'runtime') {
dep.remove(dep.scope)
}
}
asNode().children().last() + pomConfig
}
}
}
}
////////release
bintray {
user = bintrayUser
key = bintrayKey
publications = ['mavenCustom']
publish = true
pkg {
repo = 'easymvp'
name = project.name
desc = DESC
userOrg = "6thsolution"
licenses = ['Apache-2.0']
websiteUrl = 'path_to_url
vcsUrl = 'path_to_url
licenses = ['Apache-2.0']
issueTrackerUrl = 'path_to_url
labels = ['android']
publicDownloadNumbers = true
githubRepo = '6thsolution/EasyMVP'
githubReleaseNotesFile = 'README.md'
version {
name = VERSION_NAME
desc = DESC
released = new Date()
}
}
}
////////snapshots
artifactory {
contextUrl = 'path_to_url
publish {
repository {
repoKey = 'oss-snapshot-local'
username = bintrayUser
password = bintrayKey
}
defaults {
publications('mavenCustom')
publishArtifacts = true
}
}
resolve {
repoKey = 'jcenter'
}
}
def publishTask
if (VERSION_NAME.endsWith("SNAPSHOT")) {
publishTask = tasks.artifactoryPublish
} else {
publishTask = tasks.bintrayUpload
}
task publishFromCI(dependsOn: publishTask) {
}
```
|
```java
package com.eveningoutpost.dexdrip.wearintegration;
import android.os.AsyncTask;
import android.util.Log;
import com.eveningoutpost.dexdrip.Home;
import com.eveningoutpost.dexdrip.models.JoH;
import com.eveningoutpost.dexdrip.models.UserError;
import com.google.android.gms.common.api.GoogleApiClient;
import com.google.android.gms.wearable.DataApi;
import com.google.android.gms.wearable.DataMap;
import com.google.android.gms.wearable.Node;
import com.google.android.gms.wearable.NodeApi;
import com.google.android.gms.wearable.PutDataMapRequest;
import com.google.android.gms.wearable.PutDataRequest;
import com.google.android.gms.wearable.Wearable;
import java.util.concurrent.TimeUnit;
import java.util.concurrent.locks.ReentrantLock;
/**
* Created by Emma Black on 12/26/14.
*/
class SendToDataLayerThread extends AsyncTask<DataMap,Void,Void> {
private GoogleApiClient googleApiClient;
private static int concurrency = 0;
private static int state = 0;
private static final String TAG = "jamorham wear";
private static final ReentrantLock lock = new ReentrantLock();
private static long lastlock = 0;
private static final boolean testlockup = false; // always false in production
String path;
SendToDataLayerThread(String path, GoogleApiClient pGoogleApiClient) {
this.path = path;
googleApiClient = pGoogleApiClient;
}
@Override
protected void onPreExecute()
{
concurrency++;
if ((concurrency > 12) || ((concurrency > 3 && (lastlock != 0) && (JoH.tsl() - lastlock) > 300000))) {//KS increase from 8 to 12
// error if 9 concurrent threads or lock held for >5 minutes with concurrency of 4
final String err = "Wear Integration deadlock detected!! "+((lastlock !=0) ? "locked" : "")+" state:"+state+" @"+ JoH.hourMinuteString();
Home.toaststaticnext(err);
UserError.Log.e(TAG,err);
}
if (concurrency<0) Home.toaststaticnext("Wear Integration impossible concurrency!!");
UserError.Log.d(TAG, "SendDataToLayerThread pre-execute concurrency: " + concurrency);
}
@Override
protected Void doInBackground(DataMap... params) {
if (testlockup) {
try {
UserError.Log.e(TAG,"WARNING RUNNING TEST LOCK UP CODE - NEVER FOR PRODUCTION");
Thread.sleep(1000000); // DEEEBBUUGGGG
} catch (Exception e) {
}
}
sendToWear(params);
concurrency--;
UserError.Log.d(TAG, "SendDataToLayerThread post-execute concurrency: " + concurrency);
return null;
}
// Debug function to expose where it might be locking up
private synchronized void sendToWear(final DataMap... params) {
if (!lock.tryLock()) {
Log.d(TAG, "Concurrent access - waiting for thread unlock");
lock.lock(); // enforce single threading
Log.d(TAG, "Thread unlocked - proceeding");
}
lastlock=JoH.tsl();
try {
if (state != 0) {
UserError.Log.e(TAG, "WEAR STATE ERROR: state=" + state);
}
state = 1;
final NodeApi.GetConnectedNodesResult nodes = Wearable.NodeApi.getConnectedNodes(googleApiClient).await(15, TimeUnit.SECONDS);
state = 2;
for (Node node : nodes.getNodes()) {
state = 3;
for (DataMap dataMap : params) {
state = 4;
PutDataMapRequest putDMR = PutDataMapRequest.create(path);
state = 5;
putDMR.getDataMap().putAll(dataMap);
putDMR.setUrgent();
state = 6;
PutDataRequest request = putDMR.asPutDataRequest();
state = 7;
DataApi.DataItemResult result = Wearable.DataApi.putDataItem(googleApiClient, request).await(15, TimeUnit.SECONDS);
state = 8;
if (result.getStatus().isSuccess()) {
UserError.Log.d(TAG, "DataMap: " + dataMap + " sent to: " + node.getDisplayName());
} else {
UserError.Log.e(TAG, "ERROR: failed to send DataMap");
result = Wearable.DataApi.putDataItem(googleApiClient, request).await(30, TimeUnit.SECONDS);
if (result.getStatus().isSuccess()) {
UserError.Log.d(TAG, "DataMap retry: " + dataMap + " sent to: " + node.getDisplayName());
} else {
UserError.Log.e(TAG, "ERROR on retry: failed to send DataMap: " + result.getStatus().toString());
}
}
state = 9;
}
}
state = 0;
} catch (Exception e) {
UserError.Log.e(TAG, "Got exception in sendToWear: " + e.toString());
} finally {
lastlock=0;
lock.unlock();
}
}
}
```
|
Richie Power (born 8 April 1957 in Carrickshock, County Kilkenny, Ireland) is an Irish former hurler who played for his local club Carrickshock and at senior level for the Kilkenny county team from 1982 until 1991.
Playing career
Club
Power played his club hurling with his local Carrickshock club; however, he never won a senior county title.
Inter-county
Power first came to prominence on the inter-county scene as a member of the Kilkenny minor hurling team. He won a Leinster title in this grade in 1975 before later winning an All-Ireland medal following a victory over Cork. Power later joined the county under-21 team and won both Leinster and All-Ireland honours in 1977.
Power later joined the Kilkenny senior team and won a National Hurling League medal in 1982. He later won his first Leinster title before making a first All-Ireland final appearance. Cork was the opponent that day; however, the Leesiders provided little opposition and Power won his first senior All-Ireland medal. His performance throughout the championship later earned Power an All-Star award. In 1983 he won a second consecutive National League medal before later collecting a second provincial title. Cork were Kilkenny's opponents again in the championship decider and, once again, the Leesiders fell to 'the Cats' giving Power a second All-Ireland medal. Kilkenny lost their provincial crown for the next few years; however, the team returned in 1986 with Power winning a third National League medal. He later picked up a third Leinster medal; however, his side were later defeated by Galway in the All-Ireland semi-final. In spite of this loss he still collected a second All-Star award. In 1987 Power added a fourth Leinster medal to his collection. Kilkenny later reached the All-Ireland final; however, the side were defeated by Galway once again. Three years later in 1990 Power won a fourth National League medal and in 1991 he collected a fifth and final Leinster title. He later played Tipp in a final All-Ireland final appearance; however, he ended up on the losing side on that occasion. Power retired from inter-county hurling following this defeat.
References
1957 births
Living people
All-Ireland Senior Hurling Championship winners
All Stars Awards winners (hurling)
Carrickshock hurlers
Kilkenny inter-county hurlers
|
Atlético Rio Negro Clube, commonly known as Rio Negro, is a Brazilian football club based in Boa Vista, Roraima, Roraima state. They competed in the Copa do Brasil once.
History
The club was founded on April 26, 1971. Rio Negro won the Campeonato Roraimense in 1991 and in 2000. They competed in the Copa do Brasil in 2001, when they were eliminated in the First Round by São Raimundo-AM.
Achievements
Campeonato Roraimense:
Winners (2): 1991, 2000
Stadium
Atlético Rio Negro Clube play their home games at Estádio Flamarion Vasconcelos, nicknamed Canarinho. The stadium has a maximum capacity of 6,000 people.
References
Football clubs in Roraima
Association football clubs established in 1971
1971 establishments in Brazil
|
```java
/**
*
*
* 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.thingsboard.server.service.security.permission;
public enum Operation {
ALL, CREATE, READ, WRITE, DELETE, ASSIGN_TO_CUSTOMER, UNASSIGN_FROM_CUSTOMER, RPC_CALL,
READ_CREDENTIALS, WRITE_CREDENTIALS, READ_ATTRIBUTES, WRITE_ATTRIBUTES, READ_TELEMETRY, WRITE_TELEMETRY, CLAIM_DEVICES,
ASSIGN_TO_TENANT
}
```
|
Enoggera State School is a heritage-listed government primary school at 235 South Pine Road, Enoggera, City of Brisbane, Queensland, Australia. It was designed by Alfred Barton Brady and its heritage buildings were built from 1916 to 1950. It was added to the Queensland Heritage Register on 1 February 2019.
History
Enoggera State School was established on this site between Laurel Street and South Pine Road in 1871. It has a number of timber school buildings dating from 1916, including:
suburban timber school buildings, Blocks A and B (built 1916) and Block D (built 1931)
sectional school buildings; Block C (built 1939) and Block E (planned 1940, built 1950).
The school has a strong and ongoing association with the Enoggera community.
The provision of state-administered education was important to the colonial governments of Australia. National schools, established in 1848 in New South Wales, were continued in Queensland following the colony's creation in 1859. Following the introduction of the Education Act 1860, which established the Board of General Education and began standardising curriculum, training and facilities, Queensland's national and public schools grew from four in 1860 to 230 by 1875. The State Education Act 1875 provided for free, compulsory and secular primary education and established the Department of Public Instruction. This further standardised the provision of education, and despite difficulties, achieved the remarkable feat of bringing basic literacy to most Queensland children by 1900.
The establishment of schools was considered an essential step in the development of communities and integral to their success. Locals often donated land and labour for a school's construction and the school community contributed to maintenance and development. Schools became a community focus, a symbol of progress, and a source of pride, with enduring connections formed with past pupils, parents, and teachers. The inclusion of war memorials and community halls reinforced these connections and provided a venue for a wide range of community events in schools across Queensland.
To help ensure consistency and economy, the Queensland Government developed standard plans for its school buildings. From the 1860s until the 1960s, Queensland school buildings were predominantly timber-framed, an easy and cost-effective approach that also enabled the government to provide facilities in remote areas. Standard designs were continually refined in response to changing needs and educational philosophy and Queensland school buildings were particularly innovative in climate control, lighting, and ventilation. Standardisation produced distinctly similar schools across Queensland with complexes of typical components.
A meeting to establish a school in the Enoggera District was held in the Enoggera Hotel on 5 September 1870, and a school committee was formed. While in the early years of school establishment following the Education Act of 1860, local committees were required to raise one third of the cost of the school, but this requirement was relaxed in 1864. The Enoggera School Committee raised £60 by April 1871, although a further £10 was required for construction to commence. The committee resolved to raise this money immediately. The Education Office called for tenders in May 1871 for a school house and teacher's residence; the final cost amounting to £287.
The school was on the traditional lands of the Turrbul people and origins of the name "Enoggera" have been variously reported as a corruption of Euogra meaning, "song and dance" (place of corroboree), "place of waters" or "place of breezes". Early European settlers of the 1860s planted orchards and vineyards. A transport route evolved following the discovery of gold in Gympie in 1867, when prospectors and their bullock teams travelled through Enoggera and on to what is now Old Northern Road (previously Great Northern Road) to Gympie. The opening of cattle sale yards at Newmarket in 1877 also added impetus to growth and development of the region.
The Enoggera State School was opened 24 August 1871, with a ceremony attended by more than 70 people. The school committee acknowledged the contribution of Timothy Corbett and James Mooney who contributed financially to the school buildings, as well as each donating an acre of land: Sub A, Portion 5 (Corbett) and Sub 1 Portion 6 (Mooney). Mooney died before his donation was registered and his land transfer did not occur until 1882. The school building was a timber structure, , with a verandah and the timber school residence to the west of the school. All structures were built within Sub A Portion 5, because the school did not have ownership of the adjoining parcel (Sub 1 Portion 6). The contractor was Edward Lewis of the Pimlico Shops; a timber workshop in Albert Street. Tenders were called for a playshed for the school in August 1877.
The school hosted a public meeting in January 1885, advocating the extension of the railway line through this important farming area, enabling farmers to get their crops to the Roma Street Markets. This line, originally intended to reach Samford, was built as far as Enoggera in February 1899. Meanwhile, an additional room was added to the timber school in late-1885. Arbor Day was held regularly at the school in the 1890s and early 20th century, although no mention was made of the species of trees, nor the location of the plantings in the press reports. Ongoing repairs, additions and alterations to the school buildings occurred during these years.
The Department of Public Instruction acquired another four suburban allotments to the east of the school reserve of approximately in January 1913. In December 1914, the under Secretary for Education, John Douglas Story, promised that Enoggera would soon be in possession of a new brick school building. The war intervened, and in September 1915, the Minister for Education announced that a modern timber school would be built instead. A brick school was estimated to cost £5000 and a timber one could be built for around £2852.
The new school building was a showcase of the revised design elements of Department of Public Works (DPW) designs. From 1893 DPW greatly improved the natural ventilation and lighting of classroom interiors, experimenting with different combinations of roof ventilators, ceiling and wall vents, larger windows, dormer windows and ducting. Achieving an ideal or even adequate level of natural light in classrooms, without glare, was of critical importance to educators and consequently it became central to the design and layout of all school buildings.
In high-set timber buildings were introduced, providing better ventilation as well as further teaching space and a covered play area underneath. This was a noticeable new direction and this form became a characteristic of Queensland schools. A technical innovation developed at this time was a continuous ventilation flap on the wall at floor level. This hinged board could be opened to increase air flow into the space and, combined with a ceiling vent and large roof fleche, improved internal air quality and decreased internal temperatures effectively. This type was introduced around 1909 and was constructed until approximately 1920.
From around 1909 windows were rearranged and enlarged to provide a greater amount of gentle, southern light into the room and desks were rearranged so that the light would fall onto students' left hand sides to avoid throwing shadows onto the pages; this presupposed that all students were right-handed. This often meant a complete transformation of the fenestration of existing buildings. Windows were larger and sills were lowered to let in more light generally. Smaller classrooms were preferred as they were easier to light correctly. Interiors became lighter and airier and met with immediate approval from educationalists.
The years of experimentation culminated in the 1914 introduction of the suburban school type (C/T8) that solved many of the problems of light, ventilation, and classroom size that plagued previous school designs, as well as providing the ideal, modern education environment.
The new Enoggera State School (type C/T8) was opened on 7 October 1916, by the Secretary for Public Instruction, Herbert Hardacre. Concurrently, a roll of honour was unveiled, honouring more than 50 committee men, teachers and scholars who volunteered to serve in World War I. Hardacre described the school as the same type as Cannon Hill State School which had opened the previous year. The Enoggera School faced south onto South Pine Road, whereas the Cannon Hill School faced north. The timber building on brick piers, had asbestos slates on the roof, and pressed metal coved ceilings. The two main classroom wings (Block A on an east–west axis and Block B to its west) were placed at right angles to each other, with smaller wings housing hat and cloakroom and teachers rooms, placed diagonally at each veranda end, creating a part courtyard effect. The plans for the school indicate that Block A was divided into three classrooms with "accordion partitions" and Block B into two classrooms. The north wall of Block A, which had no verandah, contained high windows at each end and a large bank of windows in the middle providing left-hand light to pupils in the middle classrooms. The large windows on the gable ends provided left hand light to the other classrooms, the classrooms were wide and each allowed for 40 pupils. Each block had a prominent central ventilation fleche linked by ducts to ceiling vents. The school at that time had an enrolment of 230 and the new buildings could accommodate 250. The site was planned so another wing could be added in the future. Other schools built to this typology include Silkstone State School, Townsville's Railway Estate State School, Berserker Street State School and Buranda Girls and Infants School. In 1917, the original 1871 school building was gifted to the community for use as a School of Arts.
The school committee inaugurated an annual fund raising event in 1923 to provide for the construction of tennis courts and tree planting. Tennis and basketball courts were built on the north western corner of the site. By July 1925, the school needed to expand further. The school committee approached the minister for Public Instruction, Thomas Wilson, MLA, seeking a new teacher's residence and the removal of the existing one from the centre of the playground. The School of Arts (1871 school) remained on the school grounds until late 1925 when it was relocated to its present position at 349 Wardell Street (); by that time jointly owned by the RSSILA and re-erected as a Memorial Hall. Tenders were called for the removal of the old school residence in November 1925. The school committee held its third annual fund raising event in a recently completed gymnasium on the site in February 1926. The tennis and basketball courts were reportedly recently upgraded. Additions were designed by the former Queensland Government Architect Lt Col Thomas Pye.
By 1925 the school which was designed for 320 students, had enrolments of 450 and classes had to be held on verandahs and in the hat enclosures. A new wing was required, but not immediately provided. Tenders were called in August 1930 for the new wing, and outbuildings; J Wight of Milton the successful tenderer at a price of £98/10/-. While the new structure matched the existing wing, fulfilling the site layout design developed in 1915, it did not include the pressed metal ceilings featured in the earlier buildings due to financial restraints. Andrew Irving's plans were approved by Queensland Government Architect Alfred Barton Brady on 9 December 1915. The building (Block D) opened in March 1931. The final cost was £1105, but two classes still had to be accommodated on verandahs. Accommodation pressures were eased with the opening of the Everton Park State School (then known as Bunyaville State School) in 1934.
Enoggera State School celebrated its diamond jubilee (one year late) in November 1932, attended by parents and past students. The school grounds were extended by to the east in April 1935. A fete was held in October 1936 to raise funds for continued improvements to the school grounds. The committee had already provided a tennis and basketball court, and a concrete cricket wicket. By mid-1937, the committee was advocating the construction of another wing for the school. The local MLA Mr G Taylor advised that finance had been approved for this addition in November 1937. It was not completed until 31 July 1939 at a cost of £1810. The new wing (Block C) provided two more classrooms, a teacher's room with hat room and was roofed in red fibre cement slates. It was built on concrete piers and was cemented underneath. This wing was built to the northwest of the 1916 buildings, linked to existing verandas and parallel to the western boundary of the school reserve.
Following the Japanese bombing of Pearl Harbour in December 1941 and the escalation of World War II into the Pacific region, the Queensland Government closed all coastal state schools in January 1942 fearing a Japanese invasion. Although most schools reopened on 2 March 1942, student attendance was optional until the war ended. Slit trenches, for protecting the students from Japanese air raids, were also dug at Queensland state schools, often by parents and staff. Only two teachers and four parents turned up to help did the trenches at Enoggera in January 1942.
The Department of Public Instruction was largely unprepared for the enormous demand for state education between the late 1940s and the 1960s. This was a nation-wide occurrence resulting from immigration and the unprecedented population growth now termed the "baby boom". Brisbane had grown from a population of 326,000 in 1939 to 425,000 in 1951, and new housing estates were developed around Enoggera and elsewhere. Queensland schools were overcrowded and, to cope, many new buildings were constructed and existing buildings were extended. In 1948 the Department of Education built four temporary classrooms and two army huts were sourced to provide four more classrooms to accommodate 240 extra students.
Approval for the expenditure of £3890 for Enoggera State School was given late in 1949. Enrolments by that time were 685 students. The original 1941 plan was fulfilled with the construction during 1950, of another building comprising two classrooms (Block E) on the north east corner of Block A. A new fence was built in 1950. A prefabricated Boulton and Paul classroom was added to the south east corner of the Block E in 1952. The three earliest buildings (Blocks A, B and D) which were roofed in asbestos slates, were reroofed in 1953 and the decorative roof fleches removed. During late 1954, the interiors and exteriors were painted. One acre of land opposite the school in South Pine Road was acquired for new tennis courts, funded by the efforts of the Enoggera State School Welfare Association. This project was completed in October 1954 and a demonstration match by local tennis stars was held at the opening event. School enrolments had reached 900 by 1954.
In August 1954, additional classroom building costing £7266 was planned for the Enoggera State School, replacing some of the temporary army huts. This building faced South Pine Road and was an extension to Block D comprising four classrooms and a library completed in 1955. In 1956, an addition of similar design was added to the Boulton and Paul structure on Block E, comprising five classrooms. Further additions in 1957 included a new classroom to the southern end of Block B and new toilets serviced by a new septic system: boys' toilets under a new classroom at the northern end of Block E and girls' toilets under the library at the eastern end of the Block D 1954 extension. Another new classroom was added to the northern end of Block C in 1958. The school had an enrolment approaching 1,000 by 1959. The Welfare Committee began fundraising to build a pool.
Changes to the education system occurred in 1963 with the abolition of the Scholarship Exam and the transfer of Year 8 to secondary school. The department transferred the 1956 northeastern wing (Block E extension) to the Everton Park State High School in 1965.The school site and the tennis courts site were re-gazetted in April 1966 as Reserve for School Purposes (R.758), comprising .
The pool was built on a site in the northwest corner of the school yard - the site of the early tennis courts. The pool was completed in 1968, but the filtration system took a further year. The pre-school was planned and approved in 1973. Land was acquired for a pre-school building along Laurel Street in December 1973 and March 1974, totalling . The pre-school opened in 1975. School enrolments were dropping back to the level of the 1920s. In 1978, the school properties on either side of South Pine Road were re-gazetted as R.758, Lots 1052 and 1053 on Sl8734. By 1985, enrolments were 250 students. When enrolments dropped to 120 in 1995, it meant the school was no longer entitled to a non-teaching principal. An area in front of Block D, ( deep and wide) was added to the road reserve in November 2000. A new multipurpose court was built to the east of Block D facing South Pine Road during the 2000s. In 2015, the school disposed of the tennis courts site on the southern side of South Pine Road (Lot 1053). Approval for the sale was given in June 2013 in order to fund the construction of a hall. The Enoggera State School Performing Arts Centre was built during 2016 on the site of the former pre-school; pre-school having been replaced by the Prep year in 2007. Year 7 moved to secondary school in 2015. By 2017 school enrolments were 300 students.
In 2019, the school continues to operate from its original site. It retains a complex of five suburban timber school buildings, with play areas, sporting facilities and courtyard spaces. The school is important to Enoggera, as a key social focus of the community, as generations of students have been taught there and many social events held in the school's grounds and buildings since its establishment.
Description
Enoggera State School occupies a flat site in the suburb of Enoggera, approximately northeast of Brisbane's CBD. Fronting South Pine Road to the south, the school is bounded on other sides by Laurel Street (north), residential properties (east) and a church (west). The school comprises a large complex of buildings, with most of the teaching buildings located at the southwest end of the site.
The earliest of the buildings (Blocks A, B and D) stand in a 'U'-shape, facing south and forming a courtyard fronting South Pine Road. The later of the significant buildings (Blocks C and E) stand symmetrically to the north of Block A, replicating building forms of the earlier buildings (Blocks B and D). Together, the complex of significant buildings is 'H'-shape in plan, with Block A located centrally, and each of the other buildings connected to its corners via verandahs: Block B to the southwest; Block to the northwest; Block D to the southeast; and Block E to the northeast.
Suburban timber school buildings
Blocks A, B, C, D and E are gable-roofed, timber-framed teaching buildings that are typical of the Suburban Timber School Building type. All of the buildings are rectangular in plan and are highset on tall piers - the pre-1931 buildings generally have face brick piers and the post-1931 buildings have concrete piers (some are now painted). No original ventilation fleches remain.
Teaching and administration spaces are located on the first floor, with sheltered play space to the understorey (the toilets, tuckshop and most store rooms are later enclosures). Two teachers rooms project diagonally from inner sides of the verandah intersections of the earliest buildings (Blocks A, B and D), and an additional teachers room projects east from the east verandah of Block C.
All interior spaces are accessed via verandahs and the remaining timber stairs are generally in their early locations. Block A has verandahs to the south, east and west sides. Blocks B, D, C and E all originally had verandahs on their east and west sides, although some have been modified:
Landscape features
The school's main entrance is centred on the significant buildings, with a concrete footpath leading from South Pine Road to the central stair of Block A. This footpath is intersected by a perpendicular footpath leading to Block B and Block D.
Views of the significant buildings from South Pine Road are important, particularly those from and across the front entrance footpath.
A turfed playing field is located at the northeast end of the site.
Heritage listing
Enoggera State School was listed on the Queensland Heritage Register on 1 February 2019 having satisfied the following criteria.
The place is important in demonstrating the evolution or pattern of Queensland's history.
Enoggera State School (established in 1871) is important in demonstrating the evolution of state education and its associated architecture in Queensland.
The suburban timber school buildings, Blocks A and B (1916), Block C (1939), Block D (1931) and Block E (planned 1940, built 1950), represent the culmination of years of experimentation with light, classroom size and ventilation by the Department of Public Works. These standard government designed school buildings were an architectural response to prevailing government educational philosophies. The school reflects the development of Enoggera, as it evolved from a 19th-century farming community to an early 20th century suburban community.
The large suburban landscaped site, including playing field and sporting facilities, demonstrates educational philosophies that promoted the importance of play and aesthetics in the education of children.
The place is important in demonstrating the principal characteristics of a particular class of cultural places.
Enoggera State School is important in demonstrating the principal characteristics of a suburban Queensland State School complex. These include: teaching buildings constructed to a standard design by the Department of Public Works that incorporate classrooms with high levels of natural light and ventilation, verandahs and covered play spaces; standing on landscaped grounds with sporting facilities, and assembly and play areas.
The Suburban Timber School Buildings (Blocks A, B, C, D and E) are good examples of their type and have a high degree of integrity. They demonstrate the principal characteristics, including: a symmetrical plan of rectangular, gable-roofed, timber-framed wings, highset with play space beneath, and connected via continuous verandahs; verandahs with arched timber brackets and hat enclosures; projecting teachers rooms; coved ceilings of pressed metal and V-jointed (VJ) timber; deliberate placement of windows to light classrooms from the student's left hand side; and passive ventilation features including ceiling vents, and continuous vents at floor level (to Block A and B).
The place has a strong or special association with a particular community or cultural group for social, cultural or spiritual reasons.
Enoggera State School has a strong and ongoing association with past and present pupils, parents, staff members, and the surrounding community through sustained use since its establishment in 1871. The place is important for its contribution to the educational development of Enoggera, with generations of children taught at the school, and has served as a prominent venue for social interaction and community focus. Contributions to its operations have been made through repeated local volunteer action, donations, and the Parents and Citizens Association.
References
Attribution
Queensland Heritage Register
Enoggera, Queensland
Public schools in Queensland
Articles incorporating text from the Queensland Heritage Register
|
Stanisław Górny is a village in the administrative district of Gmina Wadowice, within Wadowice County, Lesser Poland Voivodeship, in southern Poland. It lies approximately east of Wadowice and south-west of the regional capital Kraków.
References
Villages in Wadowice County
|
Princess Maria of Romania (born 13 July 1964) is the fifth and youngest daughter of King Michael I and Queen Anne of Romania.
Since 2015 Maria has lived in Romania and carried out a public role on behalf of the Romanian royal family.
Early life
Maria was born on 13 July 1964 at Copenhagen University Hospital Gentofte in Gentofte, Copenhagen, Denmark as the youngest of five daughters of King Michael I and Queen Anne. Maria was born while her father was in the United States on business for the New York Stock Exchange. Michael was informed by telephone that he'd become a father for the fifth time.
Maria was baptised by the Orthodox Church, with her eldest sister, Princess Margareta, as godmother. Queen Marie, her paternal great-grandmother, was her namesake.
As a young girl, Maria and her sisters were told "fascinating tales of a homeland they couldn't visit" by their father.
Maria was educated at public school Rydal Penrhos (then Penrhos College) and in Switzerland where the family lived during exile, and spent most her early adult life living and working in the United States, including New York and New Mexico.
Careers
Maria's teenage years were spent in Switzerland with her family, where she received her primary and secondary education. She later moved to the United States to pursue her studies in childcare. After completing her studies, Maria worked briefly in the childcare field.
After Maria's brief career in childcare, she pursued a career in New York, doing public relations for private companies. During the Romanian Revolution of 1989, she, along with the rest of the royal family, worked to help the victims of those affected. In New York, she helped console the many U.S relatives of those killed in the uprising. When the situation in Romania eventually calmed down she left her public relations career and moved to New Mexico where she worked in private consulting until she moved to Romania in 2015.
Activities in Romania
Maria visited Romania with her parents and other members of the family in 1997, and from this point onwards began visiting the country regularly for Christmas or family events such as her parents' 60th Wedding Anniversary and King Michael's 90th Birthday celebrations.
On 7 May 2014, Maria was invested with the Grand Cross of the Order of the Crown in a ceremony conducted by Crown Princess Margareta at the Elisabeta Palace to mark Maria's upcoming 50th birthday. This was followed by a dinner at the Palace attended by the Prime Minister of Romania (Victor Ponta) and other guests.
On 21 April 2015 it was announced by the Romanian cosmetic company Farmec that Maria is an official ambassador of the company, where she will participate in projects to promote products created in the research lab of the company, as well as social responsibility activities undertaken by Farmec.
In January 2015 it was announced that Maria would move to Romania permanently to take on activities in support of the royal family, and she was present in the public commemorations in Bucharest of 25 years since the royal family's return later the same month.
Maria has represented the royal family at events across the country, acted in support of Margareta, Custodian of the Crown and taken on a number of patronages including Concordia Humanitarian Organisation.
During her father's illnesses, Maria and her elder sisters took turns to be with him at his home in Switzerland and it was during her stay that King Michael passed away.
Marriage and divorce
On 16 September 1995, Maria married Kazimierz Wiesław Mystkowski (b. 13 September 1958 in Łaś-Toczyłowo), a Polish nobleman from the Mystkowski family and a computer engineer. Raised in a Catholic family, he is the son of Eugeniusz Mystkowski and his wife, Janina Wadelowska. The wedding celebration was held at the Greek Orthodox Holy Trinity Cathedral in New York, and was attended by the Romanian royal family, the parents of Kazimierz, the newly married Crown Prince and Crown Princess of Greece. King Michael I served as koumbaros to the couple. In December 2003, the couple subsequently divorced without producing any children.
Patronages
Congress of the Romanian Society of Rhinology.
Concordia Humanitarian Organization.
National Recycling Patrol Program, developed by the Romanian Recycling Association RoRec.
The International Chinological Exhibition in Alba Iulia.
Annual Equestrian Event organized by the Equestria Club.
The Caolin Contemporary International Ceramic Festival.
The Badminton Romanian Federation.
The 42nd Conventus Latin ENT.
The National Agency for Equal Opportunities for Women and Men.
The Children in Distress Foundation.
National honours
Dynastic
House of Romania:
Knight Grand Cross of the Royal Order of the Crown
Knight of the Royal Decoration of the Custodian of the Romanian Crown, 1st Class
Ecclesiastical
Order of Our Lady of Prayer (Romanian Orthodox Church)
References
External links
Official website of the Romanian royal family
Official blog of the Romanian royal family
1964 births
Living people
House of Romania
Romanian princesses
Romanian anti-communists
Romanian philanthropists
Romanian patrons of the arts
Romanian art patrons
Grand Crosses of the Order of the Crown (Romania)
Members of the Romanian Orthodox Church
20th-century Romanian people
21st-century Romanian people
Nobility from Copenhagen
Daughters of kings
|
The 1966 Belgian Grand Prix was a Formula One motor race held at Spa-Francorchamps on 12 June 1966. It was race 2 of 9 in both the 1966 World Championship of Drivers and the 1966 International Cup for Formula One Manufacturers. The race was the 26th Belgian Grand Prix and was held over 28 laps of the 14.1-kilometre circuit for a race distance of 395 kilometres.
The race was won by British driver and 1964 world champion, John Surtees, driving a Ferrari 312 in a race that saw the field decimated by weather in the early laps. It was Surtees' fourth Grand Prix victory and his first since the 1964 Italian Grand Prix. Surtees won by 42 seconds over Austrian driver Jochen Rindt driving a Cooper T81, Rindt achieving his first podium finish and the first for the new Cooper-Maserati combination as the works Cooper Car Company team looked to the three-litre Maserati V12 sports car engine for the new regulations. Surtees' Italian team mate Lorenzo Bandini finished third in his Ferrari 246.
With a pair of podiums, Bandini took the lead in the championship by a point over the two race winners, Surtees and Jackie Stewart.
Race summary
The race distance was shortened from the previous year, from 32 to 28 laps. More than half the field crashed out on the first lap due to a heavy rainstorm and only seven runners remained by the start of the second lap. Four drivers went off and crashed at the sweeping Burnenville corner, where the heavy wall of rain was. Jo Bonnier crashed with his Cooper T81 coming to rest balancing on a parapet, the front half car in the air. Jackie Stewart's BRM P261 crashed into a telephone pole and then landed in a ditch at Masta Kink, leading to him being stuck upside down in his BRM, halfway up to his waist in fuel, for 25 minutes. Graham Hill and Bob Bondurant, both of whom had gone off near Stewart, managed to rescue him with a spectator's toolkit. Jack Brabham slid his Brabham BT19 coming out of the Masta Kink at 135 mph, but regained control of the car and rejoined the race. There was so much water on the track that it got into and flooded the Climax engine in Jim Clark's Lotus 33, putting him out on the first lap too. The entire first lap was run under green flags.
The race was filmed for the motion picture Grand Prix. The eight-minute segment of the 1966 film uses a combination of live footage and mocked-up racing scenes. The live footage shows Surtees, Bonnier, Bandini, Ligier, Clark and Gurney in action. Surtees doubles in the scene for the fictional Jean-Pierre Sarti while Bandini doubles for the fictional Nino Barlini. The film is careful not to pick up Jackie Stewart in action as he doubles for the fictional character Scott Stoddard, who at this point in the film is recovering from a near fatal crash earlier in the season, although this was fairly easy since Stewart crashed on the first lap. James Garner's white "Yamura", a repainted McLaren, did not appear in the actual race and scenes showing it are part of the staged race filming.
Because of McLaren's withdrawal, Bob Bondurant's car had to be painted white overnight in order to have actual footage featuring the "Yamura" car. In addition, Phil Hill was allowed to do one lap of the track with his car having a camera mounted on its nose. He managed to avoid the entire first-lap carnage and was able to get pictures of the scene.
After his accident in this race, Jackie Stewart began his efforts for safer racing which continued for decades; particularly after his influence as a Formula One racing driver grew through the next seven seasons he competed in the sport.
Classification
Qualifying
Bondurant drove car #8 in practice alongside Wilson, but he would drive car #24 in the race.
Race
Championship standings after the race
Drivers' Championship standings
Constructors' Championship standings
Notes: Only the top five positions are included for both sets of standings.
References
External links
Belgian Grand Prix
Belgian Grand Prix
Grand Prix
June 1966 sports events in Europe
|
```css
table.dataTable tbody > tr.selected,
table.dataTable tbody > tr > .selected {
background-color: #08C;
}
table.dataTable.stripe tbody > tr.odd.selected,
table.dataTable.stripe tbody > tr.odd > .selected, table.dataTable.display tbody > tr.odd.selected,
table.dataTable.display tbody > tr.odd > .selected {
background-color: #0085c7;
}
table.dataTable.hover tbody > tr.selected:hover,
table.dataTable.hover tbody > tr > .selected:hover, table.dataTable.display tbody > tr.selected:hover,
table.dataTable.display tbody > tr > .selected:hover {
background-color: #0083c5;
}
table.dataTable.order-column tbody > tr.selected > .sorting_1,
table.dataTable.order-column tbody > tr.selected > .sorting_2,
table.dataTable.order-column tbody > tr.selected > .sorting_3,
table.dataTable.order-column tbody > tr > .selected, table.dataTable.display tbody > tr.selected > .sorting_1,
table.dataTable.display tbody > tr.selected > .sorting_2,
table.dataTable.display tbody > tr.selected > .sorting_3,
table.dataTable.display tbody > tr > .selected {
background-color: #0085c8;
}
table.dataTable.display tbody > tr.odd.selected > .sorting_1, table.dataTable.order-column.stripe tbody > tr.odd.selected > .sorting_1 {
background-color: #0081c1;
}
table.dataTable.display tbody > tr.odd.selected > .sorting_2, table.dataTable.order-column.stripe tbody > tr.odd.selected > .sorting_2 {
background-color: #0082c2;
}
table.dataTable.display tbody > tr.odd.selected > .sorting_3, table.dataTable.order-column.stripe tbody > tr.odd.selected > .sorting_3 {
background-color: #0083c4;
}
table.dataTable.display tbody > tr.even.selected > .sorting_1, table.dataTable.order-column.stripe tbody > tr.even.selected > .sorting_1 {
background-color: #0085c8;
}
table.dataTable.display tbody > tr.even.selected > .sorting_2, table.dataTable.order-column.stripe tbody > tr.even.selected > .sorting_2 {
background-color: #0086ca;
}
table.dataTable.display tbody > tr.even.selected > .sorting_3, table.dataTable.order-column.stripe tbody > tr.even.selected > .sorting_3 {
background-color: #0087cb;
}
table.dataTable.display tbody > tr.odd > .selected, table.dataTable.order-column.stripe tbody > tr.odd > .selected {
background-color: #0081c1;
}
table.dataTable.display tbody > tr.even > .selected, table.dataTable.order-column.stripe tbody > tr.even > .selected {
background-color: #0085c8;
}
table.dataTable.display tbody > tr.selected:hover > .sorting_1, table.dataTable.order-column.hover tbody > tr.selected:hover > .sorting_1 {
background-color: #007dbb;
}
table.dataTable.display tbody > tr.selected:hover > .sorting_2, table.dataTable.order-column.hover tbody > tr.selected:hover > .sorting_2 {
background-color: #007ebd;
}
table.dataTable.display tbody > tr.selected:hover > .sorting_3, table.dataTable.order-column.hover tbody > tr.selected:hover > .sorting_3 {
background-color: #007fbf;
}
table.dataTable.display tbody > tr:hover > .selected,
table.dataTable.display tbody > tr > .selected:hover, table.dataTable.order-column.hover tbody > tr:hover > .selected,
table.dataTable.order-column.hover tbody > tr > .selected:hover {
background-color: #007dbb;
}
table.dataTable tbody td.select-checkbox,
table.dataTable tbody th.select-checkbox {
position: relative;
}
table.dataTable tbody td.select-checkbox:before, table.dataTable tbody td.select-checkbox:after,
table.dataTable tbody th.select-checkbox:before,
table.dataTable tbody th.select-checkbox:after {
display: block;
position: absolute;
top: 1.2em;
left: 50%;
width: 12px;
height: 12px;
box-sizing: border-box;
}
table.dataTable tbody td.select-checkbox:before,
table.dataTable tbody th.select-checkbox:before {
content: ' ';
margin-top: -6px;
margin-left: -6px;
border: 1px solid black;
border-radius: 3px;
}
table.dataTable tr.selected td.select-checkbox:after,
table.dataTable tr.selected th.select-checkbox:after {
content: '\2714';
margin-top: -11px;
margin-left: -4px;
text-align: center;
text-shadow: 1px 1px #B0BED9, -1px -1px #B0BED9, 1px -1px #B0BED9, -1px 1px #B0BED9;
}
div.dataTables_wrapper span.select-info,
div.dataTables_wrapper span.select-item {
margin-left: 0.5em;
}
@media screen and (max-width: 640px) {
div.dataTables_wrapper span.select-info,
div.dataTables_wrapper span.select-item {
margin-left: 0;
display: block;
}
}
table.dataTable tbody tr.selected,
table.dataTable tbody th.selected,
table.dataTable tbody td.selected {
color: white;
}
table.dataTable tbody tr.selected a,
table.dataTable tbody th.selected a,
table.dataTable tbody td.selected a {
color: #a2d4ed;
}
```
|
```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';
/**
* Returns the path style.
*
* @private
* @returns {string} style
*/
function get() {
/* eslint-disable no-invalid-this */
return this._style;
}
// EXPORTS //
module.exports = get;
```
|
Decision conferencing is a common approach in decision analysis. It is a socio-technical process to engage key players in solving an issue of concern by (1) developing a shared understanding of the issue, (2) creating a sense of common purpose, and (3) generating a commitment to the way forward. It consists in a series of working meetings, called 'decision conferences'. During a decision conference an impartial facilitator helps participants in developing a formal model of the problem on-the-go.
History
The idea of decision conferencing is attributed to Cameron Peterson and his colleagues at the Decision & Design Inc. in the late 1970s, which was then developed by the Decision Analysis Unit of the London School of Economics and Political Science led by Lawrence D. Phillips.
Methodology
Socio-technical approaches derive from the seminal work of Eric Trist and Fred Emery, who studied the interaction between people and technology in the work environment.
The technical element of decision conferencing typically consists in the development of a multiple criteria decision analysis model to represent the multiplicity of conflicting objectives involved in a decision.
The social aspect of decision conferencing draws from the literature on group decision processes. Some of this research shows that groups rarely outperform their most knowledgeable members, unless the interaction is mediated by impartial facilitation, decision modelling and information technology.
Some authors argue that the key process taking place in decision conferencing is the behavioral aggregation of expert judgments.
Other authors embed decision conferencing in the larger family of 'facilitated decision modelling' approaches originated in operations research.
Notable applications
Some notable applications of decision conferencing are:
recommending options for radioactive waste disposal in the UK by the Committee of Radioactive Waste Management (CoRWM)
priority setting in healthcare planning
setting a strategic vision for Pernambuco, Brasil
prioritizing public investments in social infrastructures
See also
Facilitation (business)
Problem structuring methods
References
Decision analysis
|
```go
// +build !windows
package daemon // import "github.com/docker/docker/daemon"
import (
"testing"
"github.com/docker/docker/api/types"
"github.com/docker/docker/dockerversion"
"gotest.tools/assert"
is "gotest.tools/assert/cmp"
)
func TestParseInitVersion(t *testing.T) {
tests := []struct {
version string
result types.Commit
invalid bool
}{
{
version: "tini version 0.13.0 - git.949e6fa",
result: types.Commit{ID: "949e6fa", Expected: dockerversion.InitCommitID[0:7]},
}, {
version: "tini version 0.13.0\n",
result: types.Commit{ID: "v0.13.0", Expected: dockerversion.InitCommitID},
}, {
version: "tini version 0.13.2",
result: types.Commit{ID: "v0.13.2", Expected: dockerversion.InitCommitID},
}, {
version: "tini version0.13.2",
result: types.Commit{ID: "N/A", Expected: dockerversion.InitCommitID},
invalid: true,
}, {
version: "",
result: types.Commit{ID: "N/A", Expected: dockerversion.InitCommitID},
invalid: true,
}, {
version: "hello world",
result: types.Commit{ID: "N/A", Expected: dockerversion.InitCommitID},
invalid: true,
},
}
for _, test := range tests {
ver, err := parseInitVersion(string(test.version))
if test.invalid {
assert.Check(t, is.ErrorContains(err, ""))
} else {
assert.Check(t, err)
}
assert.Check(t, is.DeepEqual(test.result, ver))
}
}
```
|
```php
<?php
/**
*/
namespace OCA\DAV\DAV;
use Exception;
use OCA\DAV\CalDAV\Calendar;
use OCA\DAV\CalDAV\DefaultCalendarValidator;
use OCA\DAV\Connector\Sabre\Directory;
use OCA\DAV\Connector\Sabre\FilesPlugin;
use OCP\DB\QueryBuilder\IQueryBuilder;
use OCP\IDBConnection;
use OCP\IUser;
use Sabre\DAV\Exception as DavException;
use Sabre\DAV\PropertyStorage\Backend\BackendInterface;
use Sabre\DAV\PropFind;
use Sabre\DAV\PropPatch;
use Sabre\DAV\Server;
use Sabre\DAV\Tree;
use Sabre\DAV\Xml\Property\Complex;
use Sabre\DAV\Xml\Property\Href;
use Sabre\DAV\Xml\Property\LocalHref;
use Sabre\Xml\ParseException;
use Sabre\Xml\Service as XmlService;
use function array_intersect;
class CustomPropertiesBackend implements BackendInterface {
/** @var string */
private const TABLE_NAME = 'properties';
/**
* Value is stored as string.
*/
public const PROPERTY_TYPE_STRING = 1;
/**
* Value is stored as XML fragment.
*/
public const PROPERTY_TYPE_XML = 2;
/**
* Value is stored as a property object.
*/
public const PROPERTY_TYPE_OBJECT = 3;
/**
* Value is stored as a {DAV:}href string.
*/
public const PROPERTY_TYPE_HREF = 4;
/**
* Ignored properties
*
* @var string[]
*/
private const IGNORED_PROPERTIES = [
'{DAV:}getcontentlength',
'{DAV:}getcontenttype',
'{DAV:}getetag',
'{DAV:}quota-used-bytes',
'{DAV:}quota-available-bytes',
'{path_to_url}permissions',
'{path_to_url}downloadURL',
'{path_to_url}dDC',
'{path_to_url}size',
'{path_to_url}is-encrypted',
// Currently, returning null from any propfind handler would still trigger the backend,
// so we add all known Nextcloud custom properties in here to avoid that
// text app
'{path_to_url}rich-workspace',
'{path_to_url}rich-workspace-file',
// groupfolders
'{path_to_url}acl-enabled',
'{path_to_url}acl-can-manage',
'{path_to_url}acl-list',
'{path_to_url}inherited-acl-list',
'{path_to_url}group-folder-id',
// files_lock
'{path_to_url}lock',
'{path_to_url}lock-owner-type',
'{path_to_url}lock-owner',
'{path_to_url}lock-owner-displayname',
'{path_to_url}lock-owner-editor',
'{path_to_url}lock-time',
'{path_to_url}lock-timeout',
'{path_to_url}lock-token',
];
/**
* Properties set by one user, readable by all others
*
* @var string[]
*/
private const PUBLISHED_READ_ONLY_PROPERTIES = [
'{urn:ietf:params:xml:ns:caldav}calendar-availability',
'{urn:ietf:params:xml:ns:caldav}schedule-default-calendar-URL',
];
/**
* Map of custom XML elements to parse when trying to deserialize an instance of
* \Sabre\DAV\Xml\Property\Complex to find a more specialized PROPERTY_TYPE_*
*/
private const COMPLEX_XML_ELEMENT_MAP = [
'{urn:ietf:params:xml:ns:caldav}schedule-default-calendar-URL' => Href::class,
];
/**
* @var Tree
*/
private $tree;
/**
* @var IDBConnection
*/
private $connection;
/**
* @var IUser
*/
private $user;
/**
* Properties cache
*
* @var array
*/
private $userCache = [];
private Server $server;
private XmlService $xmlService;
private DefaultCalendarValidator $defaultCalendarValidator;
/**
* @param Tree $tree node tree
* @param IDBConnection $connection database connection
* @param IUser $user owner of the tree and properties
*/
public function __construct(
Server $server,
Tree $tree,
IDBConnection $connection,
IUser $user,
DefaultCalendarValidator $defaultCalendarValidator,
) {
$this->server = $server;
$this->tree = $tree;
$this->connection = $connection;
$this->user = $user;
$this->xmlService = new XmlService();
$this->xmlService->elementMap = array_merge(
$this->xmlService->elementMap,
self::COMPLEX_XML_ELEMENT_MAP,
);
$this->defaultCalendarValidator = $defaultCalendarValidator;
}
/**
* Fetches properties for a path.
*
* @param string $path
* @param PropFind $propFind
* @return void
*/
public function propFind($path, PropFind $propFind) {
$requestedProps = $propFind->get404Properties();
// these might appear
$requestedProps = array_diff(
$requestedProps,
self::IGNORED_PROPERTIES,
);
$requestedProps = array_filter(
$requestedProps,
fn ($prop) => !str_starts_with($prop, FilesPlugin::FILE_METADATA_PREFIX),
);
// substr of calendars/ => path is inside the CalDAV component
// two '/' => this a calendar (no calendar-home nor calendar object)
if (str_starts_with($path, 'calendars/') && substr_count($path, '/') === 2) {
$allRequestedProps = $propFind->getRequestedProperties();
$customPropertiesForShares = [
'{DAV:}displayname',
'{urn:ietf:params:xml:ns:caldav}calendar-description',
'{urn:ietf:params:xml:ns:caldav}calendar-timezone',
'{path_to_url}calendar-order',
'{path_to_url}calendar-color',
'{urn:ietf:params:xml:ns:caldav}schedule-calendar-transp',
];
foreach ($customPropertiesForShares as $customPropertyForShares) {
if (in_array($customPropertyForShares, $allRequestedProps)) {
$requestedProps[] = $customPropertyForShares;
}
}
}
// substr of addressbooks/ => path is inside the CardDAV component
// three '/' => this a addressbook (no addressbook-home nor contact object)
if (str_starts_with($path, 'addressbooks/') && substr_count($path, '/') === 3) {
$allRequestedProps = $propFind->getRequestedProperties();
$customPropertiesForShares = [
'{DAV:}displayname',
];
foreach ($customPropertiesForShares as $customPropertyForShares) {
if (in_array($customPropertyForShares, $allRequestedProps, true)) {
$requestedProps[] = $customPropertyForShares;
}
}
}
// substr of principals/users/ => path is a user principal
// two '/' => this a principal collection (and not some child object)
if (str_starts_with($path, 'principals/users/') && substr_count($path, '/') === 2) {
$allRequestedProps = $propFind->getRequestedProperties();
$customProperties = [
'{urn:ietf:params:xml:ns:caldav}schedule-default-calendar-URL',
];
foreach ($customProperties as $customProperty) {
if (in_array($customProperty, $allRequestedProps, true)) {
$requestedProps[] = $customProperty;
}
}
}
if (empty($requestedProps)) {
return;
}
$node = $this->tree->getNodeForPath($path);
if ($node instanceof Directory && $propFind->getDepth() !== 0) {
$this->cacheDirectory($path, $node);
}
// First fetch the published properties (set by another user), then get the ones set by
// the current user. If both are set then the latter as priority.
foreach ($this->getPublishedProperties($path, $requestedProps) as $propName => $propValue) {
try {
$this->validateProperty($path, $propName, $propValue);
} catch (DavException $e) {
continue;
}
$propFind->set($propName, $propValue);
}
foreach ($this->getUserProperties($path, $requestedProps) as $propName => $propValue) {
try {
$this->validateProperty($path, $propName, $propValue);
} catch (DavException $e) {
continue;
}
$propFind->set($propName, $propValue);
}
}
/**
* Updates properties for a path
*
* @param string $path
* @param PropPatch $propPatch
*
* @return void
*/
public function propPatch($path, PropPatch $propPatch) {
$propPatch->handleRemaining(function ($changedProps) use ($path) {
return $this->updateProperties($path, $changedProps);
});
}
/**
* This method is called after a node is deleted.
*
* @param string $path path of node for which to delete properties
*/
public function delete($path) {
$statement = $this->connection->prepare(
'DELETE FROM `*PREFIX*properties` WHERE `userid` = ? AND `propertypath` = ?'
);
$statement->execute([$this->user->getUID(), $this->formatPath($path)]);
$statement->closeCursor();
unset($this->userCache[$path]);
}
/**
* This method is called after a successful MOVE
*
* @param string $source
* @param string $destination
*
* @return void
*/
public function move($source, $destination) {
$statement = $this->connection->prepare(
'UPDATE `*PREFIX*properties` SET `propertypath` = ?' .
' WHERE `userid` = ? AND `propertypath` = ?'
);
$statement->execute([$this->formatPath($destination), $this->user->getUID(), $this->formatPath($source)]);
$statement->closeCursor();
}
/**
* Validate the value of a property. Will throw if a value is invalid.
*
* @throws DavException The value of the property is invalid
*/
private function validateProperty(string $path, string $propName, mixed $propValue): void {
switch ($propName) {
case '{urn:ietf:params:xml:ns:caldav}schedule-default-calendar-URL':
/** @var Href $propValue */
$href = $propValue->getHref();
if ($href === null) {
throw new DavException('Href is empty');
}
// $path is the principal here as this prop is only set on principals
$node = $this->tree->getNodeForPath($href);
if (!($node instanceof Calendar) || $node->getOwner() !== $path) {
throw new DavException('No such calendar');
}
$this->defaultCalendarValidator->validateScheduleDefaultCalendar($node);
break;
}
}
/**
* @param string $path
* @param string[] $requestedProperties
*
* @return array
*/
private function getPublishedProperties(string $path, array $requestedProperties): array {
$allowedProps = array_intersect(self::PUBLISHED_READ_ONLY_PROPERTIES, $requestedProperties);
if (empty($allowedProps)) {
return [];
}
$qb = $this->connection->getQueryBuilder();
$qb->select('*')
->from(self::TABLE_NAME)
->where($qb->expr()->eq('propertypath', $qb->createNamedParameter($path)));
$result = $qb->executeQuery();
$props = [];
while ($row = $result->fetch()) {
$props[$row['propertyname']] = $this->decodeValueFromDatabase($row['propertyvalue'], $row['valuetype']);
}
$result->closeCursor();
return $props;
}
/**
* prefetch all user properties in a directory
*/
private function cacheDirectory(string $path, Directory $node): void {
$prefix = ltrim($path . '/', '/');
$query = $this->connection->getQueryBuilder();
$query->select('name', 'propertypath', 'propertyname', 'propertyvalue', 'valuetype')
->from('filecache', 'f')
->leftJoin('f', 'properties', 'p', $query->expr()->andX(
$query->expr()->eq('propertypath', $query->func()->concat(
$query->createNamedParameter($prefix),
'name'
)),
$query->expr()->eq('userid', $query->createNamedParameter($this->user->getUID()))
))
->where($query->expr()->eq('parent', $query->createNamedParameter($node->getInternalFileId(), IQueryBuilder::PARAM_INT)));
$result = $query->executeQuery();
$propsByPath = [];
while ($row = $result->fetch()) {
$childPath = $prefix . $row['name'];
if (!isset($propsByPath[$childPath])) {
$propsByPath[$childPath] = [];
}
if (isset($row['propertyname'])) {
$propsByPath[$childPath][$row['propertyname']] = $this->decodeValueFromDatabase($row['propertyvalue'], $row['valuetype']);
}
}
$this->userCache = array_merge($this->userCache, $propsByPath);
}
/**
* Returns a list of properties for the given path and current user
*
* @param string $path
* @param array $requestedProperties requested properties or empty array for "all"
* @return array
* @note The properties list is a list of propertynames the client
* requested, encoded as xmlnamespace#tagName, for example:
* path_to_url#author If the array is empty, all
* properties should be returned
*/
private function getUserProperties(string $path, array $requestedProperties) {
if (isset($this->userCache[$path])) {
return $this->userCache[$path];
}
// TODO: chunking if more than 1000 properties
$sql = 'SELECT * FROM `*PREFIX*properties` WHERE `userid` = ? AND `propertypath` = ?';
$whereValues = [$this->user->getUID(), $this->formatPath($path)];
$whereTypes = [null, null];
if (!empty($requestedProperties)) {
// request only a subset
$sql .= ' AND `propertyname` in (?)';
$whereValues[] = $requestedProperties;
$whereTypes[] = IQueryBuilder::PARAM_STR_ARRAY;
}
$result = $this->connection->executeQuery(
$sql,
$whereValues,
$whereTypes
);
$props = [];
while ($row = $result->fetch()) {
$props[$row['propertyname']] = $this->decodeValueFromDatabase($row['propertyvalue'], $row['valuetype']);
}
$result->closeCursor();
$this->userCache[$path] = $props;
return $props;
}
/**
* @throws Exception
*/
private function updateProperties(string $path, array $properties): bool {
// TODO: use "insert or update" strategy ?
$existing = $this->getUserProperties($path, []);
try {
$this->connection->beginTransaction();
foreach ($properties as $propertyName => $propertyValue) {
// common parameters for all queries
$dbParameters = [
'userid' => $this->user->getUID(),
'propertyPath' => $this->formatPath($path),
'propertyName' => $propertyName,
];
// If it was null, we need to delete the property
if (is_null($propertyValue)) {
if (array_key_exists($propertyName, $existing)) {
$deleteQuery = $deleteQuery ?? $this->createDeleteQuery();
$deleteQuery
->setParameters($dbParameters)
->executeStatement();
}
} else {
[$value, $valueType] = $this->encodeValueForDatabase(
$path,
$propertyName,
$propertyValue,
);
$dbParameters['propertyValue'] = $value;
$dbParameters['valueType'] = $valueType;
if (!array_key_exists($propertyName, $existing)) {
$insertQuery = $insertQuery ?? $this->createInsertQuery();
$insertQuery
->setParameters($dbParameters)
->executeStatement();
} else {
$updateQuery = $updateQuery ?? $this->createUpdateQuery();
$updateQuery
->setParameters($dbParameters)
->executeStatement();
}
}
}
$this->connection->commit();
unset($this->userCache[$path]);
} catch (Exception $e) {
$this->connection->rollBack();
throw $e;
}
return true;
}
/**
* long paths are hashed to ensure they fit in the database
*
* @param string $path
* @return string
*/
private function formatPath(string $path): string {
if (strlen($path) > 250) {
return sha1($path);
}
return $path;
}
/**
* @throws ParseException If parsing a \Sabre\DAV\Xml\Property\Complex value fails
* @throws DavException If the property value is invalid
*/
private function encodeValueForDatabase(string $path, string $name, mixed $value): array {
// Try to parse a more specialized property type first
if ($value instanceof Complex) {
$xml = $this->xmlService->write($name, [$value], $this->server->getBaseUri());
$value = $this->xmlService->parse($xml, $this->server->getBaseUri()) ?? $value;
}
if ($name === '{urn:ietf:params:xml:ns:caldav}schedule-default-calendar-URL') {
$value = $this->encodeDefaultCalendarUrl($value);
}
try {
$this->validateProperty($path, $name, $value);
} catch (DavException $e) {
throw new DavException(
"Property \"$name\" has an invalid value: " . $e->getMessage(),
0,
$e,
);
}
if (is_scalar($value)) {
$valueType = self::PROPERTY_TYPE_STRING;
} elseif ($value instanceof Complex) {
$valueType = self::PROPERTY_TYPE_XML;
$value = $value->getXml();
} elseif ($value instanceof Href) {
$valueType = self::PROPERTY_TYPE_HREF;
$value = $value->getHref();
} else {
$valueType = self::PROPERTY_TYPE_OBJECT;
$value = serialize($value);
}
return [$value, $valueType];
}
/**
* @return mixed|Complex|string
*/
private function decodeValueFromDatabase(string $value, int $valueType) {
switch ($valueType) {
case self::PROPERTY_TYPE_XML:
return new Complex($value);
case self::PROPERTY_TYPE_HREF:
return new Href($value);
case self::PROPERTY_TYPE_OBJECT:
return unserialize($value);
case self::PROPERTY_TYPE_STRING:
default:
return $value;
}
}
private function encodeDefaultCalendarUrl(Href $value): Href {
$href = $value->getHref();
if ($href === null) {
return $value;
}
if (!str_starts_with($href, '/')) {
return $value;
}
try {
// Build path relative to the dav base URI to be used later to find the node
$value = new LocalHref($this->server->calculateUri($href) . '/');
} catch (DavException\Forbidden) {
// Not existing calendars will be handled later when the value is validated
}
return $value;
}
private function createDeleteQuery(): IQueryBuilder {
$deleteQuery = $this->connection->getQueryBuilder();
$deleteQuery->delete('properties')
->where($deleteQuery->expr()->eq('userid', $deleteQuery->createParameter('userid')))
->andWhere($deleteQuery->expr()->eq('propertypath', $deleteQuery->createParameter('propertyPath')))
->andWhere($deleteQuery->expr()->eq('propertyname', $deleteQuery->createParameter('propertyName')));
return $deleteQuery;
}
private function createInsertQuery(): IQueryBuilder {
$insertQuery = $this->connection->getQueryBuilder();
$insertQuery->insert('properties')
->values([
'userid' => $insertQuery->createParameter('userid'),
'propertypath' => $insertQuery->createParameter('propertyPath'),
'propertyname' => $insertQuery->createParameter('propertyName'),
'propertyvalue' => $insertQuery->createParameter('propertyValue'),
'valuetype' => $insertQuery->createParameter('valueType'),
]);
return $insertQuery;
}
private function createUpdateQuery(): IQueryBuilder {
$updateQuery = $this->connection->getQueryBuilder();
$updateQuery->update('properties')
->set('propertyvalue', $updateQuery->createParameter('propertyValue'))
->set('valuetype', $updateQuery->createParameter('valueType'))
->where($updateQuery->expr()->eq('userid', $updateQuery->createParameter('userid')))
->andWhere($updateQuery->expr()->eq('propertypath', $updateQuery->createParameter('propertyPath')))
->andWhere($updateQuery->expr()->eq('propertyname', $updateQuery->createParameter('propertyName')));
return $updateQuery;
}
}
```
|
Pelagonia (; ) is a geographical region of Macedonia named after the ancient kingdom. Ancient Pelagonia roughly corresponded to the present-day municipalities of Bitola, Prilep, Mogila, Novaci, Kruševo, and Krivogaštani in North Macedonia and to the municipalities of Florina, Amyntaio and Prespes in Greece.
History
In antiquity, Pelagonia was roughly bounded by Paeonia to the north and east, Lynkestis and Almopia to the south and Illyria to the west; and was inhabited by the Pelagones, an ancient Greek tribe of Upper Macedonia, who were centered at the Pelagonian plain and belonged to the Molossian tribal state or koinon. The region was annexed to the Macedonian kingdom during the 4th century BC and became one of its administrative provinces. In medieval times, when the names of Lynkestis and Orestis had become obsolete, Pelagonia acquired a broader meaning. This is why the Battle of Pelagonia (1259) between Byzantines and Latins includes also the current Kastoria regional unit and ancient Orestis.
Strabo calls Pelagonia by the name Tripolitis and names only one ancient city of the supposed three in the region; Azorus. Two notable Pelagonians include the mythological Pelagon, the eponym of the region, who, according to Greek mythology, was son of the river-god Axius (modern Axios or Vardar river) and father of the Paeonian Asteropaeus in Homer's Iliad. The second one is Menelaus of Pelagonia (ca. 360 BC) who, according to Bosworth, fled his kingdom when it was annexed by Philip II, finding refuge and citizenship in Athens.
Today, Pelagonia is a plain shared between North Macedonia and the Greek region of Macedonia. It incorporates the southern cities of Bitola and Prilep in North Macedonia and the northwestern city of Florina in Greece; it is also the location of Medžitlija-Niki, a key border crossing between the two countries. Many Mycenaean objects have been found in the area, such as the double axe, later found in Mycenae and are exhibited in the Museum of Bitola.
Environment
Important Bird Area
A 137,000 ha tract of the plain has been designated an Important Bird Area (IBA) by BirdLife International because it supports populations of ferruginous ducks, white storks, Dalmatian pelicans, Eurasian thick-knees, little owls, Eurasian scops owls, European rollers, lesser kestrels and lesser grey shrikes.
See also
List of Ancient Greek tribes
Pelagonia statistical region
References
External links
Pelagonian margins in central Evia island (Greece)
The oldest rocks of Greece: first evidence for a Precambrian terrane within the Pelagonian Zone
The ancient city of Pelagonia in the historical and epigraphic monuments
Upper Macedonia
Plains of Greece
Plains of Europe
Ancient Macedonia
Geography of North Macedonia
Bitola Municipality
Resen Municipality
Landforms of Florina (regional unit)
Landforms of Western Macedonia
Prilep Municipality
Geography of ancient Macedonia
Important Bird Areas of North Macedonia
|
```rust
//! This module exposes functions for building standard operations.
//!
//! Each operation has a struct which can be used as a builder and allows
//! setting optional attributes:
//!
//! ```ignore
//! MatMul::new().transpose_a(true).build(a, b, &mut scope)?;
//! ```
//!
//! and a function which is shorter when no attributes need to be set:
//!
//! ```ignore
//! mat_mul(a, b, &mut scope)
//! ```
//!
//! Note that for some ops, the builder may always be required, because
//! the op has required attributes with no default specified.
mod math_ops;
pub use math_ops::*;
mod random_ops;
pub use random_ops::*;
#[allow(
clippy::double_parens,
clippy::too_many_arguments,
clippy::wrong_self_convention
)]
mod ops_impl;
pub use ops_impl::*;
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn device() {
let op = no_op(&mut crate::Scope::new_root_scope().with_device("foo")).unwrap();
assert_eq!(op.device().unwrap(), "foo");
}
}
```
|
American Trading & Production Corporationwas an American shipping company founded in New York City. American Trading & Production Corporation operated tanker ships and a few cargo ships.
During World War II American Trading & Production Corporation operated Merchant navy ships for the United States Shipping Board. During World War II American Trading & Production Corporation was active with charter shipping with the Maritime Commission and War Shipping Administration. American Trading & Production Corporation operated Liberty ships and tankers for the merchant navy. The ship was run by its American Trading & Production Corporation crew and the US Navy supplied United States Navy Armed Guards to man the deck guns and radio.
In 1972 American Trading & Production Corporation founded a subsidiary, American Trading Transportation Co. Inc. with a fleet of six ships. An American Trading Transportation Co. Inc., 82,030-ton American Trader ship spilled 300,000 gallons of oil in 1990 off Huntington Beach, California. In 1986 American Trader collided with the tanker HJ Haynes in Long Beach.
In 2012 American Trading & Production Corporation became part of Tema Oil and Gas LLC of Houston, Texas. Tema Oil and Gas LLC products are: crude Petroleum, natural gas production and Oil and gas exploration
Ships
Post War T2 Tankers:
Diamond Island
Fisher's Hill
Point Pleasant *
Pit River *
Marne
Rum River *
Harpers Ferry – later called Crown Trader
Port Republic
Buena Vista Hills
San Juan Hill *
Carnifax Ferry *
Chatterton Hill *
Mobile Bay
American Trading Transportation Co. Inc.: partial list of ships:
Pennsylvania Trader
Baltimore Trader
American Trader
American Trader (I), sank 1940
Liberty ships:
Albert J. Berres *
Alfred L. Baxley
Anson Jones
World War II only ship
Liberty ship:
Albert G. Brown LibshipsA
See also
World War II United States Merchant Navy
References
External links
The T2 Tanker page
T-tanker list
American companies established in 1939
History of the San Francisco Bay Area
Transport companies established in 1939
Defunct shipping companies of the United States
|
Junior Witter (born 10 March 1974) is a British former world champion professional boxer who competed from 1997 to 2015. He held the WBC light welterweight world title from 2006 to 2008 and challenged once for the IBF light welterweight title in 2000. At regional level, he held the British and Commonwealth light welterweight title from 2002 to 2005; the EBU European Union light welterweight title in 2003; and the EBU European light welterweight title from 2004 to 2005; and the British welterweight title in 2012.
Professional career
Early professional years
Witter's first fight as a professional took place in January 1997 and scored a draw over Cameron Raeside at the Green Bank Leisure Centre in Derbyshire. He scored his first win as a professional in his next fight, travelling to Yarm to beat John Green over six rounds. Five more fights happened in 1997 (all wins) for Witter to end the year with a record of 6-0-1. Witter's next year as a professional started in the same way as his first; a draw over Mark Grundy! Despite this he fought four more times during the year meaning that at the end of only his second year as a pro he had compiled of record of 12-0-2 scoring decent wins along the way over the likes of Jan Piet Bergman (35-1) and Mark Winters (13-1). The beginning of 1999 begun with a two-round win over Malcolm Melvin.
IBF light-welterweight title challenge
Witter gained four more victories, then in June 2000, with a record of 15-0-2, he was given a late-notice shot at a world title against American Zab Judah. The fight, which took place in Glasgow in Scotland on the undercard of Mike Tyson's fight with Lou Savarese, ended with first career defeat for the Englishman. Witter lasted the distance but lost on points to the champion. Speaking of the fight later on in his career and when he himself had finally won a World title, Witter said "It was a shot in the dark. During my first few years as a pro, I was struggling like mad financially, so when the shot came about it meant a really big payday. I thought: if I don't take it, I've got nothing - all my savings were gone and all my loans were on top of me. As far as the fight went, I didn't have enough experience. I wasn't even British champion and I had nine days to prepare for a shot at Judah, one of the best fighters in the world. I lost on points, but I learned so much. It taught me that I deserved to be at that level."
British, Commonwealth and European champion
Witter's response to his first defeat was to go the traditional route towards another crack at a World belt. Witter fought six more times since the Judah defeat beating the likes of Steve Conway (TKO 4) and Colin Mayisela (TKO 2) before, in March 2002, meeting Alan Bosworth for the vacant British light welterweight title claiming the belt with a stoppage in the third round. Witter's next fight saw him pick up the vacant Commonwealth title with a win over Ghanain Laatekwei Hammond. Two more fights in 2002 saw him beat Lucky Sambo in a non-title fight and Italian Giuseppe Lauri in an eliminator for the WBO light welterweight title.
Only two fights in 2003 saw the double champion add to his collection when in April 2003 he beat Belgian Jurgen Haeck for the European Union title. A first defence of his Commonwealth title took place in September at the MEN Arena in Manchester with a win in the 2nd round giving victory over Kenyan Fred Kinuthia. Witter finally challenged for the full European title in June 2004 beating Italian Salvatore Battaglia at the Ice Arena in Nottingham. The year ended for Witter with a first defence of his European crown at the Conference Center in Wembley beating Polish fighter Krzyztof Bienias.
Route to a second world title challenge
In February 2005, Witter travelled to Los Angeles for a WBC Light Welterweight eliminator against Australian-based Lovemore N'dou. The fight which also doubled as a further defence of his Commonwealth title ended with a 12-round points decision win for the man from Bradford. In July of the same year Witter returned to the Ice Arena in Nottingham to score a win over Ukrainian Andriy Kotelnik in a close fought fight which was also a defence of his European title. Witter finished the year with a win over fellow Brit Colin Lynes in a fight which saw his British, Commonwealth and European titles all on the line at the same time. The fight, this time at the York Hall in London, ended with another points victory over 12 rounds for Witter.
WBC light-welterweight champion
September 2006 finally saw Witter win a world title when he challenged American Demarcus Corley for the vacant WBC light welterweight belt at the Alexandra Palace in Wood Green. Eighteen fights and eighteen wins since losing to Zab Judah in 2000 Witter had finally achieved the pinnacle of his career so far. Two defences of the title followed in 2007 with wins over Mexican Arturo Morua (TKO 9) and Guyanese Vivian Harris (KO 7) before on 10 May 2008, losing the belt to mandatory challenger Timothy Bradley via split decision. Following his loss to Bradley, Witter declared he would continue fighting at a professional level and vowed to return to the ring to reclaim his WBC crown. Bradley commented that he would be happy to offer Witter a rematch if the money was right.
Comeback
Following the Bradley defeat Witter returned to the ring on 8 November 2008 and scored a third-round knockout of Argentinian Victor Hugo Castro. He knocked his opponent down in the second but was unable to finish it due to the bell instead finishing the fight early in the following round. Witter was then given the chance to fight for his old WBC title when in May 2009, Timothy Bradley was stripped of the belt for choosing not to fight his mandatory challenger Devon Alexander. This handed Witter an opportunity to fight Alexander for the now vacant belt. The contest took place in California on 1 August 2009 with Alexander proving too strong for the former champion with Witter, claiming an elbow injury in round four, having to retire at the end of round eight. The injury meant that Witter did not fight again til 19 February 2011, a year and a half since the loss to Alexander. The fight, this time in Ontario, Canada, resulted in another loss for Witter as he was beaten over 10 rounds by Romanian boxer Victor Puiu for the WBC International silver welterweight title. On 7 June 2011, Witter entered the welterweight version of the Prizefighter tournament at the York Hall in London and defeated Nathan Graham and Kevin McIntyre on the way to the final. In the final, Witter lost a majority points decision to Moroccan born fighter Yassine El maachi.
On 16 November 2013, Witter faced Albanian upcoming boxer Timo Schwarzkopf. He lost by majority decision.
Personal life
Witter trained at the Bradford Police Boys amateur boxing club, as an amateur boxer he represented England and captained a England school's team.
Early life
Witter studied at Carlton Bolling College, a high school located in Bradford, West Yorkshire.
Witter is Bradford's first World Boxing Champion.
Professional boxing record
References
External links
Junior Witter article at Sky Sports
1974 births
English male boxers
English people of Jamaican descent
Light-welterweight boxers
Living people
Boxers from Bradford
Sportspeople from Bradford
World Boxing Council champions
Prizefighter contestants
European Boxing Union champions
Commonwealth Boxing Council champions
Welterweight boxers
British Boxing Board of Control champions
|
```ruby
require_relative "../../../spec_helper"
platform_is :windows do
require 'win32ole'
describe "WIN32OLE_METHOD#return_type" do
before :each do
ole_type = WIN32OLE_TYPE.new("Microsoft Scripting Runtime", "File")
@m_file_name = WIN32OLE_METHOD.new(ole_type, "name")
end
it "raises ArgumentError if argument is given" do
-> { @m_file_name.return_type(1) }.should raise_error ArgumentError
end
it "returns expected value for Scripting Runtime's 'name' method" do
@m_file_name.return_type.should == 'BSTR'
end
end
end
```
|
Gum 15 is a nebula from the Gum catalog, located in the constellation of Vela, about 3,000 light-years from Earth. It is shaped by aggressive winds flowing from the stars within and around it. The bright star in the center of the nebula is HD 74804, a double star.
References
H II regions
Vela (constellation)
|
James McFadden (born 1983) is a Scottish football player.
James McFadden may also refer to:
Jim McFadden (1920–2002), Irish pro hockey player
James McFadden (dancer), early 20th century American tap dancer
J. P. McFadden (1930–1998), founder of the Human Life Review
James A. McFadden (1880–1952), American Catholic bishop
|
```yaml
name: Stacks
description: 'Your personal To Do and Project Manager.'
website: 'path_to_url
category: 'Productivity'
keywords:
- task
- task manager
- project
- project management
- stacks
- kanban
```
|
```smalltalk
//
// SKKeyframeSequence helpers
//
// Authors:
// Sebastien Pouliot <sebastien@xamarin.com>
//
//
using System;
using System.Collections.Generic;
#if !NO_SYSTEM_DRAWING
using System.Drawing;
#endif
using Foundation;
using ObjCRuntime;
#nullable enable
namespace SpriteKit {
public partial class SKKeyframeSequence {
[DesignatedInitializer]
public SKKeyframeSequence (NSObject [] values, NSNumber [] times) :
this (values, NSArray.FromNSObjects (times))
{
}
[DesignatedInitializer]
public SKKeyframeSequence (NSObject [] values, float [] times) :
this (values, NSArray.From (times))
{
}
[DesignatedInitializer]
public SKKeyframeSequence (NSObject [] values, double [] times) :
this (values, NSArray.From (times))
{
}
}
}
```
|
The Dry Tortugas Light is a lighthouse located on Loggerhead Key, three miles west of Fort Jefferson, Florida. It was taken out of operation in 2015. It has also been called the Loggerhead Lighthouse. It has been said to be "a greater distance from the mainland than any other light in the world."
History
In 1856, Capt. Daniel Phineas Woodbury supervised construction of the lighthouse, based on an 1855 design by Capt. Horatio Wright, and it became operational in 1858.
When originally constructed the walls of the tower were left its natural, yellowish-red brick color. The lens was a first order Fresnel lens which was manufactured by the French firm of L. Sautter and Company. In addition to the tower, the light station included a brick two-story dwelling with Greek Revival features, a brick two-story kitchen (still standing), and oil house, wash house, outhouses and cisterns.
Forty-one year old Benjamin H. Kerr was appointed head keeper in 1858 and received a salary of $600 per year . He had previously been keeper at Garden Key since 1850. Charles H. Perry was appointed 1st assistant keeper and John Fritz as the 2nd Assistant keeper. Both assistants received $300 per year .
The Loggerhead Key lighthouse has a stone foundation and a conical brick tower. The walls are thick at the base and taper to thick at the top. The tower was later painted black on the upper part and white below. A radio room is attached to the base of the tower. A later replacement lens, a second order clamshell revolving Fresnel lens, is now on display at the United States Coast Guard Aids to Navigation School in Yorktown, Virginia. The light was automated in 1988.
The first lighthouse in the Dry Tortugas was on Garden Key, and became operational in 1826. After several proposals for a new lighthouse on the "outer shoals" of the Dry Tortugas, a new lighthouse was built on Loggerhead Key and completed in 1858 at a cost of US$35,000 , which was the amount that had been projected to upgrade the existing lighthouse on Garden Key.
The Dry Tortugas lighthouse, along with the Garden Key lighthouse at Fort Jefferson, were the only lights on the Gulf coast that stayed in full operation throughout the American Civil War. A civilian prisoner of Fort Jefferson, John W. Adare and a companion, used planks to swim to the Key and stole the keeper's boat. Although they made it to Havana, the Spanish authorities there extradited them back to Key West. Undeterred, Adare attempted a second escape, one in which he needed a second plank for his ankle ball and chain. This time the boat was locked and Adare was captured the next day.
The tower was damaged by a hurricane in October 1873 and plans were drawn up for a new tower. The tower was repaired by rebuilding the top and extending the steel rods anchoring the lantern to the bottom of the tower. After the repaired tower survived another hurricane in September 1875, the plans for a new tower were deferred and eventually dropped.
The Dry Tortugas Light received an electric lamp in 1931, becoming the most powerful lighthouse in America, with three million candela. The rotating beacon stopped working in April 2014, and was formally decommissioned in December 2015.
Head keepers
Benjamin H. Kerr (1858 – 1861)
James P. Lightburn (1861 – 1862)
Robert H. Thompson (1862 – 1872)
William B. Taylor (1872)
Thomas Moore (1872 – 1881)
Robert H. Thompson (1881 – 1888)
Charles A. Roberts (1888)
George R. Billberry (1888 – 1907)
Edgar J. Russell (1907 – at least 1915)
Charles Johnson (at least 1917 – at least 1921)
Andrew M. Albury (1928 – at least 1947)
In later years, before the light was automated, the lighthouse was manned by Coast Guardsmen who rotated on and off the island every few days.
See also
List of lighthouses in Florida
List of lighthouses in the United States
References
External links
Dry Tortugas National Park, Dry Tortugas Light Station. Ancillary Structures Historic Structure Report National Park Service
Dry Tortugas National Park, Dry Tortugas Light Station. Keeper's Residence Historic Structure Report National Park Service
Dry Tortugas National Park, Dry Tortugas Light Station. Lighthouse and Oil House Historic Structure Report National Park Service
Lighthouses completed in 1858
Lighthouses in Monroe County, Florida
Dry Tortugas National Park
1858 establishments in Florida
|
An optical fiber connector is a device used to link optical fibers, facilitating the efficient transmission of light signals. An optical fiber connector enables quicker connection and disconnection than splicing.
They come in various types like SC, LC, ST, and MTP, each designed for specific applications. In all, about 100 different types of fiber optic connectors have been introduced to the market.
These connectors include components such as ferrules and alignment sleeves for precise fiber alignment. Quality connectors lose very little light due to reflection or misalignment of the fibers.
Optical fiber connectors are categorized into single-mode and multimode types based on their distinct characteristics. Industry standards ensure compatibility among different connector types and manufacturers. These connectors find applications in telecommunications, data centers, and industrial settings.
Application
Optical fiber connectors are used to join optical fibers where a connect/disconnect capability is required. Due to the polishing and tuning procedures that may be incorporated into optical connector manufacturing, connectors are often assembled onto optical fiber in a supplier's manufacturing facility. However, the assembly and polishing operations involved can be performed in the field, for example, to terminate long runs at a patch panel.
Optical fiber connectors are used in telephone exchanges, for customer premises wiring, and in outside plant applications to connect equipment and fiber-optic cables, or to cross-connect cables.
Most optical fiber connectors are spring-loaded, so the fiber faces are pressed together when the connectors are mated. The resulting glass-to-glass or plastic-to-plastic contact eliminates signal losses that would be caused by an air gap between the joined fibers.
Performance of optical fiber connectors can be quantified by insertion loss and return loss. Measurements of these parameters are now defined in IEC standard 61753-1. The standard gives five grades for insertion loss from A (best) to D (worst), and M for multimode. The other parameter is return loss, with grades from 1 (best) to 5 (worst).
A variety of optical fiber connectors are available, but SC and LC connectors are the most common types of connectors on the market. Typical connectors are rated for 500–1,000 mating cycles. The main differences among types of connectors are dimensions and methods of mechanical coupling. Generally, organizations will standardize on one kind of connector, depending on what equipment they commonly use.
In many data center applications, small (e.g., LC) and multi-fiber (e.g., MTP/MPO) connectors have replaced larger, older styles (e.g., SC), allowing more fiber ports per unit of rack space.
Outside plant applications may require connectors be located underground, or on outdoor walls or utility poles. In such settings, protective enclosures are often used, and fall into two broad categories: hermetic (sealed) and free-breathing. Hermetic cases prevent entry of moisture and air but, lacking ventilation, can become hot if exposed to sunlight or other sources of heat. Free-breathing enclosures, on the other hand, allow ventilation, but can also admit moisture, insects and airborne contaminants. Selection of the correct housing depends on the cable and connector type, the location, and environmental factors.
Types
Many types of optical connector have been developed at different times, and for different purposes. Many of them are summarized in the tables below.
Notes
Obsolete connectors
Contact
Modern connectors typically use a physical contact polish on the fiber and ferrule end. This is a slightly convex surface with the apex of the curve accurately centered on the fiber, so that when the connectors are mated the fiber cores come into direct contact with one another. Some manufacturers have several grades of polish quality, for example a regular FC connector may be designated FC/PC (for physical contact), while FC/SPC and FC/UPC may denote super and ultra polish qualities, respectively. Higher grades of polish give less insertion loss and lower back reflection.
Many connectors are available with the fiber end face polished at an angle to prevent light that reflects from the interface from traveling back up the fiber. Because of the angle, the reflected light does not stay in the fiber core but instead leaks out into the cladding. Angle-polished connectors should only be mated to other angle-polished connectors. The APC angle is normally 8 degrees, however, SC/APC also exists as 9 degrees in some countries. Mating to a non-angle polished connector causes very high insertion loss. Generally angle-polished connectors have higher insertion loss than good quality straight physical contact ones. "Ultra" quality connectors may achieve comparable back reflection to an angled connector when connected, but an angled connection maintains low back reflection even when the output end of the fiber is disconnected.
Angle-polished connections are distinguished visibly by the use of a green strain relief boot, or a green connector body. The parts are typically identified by adding "/APC" (angled physical contact) to the name. For example, an angled FC connector may be designated FC/APC, or merely FCA. Non-angled versions may be denoted FC/PC or with specialized designations such as FC/UPC or FCU to denote an "ultra" quality polish on the fiber end face. Two different versions of FC/APC exist: FC/APC-N (NTT) and FC/APC-R (Reduced). An FC/APC-N connector key will not fit into a FC/APC-R adapter key slot.
Field-mountable connectors
Field-mountable optical fiber connectors are used to join optical fiber jumper cables that contain one single-mode fiber. Field-mountable optical fiber connectors are used for field restoration work and to eliminate the need to stock jumper cords of various sizes.
These assemblies can be separated into two major categories: single-jointed connector assemblies and multiple-jointed connector assemblies. According to Telcordia GR-1081, a single-jointed connector assembly is a connector assembly where there is only one spot where two different fibers are joined together. This is the situation generally found when connector assemblies are made from factory-assembled optical fiber connector plugs. A multiple-jointed connector assembly is a connector assembly where there is more than one closely spaced connection joining different fibers together. An example of a multiple-jointed connector assembly is a connector assembly that uses the stub-fiber type of connector plug.
Attributes
Features of good connector design:
Low insertion loss - should not exceed 0.75 dB
Typical insertion repeatability, the difference in insertion loss between one plugging and another, is 0.2 dB.
High return loss (low amounts of reflection at the interface) - should be higher than 20 dB
Ease of installation
Low cost
Reliability
Low environmental sensitivity
Ease of use
Analysis
On all connectors, cleaning the ceramic ferrule before each connection helps prevent scratches and extends the connector life substantially.
Connectors on polarization-maintaining fiber are sometimes marked with a blue strain relief boot or connector body. Sometimes a blue buffer tube is used on the fiber instead.
Hardened Fiber Optic Connectors (HFOCs) and Hardened Fiber Optic Adapters (HFOAs) are passive telecommunications components used in an outside plant environment. They provide drop connections to customers from fiber distribution networks. These components may be provided in pedestal closures, aerial and buried closures and terminals, or equipment located at customer premises such as a Fiber Distribution Hub (FDH) or an optical network terminal unit.
These connectors, which are field-mateable and hardened for use in the OSP, are needed to support Fiber to the Premises (FTTP) deployment and service offerings. HFOCs are designed to withstand climatic conditions existing throughout the U.S., including rain, flooding, snow, sleet, high winds, and ice and sand storms. Ambient temperatures ranging from to can be encountered.
Telcordia GR-3120 contains the industry’s most recent generic requirements for HFOCs and HFOAs.
Testing
Glass fiber optic connector performance is affected both by the connector and by the glass fiber. Concentricity tolerances affect the fiber, fiber core, and connector body. The core optical index of refraction is also subject to variations. Stress in the polished fiber can cause excess return loss. The fiber can slide along its length in the connector. The shape of the connector tip may be incorrectly profiled during polishing. The connector manufacturer has little control over these factors, so in-service performance may well be below the manufacturer's specification.
Testing fiber optic connector assemblies falls into two general categories: factory testing and field testing.
Factory testing is sometimes statistical, for example, a process check. A profiling system may be used to ensure the overall polished shape is correct, and a good quality optical microscope to check for blemishes. Insertion loss and return loss performance is checked using specific reference conditions, against a reference-standard single-mode test lead, or using an encircled flux compliant source for multi-mode testing. Testing and rejection (yield) may represent a significant part of the overall manufacturing cost.
Field testing is usually simpler. A special hand-held optical microscope is used to check for dirt or blemishes. A power meter and light source or an optical loss test set (OLTS) is used to test end-to-end loss, and an optical time-domain reflectometer may be used to identify significant point losses or return losses.
See also
Gap loss – attenuation sources and causes
Index-matching material – a liquid/gel to reduce Fresnel reflection
Mechanical splice – a more permanent, but still mechanical connection
Optical attenuator – fiber optic attenuator
Notes
References
External links
Fiber Optic Connector Reference
es:Fibra óptica#Tipos de conectores
|
```python
from pytest import fixture
from arcade.gui import UIManager
from . import InteractionMixin
class InteractionUIManager(UIManager, InteractionMixin):
def __init__(self, *args, **kwargs):
super().__init__(*args, **kwargs)
self.push_handlers(on_event=self._on_ui_event)
@fixture
def uimanager(window) -> InteractionUIManager:
return InteractionUIManager()
```
|
Runtime error detection is a software verification method that analyzes a software application as it executes and reports defects that are detected during that execution. It can be applied during unit testing, component testing, integration testing, system testing (automated/scripted or manual), or penetration testing.
Runtime error detection can identify defects that manifest themselves only at runtime (for example, file overwrites) and zeroing in on the root causes of the application crashing, running slowly, or behaving unpredictably. Defects commonly detected by runtime error detection include:
Race conditions
Exceptions
Resource leaks
Memory leaks
Security attack vulnerabilities (e.g., SQL injection)
Null pointers
Uninitialized memory
Buffer overflows
Runtime error detection tools can only detect errors in the executed control flow of the application.
See also
Development Testing
Software testing
Memory debugger
BoundsChecker
Runtime verification
References
Software testing
|
The M20 is a motorway in Kent, England. It follows on from the A20 at Swanley, meeting the M25, and continuing on to Folkestone, providing a link to the Channel Tunnel and the ports at Dover. It is long. Although not signposted in England, this road is part of the European route E15. It is also used as a holding area for goods traffic when traffic across the English Channel is disrupted, such as Operation Stack and Operation Brock.
Route
The road starts at its junction with the M25 motorway and A20 road just east of Swanley, then continues south east across the River Darent, north of Farningham through the North Downs, past West Kingsdown and Wrotham to meet the M26. It then strikes east, running north of Addington. When it reaches junction 4 it passes south of New Hythe and runs parallel to the Medway Valley railway line before crossing it close to junction 5. This next section is the Maidstone bypass. The High Speed 1 (HS1) railway line then runs parallel to the motorway as it continues to the north of Bearsted, crosses the Swanley to Ashford (via Maidstone East) Line then out into the countryside alongside Leeds Castle. Proceeding south of Lenham and Charing it is crossed by the Ashford and HS1 railway lines before becoming the Ashford bypass. Travelling past Brabourne Lees it is once again joined by HS1 and the East Stour.
Just north of Saltwood it reaches the Channel Tunnel terminal and is crossed by HS1 for the last time. The final section runs along the northern suburbs of Folkestone.
History
Construction
The M20 was, in common with many United Kingdom motorways, opened in stages:
Junctions 5 to 7 opened in 1960
Junctions 7 to 8 opened in 1961
These sections of the M20 were known as the 'Maidstone Bypass'. This road was then numbered as the A20(M) as it bypassed the stretch of A20 through Maidstone which was renumbered A2020. This was the first stretch of motorway to open south of London. Plans for a bypass of Maidstone had existed since the 1930s, originally as an all-purpose project, before being upgraded to motorway standard in the 1950s. When the motorway was extended westwards towards London in the 1970s, it was renamed M20 and the A2020 reverted to A20.
Junctions 3 to 5 in 1971
Junctions 1 to 2 in 1977
This section ended at a temporary junction near West Kingsdown.
Temporary terminus to junction 3 in 1980
This section of the route was difficult to construct due to its steep descent down the North Downs escarpment.
Sellindge to junction 13 in 1981 – constructed by McAlpines
Junction 9 to Sellindge in 1981 – constructed by Dowsett
The section around Ashford (junctions 9–10) was originally the A20 Ashford Bypass with actual construction having started before World War 2 – although the route itself was not opened until 19 July 1957. The bypass started at Willesborough near the current location of junction 10 and terminated south of the existing junction 9 at the current Drover's Roundabout. A section of the old bypass is still visible now named Simone Weil Avenue. The original bridge that brought Canterbury Road over the bypass is still visible as the bridge was not reconstructed when the motorway was constructed. This section of motorway has no hard shoulder indicating the smaller width of the old bypass.
This left the motorway in two sections, with the gap running via the A20 – this was referred to locally as 'The Missing Link'. The level of traffic was not considered necessary to complete the route. Most of the traffic for the Channel ports was using the A2/M2 route. When the Channel Tunnel was ready for construction, it was decided to complete the M20 between junctions 8 and 9 and this opened in 1991. Concurrent to this was the extension to Dover as part of the A20 which opened in 1993. A new junction 11A was also constructed to serve the Channel Tunnel.
Operation
Following completion of the junction 8 to 9 section, the M20 was 3 lanes either side of the original A20(M) section. This was a bottleneck, so it was decided to widen this section of motorway. The road here was increased to a dual 3 or 4 lane road with 2 lane distributor roads either side. This section was opened in 1995.
To the north of Maidstone, there is an overlap between the slip roads for Junctions 5 (A20) and 6 (A229).
Between 2006 and 2007 junction 10 near Ashford was remodelled to increase capacity when the bridges across the motorway were modified to provide three lanes of traffic at the roundabout, and local approach roads were widened, with new traffic lights to control traffic flows at the junction between the A292 Hythe Road and the London-bound M20 entry slip road. A new footbridge was also constructed across the motorway. The cost was £4.9 million.
A Controlled motorway scheme was introduced in West Kent between junctions 4 and 7, with variable speed limits.
In August 2016 part of a pedestrian footbridge connecting areas of Ryarsh divided by the motorway was brought down - initially suspected to be the result of an impact by a digger from nearby works to widen the southbound bridge at junction 4 being carried on a low-loader that was moving along the hard shoulder. In the incident, the southern section of the bridge - which rested on a plinth south of the motorway and the cantilevered northern section - was dislodged and fell onto the carriageway below, landing on the trailer of a passing HGV and being narrowly avoided by a motorcyclist who suffered broken ribs taking avoiding action. Both carriageways of the motorway were closed to enable the removal of the broken section. The motorway reopened with the Highways Agency having declared that the northern part of the bridge was structurally intact. However this section of the motorway was again closed on the weekend of 3 and 4 September 2016 for the demolition and clearance of the northern bridge element. A replacement pedestrian and cycle bridge was opened in March 2021 at a cost of around £1.5 million.
The Highways Agency proposed a new M20 junction 10a and link road to the A2070 at Ashford in Kent, east of junction 10 to support the development of South Ashford which has been identified as a growth area in the South East. In May 2012, it was announced that the scheme would be postponed for the short-term future. Planning recommenced in 2016. Work started on building the scheme in January 2018, with works planned to complete in May 2020. The coast-facing sliproads at the existing Junction 10 were closed to allow the final works on the London-facing sliproads at Junction 10a and the new junction opened on 31 October 2019.
Operation Stack and Operation Brock
Since the opening of the Channel Tunnel, sections of the M20 have been used occasionally for the implementation of Operation Stack, should the ferries and/or Channel Tunnel stop running. This closes that part of the motorway and uses the area as a lorry park until the ferries and/or Channel Tunnel are fully running again.
Operation Brock was the replacement for Stack, to be used in the event of no-deal Brexit.
In July 2020, the government announced that it had bought a site beside junction 10A to build the Sevington customs clearance facility and lorry park.
Junctions
Data from driver location signs are used to provide distance in kilometres and carriageway identifier information. Where a junction spans several hundred metres and start and end points are available, both are cited.
Suicides
There have been two recorded suicides on this road. Philip Mathews, a navy officer, jumped off one of the bridges that go over the M20 in 2018. The same year, another person, Yasmin Howard also jumped off the bridge.
See also
List of motorways in the United Kingdom
Great Britain road numbering scheme
:Category:M20 motorway service stations
References
External links
The Motorway Archive – M20
2-0020
2-0020
Transport in the Borough of Ashford
Transport in Folkestone and Hythe
|
Mondo Trasho is a 1969 American 16mm mondo black comedy film by John Waters. The film stars Divine, Mary Vivian Pearce, David Lochary and Mink Stole. It contains very little dialogue, the story being told mostly through musical cues.
Plot
After an introductory sequence during which chickens are beheaded on a chopping block, the main action begins. Platinum blond bombshell Mary Vivian Pearce begins her day by riding the bus and reading Kenneth Anger's Hollywood Babylon.
Bombshell is later seduced by a hippie degenerate "shrimper" (foot fetishist), who starts molesting her feet while she fantasizes about being Cinderella. She is then hit by a car driven by Divine, a portly blonde who was trying to pick up an attractive hitchhiker whom she imagines naked. Divine places her in the car and drives distractedly around Baltimore experiencing bizarre situations, such as repeated visits by the Blessed Virgin Mary (Margie Skidmore)—during which Divine exclaims, "Oh Mary ... teach me to be Divine". Divine finally takes the unconscious Bombshell to Dr. Coathanger, who amputates her feet and replaces them with bird-like monster feet which she can tap together to transport herself around Baltimore.
Cast
Production
Depending on versions of the story; either Waters or the whole crew (except Divine) was either arrested or nearly arrested during production for illegally shooting a scene involving a nude hitchhiker on the campus of Johns Hopkins University. However, according to contemporary newspaper accounts, only one person was immediately arrested, actor Mark P. Isherwood. Charged sometime later were John Waters, Nancy Stoll, David C. Lochary and Mary V. Pearce, all five for indecent exposure, but the charges were eventually dropped.
Title
The film's title refers to a series of semi-related quasi-documentary films that were popular during the 1960s: Mondo Cane, Mondo Freudo, Mondo Bizarro, etc. The title also pays tribute to Mondo Topless, a film by one of Waters' favorite directors, Russ Meyer.
Music
Waters, in a 2008 interview, stated that the songs used in the film were taken right out of his own record collection. Waters says he did not pay the proper licensing fees to use these songs because he could not afford to. It is because of this, Waters says, that Mondo Trasho remains out of distribution, as the still-unsecured music rights would be too prohibitively expensive to clear.
Reception
Mondo Trasho currently holds a 43% approval rating on Rotten Tomatoes, based on seven reviews.
Background
Waters himself has stated that he does not care for this movie. In an interview with British Film Institute Waters said it should have been a short film instead of a feature but was a feature-length due to being influenced by films such as Andy Warhol's experimental film Sleep.
Home Media
The film was only produced in 1984 on a 95 min rated R VHS, hi-fi mono sound in black and white by Cinema Group Home Video.
In an interview with the Harvard Book Store in Cambridge, MA on tour for his book release of Mr Know-It-All: The Tarnished Wisdom of a Filth Elder (2019), John stated that Mondo Trasho would never get released again due to copyright issues with the music and that it would cost $1 million dollars just to secure rights for the music.
See also
List of American films of 1969
References
External links
Dreamland Studios
1969 films
1960s black comedy films
American black comedy films
American independent films
American satirical films
American black-and-white films
Films about amputees
Films directed by John Waters
Films set in Baltimore
Films shot in Baltimore
1969 directorial debut films
1969 comedy films
1969 drama films
Drag (entertainment)-related films
1960s English-language films
1960s American films
|
```java
package com.ctrip.xpipe.api.command;
import java.util.concurrent.ExecutionException;
import java.util.concurrent.Future;
import java.util.concurrent.TimeUnit;
import java.util.function.Function;
/**
* @author wenchao.meng
*
* Jul 1, 2016
*/
public interface CommandFuture<V> extends Future<V>{
Command<V> command();
boolean isSuccess();
Throwable cause();
void setSuccess(V result);
/**
* result null
*/
void setSuccess();
void setFailure(Throwable cause);
CommandFuture<V> sync() throws InterruptedException, ExecutionException;
Future<V> await() throws InterruptedException;
boolean await(long timeout, TimeUnit unit) throws InterruptedException;
void addListener(CommandFutureListener<V> commandFutureListener);
V getNow();
V getOrHandle(long timeout, TimeUnit unit, Function<Throwable, V> handler);
}
```
|
Gonioctena notmani is a species of leaf beetle in the family Chrysomelidae.
References
Further reading
Chrysomelinae
Articles created by Qbugbot
Beetles described in 1924
|
```php
<?php
require_once __DIR__ . '/../bootstrap.php';
$observable = \Rx\Observable::empty();
$observable->subscribe($stdoutObserver);
```
|
The Violieren (wallflower or gillyflower) was a chamber of rhetoric that dates back to the 15th century in Antwerp, when it was a social drama society with close links to the Guild of Saint Luke. It was one of three drama guilds in the city, the other two being the Goudbloem and the Olyftack. In 1660 the Violieren merged with former rival Olyftack, and in 1762 the society was dissolved altogether.
History
Much of what is known today about Antwerp's chambers of rhetoric comes from the city and guild archives. According to a note by the year 1480 in the early records of the Guild of St. Luke, the chamber's first victory was at a "Landjuweel" (a rhetoric competition open to contenders from throughout the Duchy of Brabant) in Leuven that took place that year. Their motto was "Wt ionsten versaemt"(united in friendship). From 1490, the chamber received an annual grant from the town of Antwerp. In 1493 they participated in a major contest in Mechelen and in 1496 they hosted their own "Landjuweel" in Antwerp.
The society was popular throughout the 16th century and many noted artists were members. The French Wikipedia includes a list of the deans.
The 1561 Landjuweel
In 1561 a large competition of 13 chambers of rhetoric in the Duchy of Brabant was organised by De Violieren in Antwerp. The competition called 'landjuweel' in Dutch ('jewel of the land') was held at 7-year intervals between 1515 and 1541. But because of the public turmoil in the Low Countries there was an interruption of 20 years before De Violieren, which had won the last landjuweel, organised another edition of the competition. A landjuweel involved performances of drama, processions, tableaux vivants and recitations of poetry. An estimated 5,000 participants from twelve different cities traveled to Antwerp for the 1561 event.
Willen van Haecht who was at the time the factor (poet in title) of De Violieren wrote the invitations and introductory material for the 1561 landjuweel. This material was intended as a sort of mission statement for the event and gave it a political, literary and economic framing. In the 1561 competition the participating chambers were required to provide a solution for the issues of peace, knowledge and community in every part of the competition. The invitation and moralities of the competition, as well as other poetic works, were published in 1562 under the title with a preface by van Haecht. The Caerte or invitation letter for the landjuweel was written by van Haecht in the form of a poem of 13 stanzas of 11 lines (rhyme scheme AABAABBCBBC) and starting and ending with the motto of De Violieren which was Vvt ionsten versaemt (gathered in a spirit of goodwill).
The prologue to the actual plays written by van Haecht describes how Rhetorica has been sleeping in the protective lap of Antwerp where it was discovered by three nymphs. The first two plays performed prior to the actual start of the landjuweel were by the hand of van Haecht. The first play called Oordeel van Tmolus tusschen Apollo en Pan, deals with the mythological theme of the judgement of Midas. Midas had ruled in favour of Pan in a musical performance competition between Apollo and Pan. As punishment Apollo had transformed Midas' ears into ass' ears. Midas tried to hide his ears from god but failed to do so. Apparently, the author wanted to produce a Renaissance work, while drawing his material from classical mythology. However, in the second part of the play, it turns into medieval (farce). Van Haecht also wrote the second preliminary play that was called the Prologue in which he extolled the virtue of unity. Van Haecht also wrote the farewell piece, Oorloff oft Adieu, and the closing piece of another theatre competition held at the same time as the landjuweel referred to as haagspel. In the farewell piece, he advances the thesis that the decadence of Rome and that of other ancient empires should not be attributed to the disbelief or rejection of God, but to the decline of the arts.
In the Royal Library of Belgium is kept a bundle of documents referred to as the Landjuweel van Antwerpen, 1561 (catalogue number II 13.368 E (RP)). It is made up of all kinds of loose papers of different sizes without folio, some of which are printed while others are handwritten. The date 1561 is incorrect, since a chorus dated to 1578 is included. This heterogeneous collection of papers, a number of which are related to the landjuweel of 1561, was likely bundled by Willem van Haecht. He added the following pieces written by himself: a chorus on Om datmen vianden moest voor vrienden houwen (Because one has to treat enemies as friends) (1576), a chorus on Godt slaet en geneest, den droeuen hy blijde maeckt (God hits and heal and makes the sad happy) and a chorus on (The rich do not understand how tired the poor are). The last page of the bundle of papers has about 20 verses, probably from a chorus on (Trust in god and he will not leave you).
After 1585
There were occasional major productions, usually to celebrate particular events. In 1585 the Violieren participated in the triumphal entry into Antwerp of Alexander Farnese, Duke of Parma. During the 1590s there were no regular public performances, and for much of the decade meetings were prohibited by decree, but after 1600 members and sympathisers of the guild again began to meet weekly for dramatic and rhetorical exercises. On 16 June 1610 they performed a play on the main market square to celebrate the ratification of the Twelve Years' Truce. During the Truce, a representative of the Violieren attended a rederijkersfeest (festival of rhetoric) held in Amsterdam on 7 July 1613, organised by the Amsterdam chamber Wit Lavendel (White lavender), and in 1617 the chamber hosted its own competition in Antwerp.
The constitutions of the chamber, dating back to 1480, were revised in 1619.
A rhetoric competition drawing participants from across the Low Countries was hosted by the Peoene (Peony) in Mechelen on 3 May 1620. Members of the Violieren carried off first prize for best rhyming rebus, first prize for best painted rebus, second prize for strongest line, and first prize for best performance in song.
In 1624 the chamber put on a new play by Willem van Nieuwelandt, Aegyptica, and they performed again the same year when Wladislaw, Prince of Poland was festively received in the city on his way to view the siegeworks at Breda. In 1625 the city celebrated the success of the siege, with the Violieren performing at the celebrations. At the joyous reception in Antwerp of Cardinal-Infante Ferdinand of Austria, in 1635, the Violieren provided two performances of Perseus en Andromida: one on a stage in the main market place, and another just for the prince's entourage at St. Michael's Abbey, Antwerp.
Organisation
The leading officers of the chamber were the , prince, dean, and 2 ("seniors"). The (headman) was an honorary president, a non-participating patron, who audited the chamber's accounts and mediated disputes between members. He was elected for a term of three years. The prince, who chaired the actual running of the organisation, was also elected for three years. The dean, who did the actual work of administering the guild, assisted by the two seniors, was elected for a term of two years, as were the seniors.
Other officers were the casting directors (princen van personagiën), the properties master (), the breuckmeesters who collected members' fees, and the busmeesters who organised collections for sick or "decayed" members. The social functions of the chamber, like those of a guild, included attending the funerals of deceased members, providing wedding presents to members who married, and providing support for sick or impoverished members. The guild employed a facteur to carry messages, collect or deliver prizes, and convey congratulations, and a knaap to do odd jobs, notify members of funerals or of extraordinary meetings, tidy the hall, and act as doorman during performances.
By the 17th-century, the chamber enjoyed the services of semi-professional actors (personagiën) who did not pay membership fees, were provided with free food and drink at rehearsals and performances, received 6 florins for attending the funerals of guild members, and were exempt from militia duty. They worked under the direction of the princen van personagiën. The fee-paying members, or confreers, enjoyed not only freedom from militia duty but the full range of social provision that the guild provided. It was also possible to pay entrance fees, rather than membership fees, as a "sympathiser" (or liefhebber), without enjoying the full rights of guild membership.
References
Chamber of rhetoric
History of Antwerp
15th-century establishments in Europe
1660 disestablishments in the Habsburg Netherlands
|
```go
package resource // import "github.com/docker/infrakit/pkg/spi/resource"
import (
"github.com/docker/infrakit/pkg/spi"
"github.com/docker/infrakit/pkg/types"
)
// InterfaceSpec is the current name and version of the Resource API.
var InterfaceSpec = spi.InterfaceSpec{
Name: "Resource",
Version: "0.1.1",
}
// ID is the unique identifier for a collection of resources.
type ID string
// Spec is a specification of resources to provision.
type Spec struct {
// ID is the unique identifier for the collection of resources.
ID ID
// Properties is the opaque configuration for the resources.
Properties *types.Any
}
// Plugin defines the functions for a Resource plugin.
type Plugin interface {
Commit(spec Spec, pretend bool) (string, error)
Destroy(spec Spec, pretend bool) (string, error)
DescribeResources(spec Spec) (string, error)
}
```
|
Chander Bari is a 2007 Bengali film directed by Tarun Majumdar. The film centers on a middle class joint family. The film is based on a Bengali story written by Pracheta Gupta. Majumdar used some Rabindra Sangeets in this film.
Plot
The Sanyals are a large extended family composed of the nonagenarian grandfather, (Haradhan Banerjee), his son (Ranjit Mallick), daughter-in-law (Laboni Sarkar) who rules over the house like a female Hitler, reincarnated, and their children of whom two, a daughter (Koel Mallick) and son (Rishi Kaushik) live together in a beautiful mansion in Bhawanipur. There seems to be more servants in their house than family members, extending the virtues and parameters of the ideal ‘joint’ family. The film starts with everyone being excited about the return of the elder son (Babul Supriyo) from LONDON,UK where he had gone for some business related work. However, all hell breaks loose, when he returns with a wife (Rituparna Sengupta) and her child from a former marriage in tow. Her first husband with underworld links was killed in police crossfire. Everyone accepts the new additions to the Sanyal family except the mother-in-law who refuses to even acknowledge her presence. The story revolves around how these two women build bridges to keep the joint family intact, with most of the credit going to the beautiful daughter-in-law.
Cast
Ranjit Mallick
Laboni Sarkar
Babul Supriyo
Rituparna Sengupta
Rishi Kaushik
Soumitra Chatterjee
Tathoi Deb
Soham Chakraborty
Aritra Dutta Banik
Koel Mallick
Dwijen Bandopadhyay
Sarbori Mukherjee
Sumit Samadder
Shritama Bhattacharjee
Tanima Sen
Swanakamal Dutta
Shraboni Bonik
Chaitali Mukhopadhyay
Payel Deb
Oindrila Saha
Music
Some of the tracks used in this film were from Rabindra Sangeet.
"Bhenge Mor Ghar Er Chabi"
"Chand Er Hashir Bnadh Bhengechhe"
"Gun Gun Bhromora Boslo Eshe"
"Bandh Bhenge Dao"
"Debo Na, Debo Na Sara To Jotoi Dako" (Singer: Jojo, Sujay Bhowmick)
"Ore Chitrarekha Dore Bandhilo Ke" [Indranil Sen]
References
External links
2007 films
Bengali-language Indian films
Films based on Indian novels
2000s Bengali-language films
|
Satyadaman was a ruler of the Western Satraps (ruled 197-198 CE). He was the son of king Damajadasri I and brother of Jivadaman, who had been king, but sometime before him.
Notes
References
Rapson, "Catalogue of the coins of the Andhra dynasty, the Western Ksatrapas, the Traikutaka dynasty, and the "Bodhi" dynasty"
Western Satraps
|
Chilly Beach: The World Is Hot Enough is a Canadian animated comedy film based on the television series Chilly Beach and produced by March Entertainment. The title is a parody of the James Bond film The World Is Not Enough. An early version of the film had its premiere at Sudbury, Ontario's Cinéfest, and Boston, Massachusetts in 2005. It was released February 5, 2008 on DVD in Canada. A second film, The Canadian President was also later released.
Plot
Dale wonders why no one ever visits Chilly Beach, and he realizes that it's due to the cold climate. Thus, Frank invents a super heater to warm Chilly Beach up. When the U.S. learns about it, they steal it and accidentally use it to destroy the planet. Frank and Dale must travel back through time to undo the damage.
In addition to the James Bond-like opening credits and theme song, the movie contains references to Back to the Future and The Terminator.
Voice cast
Steve Ashton as Dale McDonald
Todd Peterson as Frank Shackleford
Benedict Campbell as The Old Man
Damon D'Oliveira as Constable Al
Gianna Simone as FBI Agent Bond girl
Mike Vitar as Gotham Cop 1
Chris Ellis as FBI Agent Chris Cooper looks alike
Don Orsillo as Boston Red Sox 1
David Ortiz as Boston Red Sox 2
James Colby as Gotham Cop 2
Robert John Burke as FBI Agent Pete
Kathryn Erbe as FBI Agent Sara
Kyle Thomas as Joker Thug 1
Colombe Jacobsen-Derstine as Gotham Pd Detective Annie
Patrick Renna as Armored Car Truck 1
Chris Riggi as Jason Bourne Matt Damon looks alike
Crista Flanagan as Emma Watson looks alike
Jill Flint as FBI Agent Amy
Campbell Scott as The President George W. Bush looks alike
Rob Wiethoff as Bruce Wayne/Batman Christian Bale looks alike
Sam Waterston as CSI Detective Mike
Ike Barinholtz as The Terminator Arnold Schwarzenegger looks alike
Jeffrey Corazzini as Gotham Cop 3
Anthony Molinari as Gotham Cop 4
Dean Neistat as Gotham Cop 5
Derek Graf as FBI HRT SWAT 1
Landry Allbright as Harley Quinn looks alike
Leah Lail as Gotham Cop 6
Shaun Weiss as Gotham Cop 7
Danny Tamberelli as The Joker looks alike
Tom Hodges as Gotham Cop 8
Tom McGowan as FBI Agent Jay
Ned Luke as Thug 1
Jeffrey Nordling as FBI Swat 1
Scott Bryce as FBI Swat 2
Frank Pando as FBI Swat 3
Gary Galone as FBI Swat 4
Amanda Setton as Joker Thug 2
Corena Chase as FBI Swat 5
Haviland Morris as Rachel
Philip Ettinger as Hal Jordan/Green Lantern
Jay Bulger as FBI Swat 6
Luke Cook as Gotham Cop 5
Peter Francis James as Gotham Cop 6
Susan Blommaert as M
Tara Karsian as CIA Agent 1
Valerie Mahaffey as FBI Agent Valerie
C. Thomas Howell as US Navy Seal 1
Vincent LaRusso as US Navy Seal 2
Ashlie Atkinson as Ashley
Cali Elizabeth Moore as Gotham Cop 7
Marisa Ryan as Gotham Cop 8
Amy Morton as Gotham Cop 9
David Shumbris as Gotham Cop 10
Will Lyman as US Navy Seal 3
Chris Noth as US Navy Seal 4
Alex Mckenna as Blake Lively looks alike
Bug Hall as Ben Affleck looks like
Tom Guiry as Brad Pitt looks alike
Zuzanna Szadkowski as Melissa McCarthy looks alike
Molly Ringwald as Gotham NewsReporter 1
Bernadette Peters as New York Broadway Musical Stage 1
Samantha Espie as April June
Mary Lawliss as Katherine Hilderbrand
Julie Lemieux as Becky Sue
Robert Smith as Jacques LaRock
References
External links
2008 films
2008 direct-to-video films
2008 animated films
Canadian direct-to-video films
Canadian animated comedy films
Canadian animated feature films
2000s parody films
Animated films about time travel
Films based on television series
2008 comedy films
2000s English-language films
2000s Canadian films
|
The Interoceanic Corridor of the Isthmus of Tehuantepec (), abbreviated as CIIT, is an ongoing Mexican construction project, under the control of the Secretariat of the Navy, which seeks to connect the Pacific and Atlantic Oceans through a railway system "Ferrocarril del Istmo de Tehuantepec", both for cargo and passengers, that crosses the Isthmus of Tehuantepec, and through the modernization and growth of seaports, particularly the ports of Salina Cruz (Oaxaca) and Coatzacoalcos (Veracruz), and of the and the in Southern Mexico. In addition, it also plans to attract private investors through the creation of 10 industrial parks in the Isthmus area. The project has the goal of developing the economy and industry of the Mexican South through encouraging economic investment, both national and international, and facilitate commerce and transportation of goods internationally.
Initiated under the presidency of Andrés Manuel López Obrador, it has been widely regarded by analysts as his most important project, as it has the potential to offer a long-term boost to the Mexican economy and develop the industry and economy of the South, which has notoriously been one of the poorest regions of the country for decades. It has the potential to be an alternative "cheaper and faster than the Panama Canal."
The project consists on the rehabilitation of the Tehuantepec Railway, which finished construction during the presidency of Porfirio Díaz in 1907, which was built with similar goals, but started to fall out of use upon the outbreak of the Mexican Revolution and the opening of the Panama Canal in 1914. It also will modernize and grow the ports of Salina Cruz, which connects with the Pacific Ocean, and Coatzacoalcos, to the Atlantic. As part of the project, 10 industrial parks will be built in the area surrounding the railway to encourage economic investment and industrial development in the region.
On 18 September 2023, the current director of the CIIT, Raymundo Morales Ángeles, announced that the Corridor's freight services on the Coatzacoalcos-Salina Cruz line (Line Z) officially began "from this very moment", and that the Coatzacoalcos-Palenque line (Line FA) began that same month, while passenger operations are planned to begin in December.
History
Attempts to connect the Pacific and Atlantic through the Isthmus
Background
Plans to connect these two oceans through the Isthmus of Tehuantepec had existed since the Colonial period in the 16th century, with plans to build a canal or highway in the site being considered, but never successfully executed. As early as the first half of that century, during the early years of the existence of the Viceroyalty of New Spain, the Spanish colony which is now Mexico, the Spanish conquistador Hernán Cortés had already expressed his interest in creating communication between the two oceans in his letters to Charles V, Holy Roman Emperor, though this doesn't necessarily mean he conceived the idea of using the Isthmus for this purpose. Due to the short distance between the two oceans in this area, the potential for the creation of such a project had been attractive to various global powers, including Spain, England, France, the Netherlands and finally the United States, as it would've saved costs, time and, especially during the 19th century, lives and products, as it would've reduced the risk of losing cargo ships attempting to reach the other side of the Americas.
Alexander von Humboldt wrote in his Political Essay on the Kingdom of New Spain, published in 1811, that the Isthmus of Tehuantepec was ideal for the creation of a canal to connect the Pacific and Atlantic Oceans, due to the proximity between the ports of Vera Cruz and Tehuantepec, finding that the Isthmus between them is the narrowest point between the two oceans in New Spain, and the proximity of the river sources of the rivers of Coatzacoalcos and Chimalapa, which discharge into the Gulf of Mexico and the Pacific Ocean respectively. In the Essay, he mentioned multiple points in the Spanish Americas where the two oceans could be connected, including the Isthmus of Panama (belonging to the Viceroyalty of New Granada), remarking the fact that Vasco Núñez de Balboa successfully crossed it as early as 1513 (several years before Mexico was conquered by Spain), but that since then, at the time of the work's publication, no survey of the region nor the determination of its exact geographic position had been made, despite propositions being made since 1528 suggesting cutting that Isthmus and joining the sources of local rivers.
Indeed, he also remarked that Viceroy Juan Vicente de Güemes, 2nd Count of Revillagigedo, "has been for a longtime occupied" in the project of the creation of such a canal, and that land-based roads had been opened in the Isthmus since the late 18th century, which created commercial communication between the two oceans; these were used, he remarked, to transport "the most precious of all known indigoes," the indigo from Guatemala (then a kingdom belonging to New Spain covering much of Central America, bordering Panama, though, according to Humboldt, it "depends very little on the viceroy of New Spain"), and cacao from Guayaquil (in modern-day Ecuador, then part of the Real Audiencia de Quito) to Acapulco and, from there, to Vera Cruz to be sent to Europe, so as to avoid the dangers and difficulties of navigation to and through Cape Horn. He remarked in the Essay the natural beauty and rich resources of the intendancy of Oaxaca, where Tehuantepec is located, and stated that the port "will become one day of great consequence when navigation in general, and especially the transport of the indigo of Guatimala, shall become more frequent by the Rio Guasacualco ."
In 1774, the Spanish authorities conducted geological research in the Isthmus and issued a decree allowing their colony to create a canal in 1814, but this would not occur until Mexico became an independent country a few years later. Shortly after the independence, the Mexican government conducted its own surveys in the region, which resulted in the survey teams proposing the idea of the construction of a railroad, though this wasn't done due to Mexico's economic crisis of this period.
First attempts
No serious attempts to construct the corridor would be made until 1842, during the presidency of Antonio López de Santa Anna, when plans were made to build an interoceanic communication line in the Isthmus. However, no such line would be built. The task to achieve this was given to a businessman named José Garay on March 1 of that year, who would be entitled to collect tolls for its usage for 50 years, paying 1/4 of the profits to the Mexican government. Garay was to conduct a survey of the region within 18 months at most and the construction of the communication line would be done within the following 10. Though the idea of a railway was the one initially proposed and which would be ultimately executed, one of the engineers, the Italian Gaetano Moro, advocated for the creation of a ship canal instead, estimating that the cost of its construction would be lower than it would actually end up being. Eventually, in August 1846, Garay ceded the lands and privilege to build the communication line to the Mexico City-based firm of Manning and Mackintosh, owned by Robert Manning and Ewing C. Mackintosh, representatives of British bondholder committees in Mexico, and to the London-based Schneider & Co., Schneider being an English consul involved in the exploitation of mahogany in the Isthmus. This agreement was ratified in 1847. 18 months would pass without any notable advancements in the project, despite Manning's insistence for the contrary. Throughout the following years, these firms would be disputing with the Mexican government over the validity of this agreement, and by started to look for investors from the United States, as, upon the aftermath of the Mexican–American War, demand from American businesses to install businesses in Mexico with benefits from the defeated Mexican government increased. By 1850 the firms had ceded the privilege to build the communication line to a New Orleans, U.S., company which would become known as the Louisiana Tehuantepec Company. Ultimately, the communication line would not be built.
Later in 1859 the Mexican and United States' governments signed the McLane–Ocampo Treaty. The treaty, if ratified, would've given the United States the right to make full use, "in perpetuity," of the Isthmus of Tehuantepec, though this never occurred as the treaty was never ratified. This treaty remains controversial to this day, as Mexicans continue to consider that the signing of it almost made the nation lose its sovereignty. This controversy would, in fact, continue to cause debate when plans were made to create an interoceanic corridor through the Isthmus of Tehuantepec in the 1990s.
The Tehuantepec Railway and later projects
Despite the failure of the previous attempts and controversial events surrounding the usage of the site, businesses and the government continued to show their interest in the creation of a communication line between the two oceans through the narrow Isthmus, and so, during the presidency of Porfirio Díaz, himself a man from Oaxaca, the project of a railway in the Isthmus of Tehuantepec would start to get shape, this time insuring the neutrality of the passage and that the Mexican nation would preserve its sovereignty, now that it enjoyed political stability and had a strong standing army.
In 1878, an American company formed by a man named Edward Learned proposed being in charge of the construction of the railway, starting it in the year 1880, but due to considerable delays in its construction—just building in about two years, less than the agreed amount—the contract expired in August 1882. The task was then given to a man named Deflín Sánchez, who managed to build by April 1888, but there were still two thirds yet to be built. A contract was then given to Edward McLurdo, but he died before the contract could be carried out. The agreement, however, was taken by his widow in January 1892. In February, the government made an agreement with a firm of three contractors, Hampson, Chandos S. Stanhope and Corthell. It was originally planned for them to finish the railway by September 1893, but due to a lack of funds they were unable to do so. However, in December a new contract with Stanhope was signed to finish the work in nine months.
The Railway was completed in 1894, its first train passing through it in September of that year in a ten-hour long trip, starting at Coatzacoalcos at 6 in the morning and finishing at Salina Cruz at 4 in the afternoon. It officially opened in 1895. However, its quality was not sufficient enough for interoceanic traffic, so the Railway couldn't be used to link the oceans yet. In 1896, a private English company was authorized to be contracted to finish the construction of the Railway, S. Pearson & Son, Ltd., (today known as Pearson plc, then a construction company) owned by Sir Weetman Pearson, Bt, which already had experience in infrastructure in Mexico, having built Mexico City's sewage system before. This would be done, however, with intervention and participation from the Mexican government. The company would be in charge of modernizing the railways, the building of a telegraph system, two new ports; Salina Cruz, Oaxaca, to open up to the Pacific Ocean, and Coatzacoalcos, Veracruz, to the Atlantic; and of maintenance and administration.
Finally, on 23 January 1907 the Railway, along with the ports of Salina Cruz and Coatzacoalcos, were inaugurated by President Díaz, the inauguration being celebrated with the transportation of 11,500 tons of sugar from Hawaii from the USS Arizonan (not to be confused with the USS Arizona (BB-39)), followed by two Japanese ships. Up until that point, the American-Hawaiian Steamship Company had been using the Strait of Magellan to transport cargo from New York City to Honolulu and other ports in the Pacific. It then had signed a contract ensuring 500,000 tons of sugar to be transported through the Tehuantepec Railway. For the first six years, the Railway seemed to be highly successful, and provided a significant economic boost to Mexico. Throughout that period, it transported over 850 thousand tons of cargo across the two oceans. Throughout the construction of the railway the towns in the Isthmus area underwent considerable economic growth, to the point that the cities of Tehuantepec and Juchitán de Zaragoza had a larger economically active population in 1890 than the national average, only surpassed by the Distrito Federal (today known as Mexico City). In addition, Coatzacoalcos transitioned from a small village of fishermen within Minatitlán to its own municipality in 1881.
However, this success was only temporary, as the usage of the Railway began to plummet in 1914, when the Panama Canal was officially opened. Due to the profits made out of the shipment of products from New York to Honolulu or any other port in the Pacific, American businesses found it much more convinient to not let that business fall into the hands of the English or the Mexican government, thus they quickly started to go through Panama instead, driving away the Railway's main source of profit. In that year, the cargo of the Railway fell by a third, and in the following year by 77%. In addition, a few years earlier, in 1910, Mexico became engulfed in its largest civil war in history, the Mexican Revolution. Railways across the country started to be used almost exclusively for war, the Tehuantepec being used, as its usage plummeted, to transport Carrancista revolutionary troops and oil for ships.
During the presidency of Ernesto Zedillo, in the 1990s, a plan was made to modernize the ports of Lázaro Cárdenas and Coatzacoalcos, and to build a highway and railway between the two, but due to budget issues the plan was never executed. Plans to develop the economy of the Mexican South have been made since then. Under the administration of Enrique Peña Nieto, a plan was made to develop the economy through the creation of seven areas known as Special Economic Zones (Zonas Económicas Especiales, "ZEE" by its initials in Spanish and "SEZ" in English), but, as the project kept being postponed until 2017, the penultimate year of his presidency, little could be done regarding this. This project also came under criticism for a lack of budget for the infrastructure, for being "too ambicious" (though the current Corridor project has been found to be equally as ambitious), for its Zones being vulnerable to dispersion, among other reasons, though it did attract a certain degree of investment which would've produced several thousands of jobs. Though many Mexican Presidents have had plans to start building the Corridor again, this would not occur until the beginning of the presidency of Andrés Manuel López Obrador in 2018, who, as a man from the southern state of Tabasco, made the development of the Mexican South a priority of his government. In March 1995, the private sector became allowed through a constitutional amendment to participate in the provision of railroad services. In 1999, the state-owned company Ferrocarril del Istmo de Tehuantepec, S.A. de C.V., (FIT) was founded to operate the railway that connects Salina Cruz with the locality of , Veracruz. Through this company, the construction of the modern Corridor would be made.
The modern Corridor
Shortly after Andrés Manuel López Obrador became President of Mexico after his victory in the 2018 Mexican general election, a project was presented on December 23 called "Program for the Development of the Isthmus of Tehuantepec," with the purpose of "developing the economy of the region respecting its history, culture and traditions," with Rafael Marín Mollinedo, who would later be assigned as the first director of the Corridor, being in charge of the project, proposing the creation of the Corridor, then known as the Interoceanic Multimodal Corridor (Corredor Multimodal Interoceánico).
The Corridor project started development in the year of 2019, with the purpose of developing the economy and infrastructure of the area of the Isthmus of Tehuantepec in the Mexican South, which had faced social and economic stagnation for decades due to "inadequate public policies, official disinterest and decades-long exclusion of the public investment budgets, which lead to disinterest from private investment to the development of the region and its subsequent stagnation and deterioration," as the first official report of the project stated, on September 17 of that year. The Corridor project was officially created on 14 June 2019, according to the decree published in the Official Journal of the Federation on that day, as a decentralized public organization. Ten days after its official creation, López Obrador assigned Rafael Marín Mollinedo as the first general director of the project.
In that same year, in April, López Obrador officially cancelled the project of the Special Economic Zones, under the statement that it failed to fulfill its promised benefits, despite that it had a relatively promising development in 2018. However, as Baker Institute researcher Adrian Duhalt stated, the Corridor project has a wider range of impact than its predecessor, since it will cover an area of 79 municipalities in Veracruz and Oaxaca, while the SEZ only covered a handful of municipalities near Salina Cruz and Coatzacoalcos.
Works for the rehabilitation of the Tehuantepec railway started in June 2020, and it was reportedly expected that, though this, a cargo train through it would be able to move at a speed of , increasing their speed from the prior , and that passenger trains would be able to move at a speed of up to . López Obrador later stated that passenger trains will actually move at a speed of up to . According to the Fifth Government Report of the presidency of López Obrador, works for the modernization and expansion at the port of Salina Cruz through the construction of a breakwater started in January 2022.
According to the advancement report published on 14 February 2022 by the FIT on social media, amongst the activities that have been carried out for the modernization of the Tehuantepec Railway and the port of Salina Cruz are: the construction of the breakwater by pouring hundreds of thousands of tons of rock into the sea, the removal of old rail tracks, the distribution of basalt with the assistance of a work train, the replacement of old wooden sleepers and the application of exothermic welding to fix the tracks. In a controversial instance, in July 2023, it was announced that 200 trees would be cut down in the municipality of Salina Cruz for the construction of the Corridor, without offering much other information, at that time, about the business involved in the operation (later identified as ABCD ARQUITECTURA S.A. DE C.V., which is also responsible for the construction of the Coatzacoalcos railway station) or its environmental impact despite the requests of local communities, though the municipal council did agree to requests to spare some of the trees depending on their age, size and location, and to form a strategy to avoid massive deforestation. The process to cut these trees began on August 8, though reportedly the business involved "has made the environmental compensation, in accordance to the income law." The environmental impact of the Corridor has continued to be a source of concern for various communities in the Isthmus region.
In late November 2022, Marín Mollinedo announced his intention to step down from his position as director of the CIIT, to become the head of the , a request which became effective before December 15. His replacement became Raymundo Morales Ángeles, viceadmiral of the Mexican Navy who earned a degree in naval engineering in 1989, aside from decades of studies in both national and international institutions. By decree, the CIIT has been under the control of the Mexican Secretariat of the Navy since March 2023.
On the early morning of 19 May 2023, with the permission of a presidential decree, the Mexican Armed Forces took control of of the railways belonging to Ferrosur, a company owned by the conglomerate Grupo México, in Veracruz, sparking controversy. This portion is vital for the creation of the Corridor, since it connects the locality of with the port of Coatzacoalcos, completing the connection between the Pacific and Atlantic Oceans which the projects seeks to achieve. This event initially caused a dispute between Grupo México and the Mexican government. A few days after the event, various newspapers erroneously reported that the government accepted paying Grupo México 7 billion pesos in compensation, less than the 9.5 billion which the owner of Grupo México Germán Larrea Mota-Velasco had asked for, but this was denied by López Obrador on a morning press conference on May 24, stating that negotiations were continuing. On the night of May 31, this issue was resolved when the two parties reached an agreement. Under the agreement, instead of financially compensating the occupation, the concession of the railway, which possesses the occupied sections, in favor of Ferrosur granted by the government on 14 December 1998 will be extended by eight years so that it remains in force until the year 2056. According to Ferrosur, the FIT will be solely responsible for "the optimal safety conditions and the costs and expenses derived from the operation and maintenance of the track, slopes and yards in the aforementioned sections. We will only have to cover the fee corresponding to the right of way."
On 21 March 2023, director Morales Ángeles reported that the rehabilitation of the railway that connects Oaxaca and Veracruz had been 79% completed. The Fifth Government Report stated that by June 2023 the railway had an accumulated physical progress of 90%, while the breakwater of the port of Salina Cruz was at 30%. In late May 2023, the government declared that the Transisthmian Railway, one of the key elements of the project, has almost finished construction and estimated its inauguration at August or September 2023 and that will begin operating at full capacity in December, by which point the government expects to inaugurate all other infrastructural projects of the Corridor, as the governor of Oaxaca Salomón Jara Cruz stated on a press conference in late June.
On August 13, the third day of a supervision tour through the Corridor, López Obrador was presented with the first locomotive of the Interoceanic Railway, which was named Tehuana. Later, on August 26, what was formerly a tourist train in Puebla was received in Veracruz to serve as a passenger train for the Corridor, as the government of Puebla shut down its services in 2022 due to the high costs of its maintenance and operation, having spent hundreds of millions of pesos from 2016 to 2021 only to return less than 5 million. On August 21, López Obrador stated that he expects the Salina Cruz—Coatzacoalcos passenger train line (Line Z) to be ready by September 17, while, as he announced on July 21, the Coatzacoalcos—Palenque line (Line FA) will be ready by the end of the year or, at its latest, in March 2024.
On Monday August 28, the Corridor started its first test on the rehabilitated tracks, transporting 10 hoppers containing cement and 2 tanks of hydrofluoric acid from Medias Aguas to Salina Cruz. Crowds of locals gathered around the Tehuana with cheers and applause, as it was the first time the tracks had been used in over 25 years, since President Ernesto Zedillo privatized the railway sector, and as they expect for the Corridor to become an economic driver for their communities. On Saturday September 9, the passenger train was tested for the first time for a full interoceanic trip, from Coatzacoalcos to Salina Cruz, starting at 6:00 in the morning and arriving at its destination at 2:20 in the morning of the next day, with no issues reported at any point of the route. On September 17, President López Obrador made his first official trip on the Corridor's passenger train from Salina Cruz to Coatzacoalcos. He boarded the train along with the Governor of Oaxaca Salomón Jara Cruz, the Governor of Veracruz Cuitláhuac García Jiménez, and members of his cabinet, including the head of the Secretariat of the Navy José Rafael Ojeda Durán. López Obrador made a post on X (formerly Twitter) featuring a video showing gathered locals and construction workers cheering and applauding as he waves at them through a window. Political figures such as former Head of Government of Mexico City Claudia Sheinbaum and Governor Jara Cruz referred to the event as a historic moment. López Obrador arrived at Coatzacoalcos after a nearly 9-hour-long trip, exiting the Salina Cruz station at 10:35 and arriving at Coatzacoalcos at 19:30. Reportedly hundreds of citizens waited for his arrival for hours to welcome him.
On the morning press conference of the following day, general director Morales Ángeles offered details on the beginning of the Corridor's operations: the Ixtepec, Oaxaca, to Ciudad Hidalgo, Chiapas, line (Line K) will be the last to begin operation, in July 2024. Passenger operations for Line FA will begin between December 2023 and March 2024. Passenger operations for Line Z, the interoceanic line, will begin in December 2023. Cargo operations for Line Z and Line FA officially began in September, "from this very moment" he claimed. On October 14, López Obrador made a second official trip through the Corridor, also accompained by Ojeda Durán. He posted a video on X recorded during this trip in which he announced that the opening of the Corridor will take place on December 22, as a few technical details are yet to be polished. He also announced that the passenger train will move at a speed of up to . The trip, from Coatzacoalcos to Salina Cruz, lasted 7 hours, about the same amount of time as a bus trip, though he stated in the video that the train will be faster.
The Corridor
According to the Institutional Program of the Interoceanic Corridor of the Isthmus of Tehuantepec, published by the Official Journal of the Federation on 3 July 2023, the area of the Isthmus of Tehuantepec is within 79 municipalities: 46 in Oaxaca and 33 in Veracruz, where a considerable portion of the population is Indigenous (57% self-identified and 30% Indigenous language speakers in the Oaxaca Isthmus, and 25% self-identified with 7% Indigenous language speakers in the Veracruz Isthmus). These municipalities were chosen for "their proximity to the Tehuantepec Isthmus Railway, cultural relevance, historical productive relations, their logistical relevance and productive potential to make the region competitive." According to the Program, 60% of the population of the Isthmus lives in poverty, and 15.5% live in extreme poverty. In addition, in 2018, the six states with the highest poverty rates in Mexico were all in the South, including Veracruz and Oaxaca at spots 4 and 3 respectively, according to the CONEVAL. These poverty rates, in fact, worsened between 2008 and 2018, Veracruz's raising from 51.2% to 61.8% and Oaxaca's from 61.8% to 66.35%. It is within this area where the infrastructure for Corridor will be built.
Tehuantepec Isthmus Railway and ports
One of the most vital operations for the Corridor project is the rehabilitation of various portions of the Tehuantepec Isthmus Railway built under President Porfirio Díaz, so as to be adapted for the Corridor's current needs: of railway, 82 bridges and 290 drainage works will be rehabilitated for Line Z; , 91 bridges and 680 drainage works will be rehabilitated for Line FA, which reported a general progress of 40% in October 2023; , 526 bridges and 318 drainage works will be rehabilitated for Line K, which had a reported general progress of 5.5% in October 2023. As mentioned above, the rehabilitation is reportedly expected to result in a speed increase for trains using the railway, from to for cargo trains, and of up to for passenger trains, according to President López Obrador.
The Railway will have three lines, the most essential being Line Z, of in length, which connects the port of Salina Cruz, Oaxaca, with the locality of , Veracruz, thus allowing the port to connect with the port of Coatzacoalcos through the Ferrosur railways under the control of the Mexican government. Including these, Line Z reaches a length of . Line K, long, will connect the cities of Ixtepec, Oaxaca, and Ciudad Hidalgo, Chiapas, reaching the Guatemala–Mexico border. Line FA is long and will connect the states of Veracruz, Chiapas and Tabasco, connecting with the at the port of , and, through Palenque, Chiapas, with the Maya Train, in the Yucatán Peninsula, two of the most prominent megaprojects of López Obrador's presidency. In general, the Corridor will cover a distance of between the two ports.
The Tehuantepec Isthmus Railway forms one of the many railroad projects López Obrador has executed throughout his presidency. Under his administration, a large number of railroad projects have been made which he intends to finish before the end of his term in September 2024, with the goal of returning passenger trains to Mexico, which haven't been used in decades as Mexico's current railroads are used only for cargo (with the exception of El Chepe), a fact which he views as "irresponsible" as passenger trains continue to be functional in Europe and Asia.
As part of the project, a gas pipeline that crosses the Isthmus, between the two ports, and a liquefied natural gas plant in Salina Cruz will be built, so as to solve the issue of the lack of natural gas supply in the Mexican South and to be able to export gas to Asia, as former director Rafael Marín Mollinedo stated, who deems the supply of natural gas as necessary for Mexican industrial development. It will also supply the 10 industrial parks planned to be built for the project with natural gas. The company Temura Service & Consulting S.C., contracted by the Federal Electricity Commission, will be in charge of its construction, and will have a cost of 19 billion Mexican pesos. López Obrador stated that these projects will generate three thousand jobs in the South.
The ports of Coatzacoalcos and Salina Cruz will both be modernized and expanded. In Coatzacoalcos, a new highway access is being built, along a railway access by the port precinct of Laguna de Pajaritos, and customs is being modernized to operate with more agility. In Salina Cruz, a new port with an access depth of , a long breakwater and a wide mouth to receive ships with large drafts are being built. , the Secretary of Economy, claimed that, due to the Corridor, the ports of Salina Cruz and Coaztacoalcos will become the largest ones in the country. As of May 2023, the largest ports in Mexico are Manzanillo, Colima, and Lázaro Cárdenas, Michoacán.
Industrial parks
As part of the Corridor project, 10 industrial parks will be built in the Isthmus area to encourage private investment. These parks will be installed in 10 areas referred to as Development Poles for Welfare (Polos de Desarrollo para el Bienestar). Each of these parks will have a size of about , and companies which choose to invest in them will be offered various tax benefits by the government: businesses that install a production plant in the Corridor will not pay an income tax for the first three years and will enjoy an income tax reduction of at least 50% and of up to 90% for the following three if they meet "certain job creation goals." They also will not pay a value-added tax throughout the four years following 6 June 2023, the day following the publication of the decree encouraging investment through these tax benefits. In addition to this, they will be guaranteed services of water, electricity and natural gas, as López Obrador declared on a press conference in May 2023.
The industrial parks have interested businesses both national and international, such as vehicle manufacturers (though these have expressed their desire for better infrastructure in the region), and various Taiwanese chip, semiconductor and electronic manufacturers. It was reported on 19 June 2023 that Mexican and foreign businesses had presented, by then, 52 projects for the construction of plants that represent an investment of 4.5 billion US dollars. In late July, , the Secretary of Economy, estimated that the first five Development Poles which were declared will sum a private investment of 7 billion US dollars; she stated that the businesses which have contacted the Secretariat offer, on average, 1 billion dollars in investment.
On 11 May 2023, the government reported the details of six of the ten Development Poles for Welfare, officially declaring them the following day. On October 11, three more Poles were declared.
In Oaxaca:
Salina Cruz, , from Line Z of the Tehuantepec Isthmus Railway, from the port, from Ixtepec Airport.
San Blas Atempa, , from Line Z, from the port of Salina Cruz, from Ixtepec Airport.The ones declared on October 11 are:
Santa María Mixtequilla, , next to the Mexican Federal Highway 185D and the 190D, from Line Z, from Ixtepec Airport.
Ciudad Ixtepec, , next to the Mexican Federal Highway 185D, from Line Z, from Ixtepec Airport.
Matías Romero Avendaño, , next to Line Z, near the Mexican Federal Highway 185 (the Transistmian Highway), from Ixtepec Airport.
In Veracruz:
San Juan Evangelista, , from the railway node of which intersects the Tehuantepec Railway with railways heading to Central and Northern Mexico.
Texistepec, , from the port of Coatzacoalcos, from Minatitlán International Airport.
Coatzacoalcos I, , from Line Z, from the port, from Minatitlán International Airport.
Coatzacoalcos II, , from Minatitlán International Airport.
On June 20, the government published an invitation to tender to obtain a two-year-long concession with possibility of purchase for five of the first six Poles (excluding San Blas Atempa). Registrations for the invitation were held between June 26 and 30, and the decisions will be published on November 17. As López Obrador stated in June, the ten parks are expected to be assigned in November or December. In October, the Secretary of Economy stated that over 100 businesses showed interest in the Corridor, and of these 12 have reached the final phase of the bidding. These will become known the day the decisions are published. According to Enrique Nachón García, Secretary of Economic and Port Development (SEDECOP), these businesses are already enjoying the tax benefits offered at a state and federal level. Buenrostro added that there is contemplation for the construction of 2 industrial parks in the area of Tapachula, Chiapas, as the Corridor's Line K reaches Ciudad Hidalgo, Chiapas.
Reactions and economic impact
According to Eduardo Romero Fong, coordinator for the development and strategy of the industrial productive sector and welfare of the Corridor, the Corridor has the potential to be a "cheaper and faster" alternative to the Panama Canal, as, as he stated, it will be capable of transporting "1.4 million containers annually from port to port in a journey of less than six hours." He also stated that by the year 2050 the Corridor will generate 1.6% of the national GDP, 50 billion US dollars of investment and 550 thousand jobs. On 27 July 2023, the Mexican Secretary of Economy claimed the Corridor would contribute to 3% to 5% of the GDP once it starts operating at full capacity. It also has an advantage over the Panama Canal regarding its location, as American businesses seeking to transport cargo from one ocean to the other wouldn't have to travel all the way south to Panama, resulting in much faster transportation.
Alfredo Oranges, ambassador of Panama in Mexico, stated in May 2023 that, rather than a competitor to the Panama Canal, the Corridor can actually be "complementary" to it, offering to the government of López Obrador the century-old experience in port infrastructure of Panama and the capacity to receive cargo ships with large drafts. The former general director of the CIIT Rafael Marín Mollinedo agrees with this idea, since the Panama Canal "is saturated and cannot cope with all the demand," thus he states that "we don't call it an alternative, we prefer to refer to it as a complement."
Economists have observed that, if done well, the Corridor has a strong opportunity to boost the Mexican economy, especially in the South, by facilitating trade between the American East Coast and the Mexican South, as Mexican exports in this region are "very underrepresented," as Mexican economists Luis de la Calle and Adrián de la Garza pointed out. López Obrador has also expressed his expectation for the Corridor to improve trade with Asia, especially with China. From these factors, they agree that it has the potential to become the most important infrastructure project of López Obrador's presidency. Economist and analyst of the energy sector Rosanety Barrios suggests that, through government investments in highways, ports, railways, and offering safety and energy services, the Mexican South can gradually achieve obtaining the conditions of the North, a region which has enjoyed economic growth for years. Analysts have also concluded that the project will benefit various impoverished communities of Oaxaca by offering employment and access to services like health, water, sewer systems and education, along with various other improvements in infrastructure. Even some of López Obrador's critics, like economist and researcher Jorge Basave Kunhardt, have recognized the potential of the project, deeming it as "a promising project, in my opinion the only one with long-term sustainable projection among the megaprojects executed in this sexenio," though he noted that it "is not a project with short-term results, and it will only be successful if it transcends sexenios and administrations from various parties."
In September 2023, it was reported that the South and Southeast of Mexico, as a result of the various megaprojects López Obrador's administration has developed in the region, including the Corridor, has experienced unprecedented levels of economic growth after facing decades of stagnation. The reports found that the Mexican GDP on a nation-wide scale grew to an annual rate of 3.6% during the second quarter of the year, and that the eight states of the South and Southeast grew by 6%, twice the amount of the northern states.
The Mexican Secretary of Navy José Rafael Ojeda Durán stated on 1 June 2023, during a conference in Ciudad Madero, Tamaulipas, during the National Navy Day, that with the Corridor Mexico will become "a world shipping power" in the near future. Former Secretary of Government Adán Augusto López stated in a speech at Coatzacoalcos, prior to the 2024 Mexican general election, that the Corridor will not only be beneficial to Mexico, but to the rest of the world: "the Transisthmian [Corridor] is an old dream of the Mexicans and it's now a reality for all the inhabitants, from Salina Cruz to Coatzacoalcos; it's not just about connecting the country, it's about connecting the world."
Challenges
Though many view the creation of the Corridor in a positive way, analysts have pointed out that in order for the Corridor to achieve its goals it will have to overcome some considerable challenges, especially regarding safety and infrastructure, as crime and lack of proper infrastructure in the Mexican South have been a persistent issue.
In terms of infrastructure, the Corridor has the challenge of supplying the necessary amounts of natural gas, as it is estimated that it would require a supply of of natural gas, which would mean an increase of over 120% in the national distribution of hydrocarbon. At least of natural gas, above the which are currently supplied (as of August 2023), will have to be supplied daily for the desired industrial activities to be carried out. This imposes a challenge since the majority of Mexico's current natural gas supply is imported, especially from the United States, and since the state-owned company Pemex has faced complications in its attempts to increase the country's gas production. The (IMCO, by its initials in Spanish) has reported that a larger supply of natural gas will be needed for Mexico to take advantage of the recent impact which the economic phenomenon known as nearshoring has had in the country, as, despite the country's gas pipeline network's length having increased by over 50% between 2011 and 2022, it is still insufficient for the supply for the Mexican South and Southeast, where the Corridor is being built, a factor which has contributed to that region's lack of industrial development and economic competitiveness. As of 2023, nearly half of the demand for natural gas was concentrated in the six states bordering the United States, while only 16% was concentrated in the South and Southeast.
, president of the National Industry of Auto Parts (Industria Nacional de Autopartes), has stated that, though various national vehicle manufacturers have shown interest in the Corridor, not all of them could be functional in the region due to its highway infrastructure. Carlos Corral Serrano, executive director of the Mexican Association of Urban Planners (Asociación Mexicana de Urbanistas), has found the existing infrastructure of the region insufficient and in need of improvement. A limited amount of qualified personnel in the region could also be a challenge, which thus makes an investment in education and training a priority for the Corridor.
Another potential challenge the Corridor faces is the demand for an alternative route to the Panama Canal. The Mexican government has shown great enthusiasm for the project, as the Canal has suffered an intense drought which has reduced the number of ships that can cross it per day and has limited the weight each ship can carry, an issue which Mexico sees as an opportunity since such issues caused by climate change may increase the demand for a land-based alternative route, in addition to the fact that Mexico became a highly attractive country for investors in recent times. However, former director of the Regulatory Agency of Railway Transportation in Mexico (Agencia Reguladora de Transporte Ferroviario en México), Benjamín Alemán, believes that the current infrastructure of the Corridor is not sufficient to attract ships with large drafts, thus it is probable that only smaller ships would be interested in using it, though the Corridor's closer proximity to Asia and the American East Coast, one of the busiest trade routes which cross through the Americas, could be a point in its favor. Independently from these factors, the British newspaper Financial Times reported on 16 October 2023 that international shipping companies and other such entities have yet to show significant interest for the Corridor; an executive at Unique Logistics, for example, stated that whenever an alternative trade route is available, importers become highly skeptical and unsure of whether they should use it or not due to their lack of knowledge on its reliability. Lars Østergaard Nielsen, an executive at A.P. Møller-Mærsk (one of the world's largest container shipping groups), stated that the Corridor "could be very useful" if more manufacturing came to the Mexican South, but otherwise there would be "less demand." In addition to this factor, it has been found that the Corridor's initial phase will have the capicity to transport a maximum of 1.14 million twenty-foot equivalent units (TEUs) annually, which is considerably less than the amount transported through the Panama Canal, which transported 10.9 million in 2022. The report states that the construction of sufficient infrastructure for the project could take years and large sums of money, which makes it a risky venture.
Controversies
Indigenous and environmental activism
Though some observers have pointed out that the Corridor has the potential to boost the economy of Southern Mexico and benefit the local population and impoverished communities of Oaxaca, as is one of the goals of the project, several incidents have occurred in which Indigenous and environmental activists have clashed with the interests of the government for the Corridor or have faced other related problems.
Several indigenous communities in Oaxaca, for instance, have raised their concern regarding the environmental impact of the Corridor, with communities like that of the locality of Puente Madera, in the Zapotec municipality of San Blas Atempa, protesting against the construction of an industrial park in the land over this issue, despite the government's payment of 52 million pesos for it. Later, in June 2023, a federal court in Salina Cruz would rule in favor of the community after reporting irregularities in the purchase of the land, temporarily suspending the construction of the park. Prior to this, on April 28, a violent incident occurred in the site of Mogoñé Viejo, in San Juan Guichicovi, when Mixe activists clashed with the authorities after two months of blocking the Corridor's workers from rehabilitating a portion of the Transisthmian Railway. the clash resulted in the arrest of six protesters, two men and four women, one of whom was beaten by the authorities, according to eyewitnesses. The Secretariat of the Navy claimed this happened in response to a group of protesters attacking the Corridor's workers verbally and physically using poles and machetes. Nonetheless, organizations such as the EZLN and the National Indigenous Congress would refer to this event as an act of political repression, and demanded for the protesters to be liberated immediately. They were all freed two days later.
Such conflicts with Indigenous environmental activists were already expected, as various Indigenous communities of the Isthmus region are heavily opposed to the exploitation of their lands' resources by industrial parks, having entered into conflicts for them for decades. This, the UNAM academic Antionio Suárez suggests, could be one of the Corridor's greatest challenges, though he stated that, regardless, the Corridor is still "more positive than negative for the nation." The Indigenous peoples desire, above all other services, better agricultural infrastructure which does not negatively interfere with the biodiversity and their traditions, and depollution of the land and water, hence the environmental concerns due to the industrial parks.
On 4 July 2023, a Zapotec activist from Santa María Mixtequilla, Noel López Gallegos, was found dead by the local police in the municipality 24 hours after being reported as missing. The cause of his death was apparently an inflicted head injury. Prior to his death, López Gallegos and his brother had questioned the payment of 130 million pesos which the community received in exchange for the land, both of them claiming that it should be distributed among all four thousand inhabitants of the municipality, to the discomfort of the local comuneros since, as he claimed, the payment only benefited them and their offspring. His death sparked outrage, with the Union of Communities of the Northern Zone of the Isthmus of Tehuantepec (Ucizoni) condemning the murder and blaming it as a result of "how the imposition of a megaproject breaks the community fabric" since he was a member of a peaceful civil resistance group which questioned the development of the Corridor. As of July 12, little information is known regarding this case, other than that the police arrested a man in relation to his disappearance two days after the body was found. Acts of violence like such have worried various Indigenous communities in the Isthmus.
In late July, 23 civil society organizations registered, after three days of investigation, various violations to human rights in the Isthmus region related to the construction of the Corridor, such as intimidation from members of the Mexican National Guard to members of the Community Assembly and people who showed resistance to the project in Santa María Mixtequilla, illegal occupation of lands, dispossessions and acts of physical aggression against comuneros and comuneras in the town of Santa Cruz Tagolaba, in Tehuantepec, among other violations in other sites committed by the National Guard, the Armed Forces, the state police and other authorities, businesses and armed groups. The organizations reported at least 21 cases of intimidation and threats against community defenders or their families, 11 acts of physical and psychological violence, three homicides between October 2022 and July 2023, and other cases of human rights being violated in various parts of the Isthmus.
Directors
Rafael Marín Mollinedo, businessman from Quintana Roo, former director of Urban Services of the Federal District from 2000 to 2005 (24 June 2019—26 November 2022).
Raymundo Morales Ángeles, vice admiral of the Mexican Navy and naval engineer (29 November 2022—currently in charge).
References
External links
Official website (in Spanish).
Official website of the Ferrocarril del Istmo de Tehuantepec (in Spanish).
Pamphlets summarizing information regarding the CIIT, in English and Spanish.
Bibliography
Isthmuses of North America
Geography of Mexico
Geography of Mesoamerica
Gulf of Mexico
Coasts of Mexico
Economy of Mexico
Trade routes
|
```batchfile
set libfile=%~dp0..\..\ucrt\10.0.18362.0\lib\arm64\libucrt_shared.lib
copy "C:\Program Files (x86)\Windows Kits\10\Lib\10.0.18362.0\ucrt\arm64\libucrt.lib" "%libfile%" /y
@call "C:\Program Files (x86)\Microsoft Visual Studio\2019\Community\VC\Auxiliary\Build\vcvarsamd64_arm64.bat"
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\crtw32\misc\nt\objfre\arm64\guard_support.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\crtw32\misc\nt\objfre\arm64\dispatchcfg.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\crtw32\misc\nt\objfre\arm64\guard_dispatch.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\crtw32\misc\nt\objfre\arm64\cfgcheckthunk.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\arm64\mt\objfre\arm64\fpctrl.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\arm64\mt\objfre\arm64\filter.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\arm_arm64\mt\objfre\arm64\tanf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\arm_arm64\mt\objfre\arm64\tan.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\arm_arm64\mt\objfre\arm64\sincosf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\arm_arm64\mt\objfre\arm64\sincos.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\arm_arm64\mt\objfre\arm64\powf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\arm_arm64\mt\objfre\arm64\pow.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\arm_arm64\mt\objfre\arm64\logf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\arm_arm64\mt\objfre\arm64\log2.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\arm_arm64\mt\objfre\arm64\log10f.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\arm_arm64\mt\objfre\arm64\log10.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\arm_arm64\mt\objfre\arm64\log.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\arm_arm64\mt\objfre\arm64\ieee.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\arm_arm64\mt\objfre\arm64\frnd.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\arm_arm64\mt\objfre\arm64\fmodf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\arm_arm64\mt\objfre\arm64\fmod.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\arm_arm64\mt\objfre\arm64\fabsf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\arm_arm64\mt\objfre\arm64\expf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\arm_arm64\mt\objfre\arm64\exp.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\arm_arm64\mt\objfre\arm64\strspn.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\arm_arm64\mt\objfre\arm64\strpbrk.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\arm_arm64\mt\objfre\arm64\strncpy.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\arm_arm64\mt\objfre\arm64\strncmp.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\arm_arm64\mt\objfre\arm64\strncat.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\arm_arm64\mt\objfre\arm64\strlen.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\arm_arm64\mt\objfre\arm64\strcspn.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\arm_arm64\mt\objfre\arm64\strcmp.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\arm_arm64\mt\objfre\arm64\strcat.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\notamd64\mt\objfre\arm64\remainder_.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\notamd64\mt\objfre\arm64\remainderf_.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\notamd64\mt\objfre\arm64\ieeemisc.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\amd64_arm_arm64\mt\objfre\arm64\strset.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\amd64_arm_arm64\mt\objfre\arm64\strrev.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\amd64_arm_arm64\mt\objfre\arm64\strnset.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\amd64_arm_arm64\mt\objfre\arm64\memccpy.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\_finitef.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\_finite.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\_copysignf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\_copysign.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\_chgsignf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\_chgsign.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\tanhf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\tanh.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\sqrtf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\sqrt.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\sinhf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\sinh.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\remainder_piby2.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\modff.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\modf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\logbf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\logb.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\libm_error.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\hypotf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\hypot.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\floorf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\floor.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\exp2.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\coshf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\cosh.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\ceilf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\ceil.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\cabsf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\cabs.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\atanf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\atan2f.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\atan2.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\atan.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\asinf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\asin.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\acosf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\noti386\mt\objfre\arm64\acos.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\misc\mt\objfre\arm64\systime.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\misc\mt\objfre\arm64\slbeep.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\misc\mt\objfre\arm64\seterrm.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\misc\mt\objfre\arm64\resetstk.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\misc\mt\objfre\arm64\is_wctype.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\misc\mt\objfre\arm64\getcwd.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\misc\mt\objfre\arm64\drivfree.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\misc\mt\objfre\arm64\drivemap.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\misc\mt\objfre\arm64\drive.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\misc\mt\objfre\arm64\chdir.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\tombbmbc.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\tojisjms.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbtoupr.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbtolwr.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbtokata.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbtohira.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsupr.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbstok_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbstok.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsstr.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsspnp.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsspn.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsset_s_l.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsset_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsset.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsrev.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsrchr.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbspbrk.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsnset_s_l.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsnset_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsnset.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsninc.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsnicol.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsnicmp.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsnextc.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsncpy_s_l.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsncpy_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsncpy.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsncoll.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsncmp.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsnccnt.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsncat_s_l.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsncat_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsncat.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsnbset_s_l.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsnbset_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsnbset.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsnbico.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsnbicm.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsnbcpy_s_l.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsnbcpy_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsnbcpy.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsnbcol.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsnbcnt.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsnbcmp.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsnbcat_s_l.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsnbcat_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsnbcat.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbslwr.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbslen_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbslen.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsinc.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsicoll.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsicmp.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsdec.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbscspn.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbscpy_s_l.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbscpy_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbscoll.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbscmp.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbschr.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbscat_s_l.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbscat_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbsbtype.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbclevel.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbclen.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbccpy_s_l.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbccpy_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbccpy.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\mbbtype.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\ismbupr.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\ismbspc.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\ismbsle.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\ismbpunc.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\ismbprn.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\ismblwr.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\ismblgl.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\ismbknj.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\ismbgrph.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\ismbdgt.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\ismbbyte.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\ismbalph.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\mbstring\mt\objfre\arm64\ismbalnm.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\initializers\mt\objfre\arm64\console_output_initializer.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\initializers\mt\objfre\arm64\console_input_initializer.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\heap\mt\objfre\arm64\heapmin.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\heap\mt\objfre\arm64\heapchk.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\exec\mt\objfre\arm64\wait.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\exec\mt\objfre\arm64\system.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\exec\mt\objfre\arm64\spawnvp.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\exec\mt\objfre\arm64\spawnv.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\exec\mt\objfre\arm64\spawnlp.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\exec\mt\objfre\arm64\spawnl.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\exec\mt\objfre\arm64\loaddll.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\exec\mt\objfre\arm64\getproc.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\exec\mt\objfre\arm64\cenvarg.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\env\mt\objfre\arm64\setenv.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\env\mt\objfre\arm64\searchenv.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\env\mt\objfre\arm64\putenv.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\env\mt\objfre\arm64\get_environment_from_os.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\env\mt\objfre\arm64\getpath.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\env\mt\objfre\arm64\getenv.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\env\mt\objfre\arm64\environment_initialization.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\time\mt\objfre\arm64\wcsftime.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\time\mt\objfre\arm64\utime.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\time\mt\objfre\arm64\tzset.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\time\mt\objfre\arm64\timeset.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\time\mt\objfre\arm64\time.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\time\mt\objfre\arm64\strtime.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\time\mt\objfre\arm64\strftime.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\time\mt\objfre\arm64\strdate.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\time\mt\objfre\arm64\mktime.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\time\mt\objfre\arm64\loctotime.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\time\mt\objfre\arm64\localtime.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\time\mt\objfre\arm64\gmtime.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\time\mt\objfre\arm64\ftime.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\time\mt\objfre\arm64\difftime.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\time\mt\objfre\arm64\days.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\time\mt\objfre\arm64\ctime.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\time\mt\objfre\arm64\clock.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\time\mt\objfre\arm64\asctime.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\lowio\mt\objfre\arm64\write.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\lowio\mt\objfre\arm64\umask.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\lowio\mt\objfre\arm64\txtmode.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\lowio\mt\objfre\arm64\telli64.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\lowio\mt\objfre\arm64\tell.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\lowio\mt\objfre\arm64\setmode.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\lowio\mt\objfre\arm64\read.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\lowio\mt\objfre\arm64\osfinfo.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\lowio\mt\objfre\arm64\open.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\lowio\mt\objfre\arm64\mktemp.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\lowio\mt\objfre\arm64\lseek.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\lowio\mt\objfre\arm64\locking.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\lowio\mt\objfre\arm64\isatty.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\lowio\mt\objfre\arm64\ioinit.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\lowio\mt\objfre\arm64\filelength.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\lowio\mt\objfre\arm64\eof.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\lowio\mt\objfre\arm64\dup2.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\lowio\mt\objfre\arm64\dup.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\lowio\mt\objfre\arm64\creat.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\lowio\mt\objfre\arm64\commit.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\lowio\mt\objfre\arm64\close.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\lowio\mt\objfre\arm64\chsize.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\filesystem\mt\objfre\arm64\wunlink.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\filesystem\mt\objfre\arm64\wrmdir.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\filesystem\mt\objfre\arm64\wrename.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\filesystem\mt\objfre\arm64\wmkdir.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\filesystem\mt\objfre\arm64\wchmod.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\filesystem\mt\objfre\arm64\waccess.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\filesystem\mt\objfre\arm64\unlink.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\filesystem\mt\objfre\arm64\stat.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\filesystem\mt\objfre\arm64\splitpath.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\filesystem\mt\objfre\arm64\rmdir.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\filesystem\mt\objfre\arm64\rename.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\filesystem\mt\objfre\arm64\mkdir.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\filesystem\mt\objfre\arm64\makepath.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\filesystem\mt\objfre\arm64\fullpath.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\filesystem\mt\objfre\arm64\findfile.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\filesystem\mt\objfre\arm64\chmod.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\filesystem\mt\objfre\arm64\access.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\conio\mt\objfre\arm64\putwch.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\conio\mt\objfre\arm64\putch.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\conio\mt\objfre\arm64\popen.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\conio\mt\objfre\arm64\pipe.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\conio\mt\objfre\arm64\initconin.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\conio\mt\objfre\arm64\initcon.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\conio\mt\objfre\arm64\getwch.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\conio\mt\objfre\arm64\getch.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\conio\mt\objfre\arm64\cscanf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\conio\mt\objfre\arm64\cputws.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\conio\mt\objfre\arm64\cputs.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\conio\mt\objfre\arm64\cprintf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\conio\mt\objfre\arm64\cgetws.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\..\desktopcrt\conio\mt\objfre\arm64\cgets.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\_values.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\_unscale.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\_test.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\_scale.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\_norm.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\_fenvutils.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\util.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\truncl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\truncf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\trunc.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\tgammal.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\tgammaf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\tgamma.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\scalbnl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\scalbnf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\scalbn.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\scalblnl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\scalblnf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\scalbln.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\roundl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\roundf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\round.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\rintl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\rintf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\rint.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\remquol.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\remquof.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\remquo.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\remainderl_.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\powhlp.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\norml.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\normf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\norm.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\nexttowardl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\nexttowardf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\nexttoward.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\nextafterl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\nextafterf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\nextafter.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\nearbyintl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\nearbyintf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\nearbyint.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\nanl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\nanf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\nan.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\matherr.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\lroundl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\lroundf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\lround.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\lrintl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\lrintf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\lrint.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\logb_.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\logbl_.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\logbf_.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\log2l.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\log2f.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\log2d.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\log1pl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\log1pf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\log1p.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\llroundl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\llroundf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\llround.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\llrintl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\llrintf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\llrint.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\lgammal.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\lgammaf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\lgamma.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\ldexp.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\ilogbl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\ilogbf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\ilogb.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\frexp.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\fpexcept.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\fminl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\fminf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\fmin.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\fmaxl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\fmaxf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\fmax.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\fmal.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\fmaf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\fma.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\fetestexcept.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\fesetround.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\fesetexceptflag.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\fesetenv.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\feholdexcept.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\fegetround.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\fegetexceptflag.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\fegetenv.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\feclearexcept.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\fdiml.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\fdimf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\fdim.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\fabs.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\expm1l.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\expm1f.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\expm1.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\exp2l.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\exp2f.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\exp2d.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\erfl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\erff.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\erfcl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\erfcf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\erfc.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\erf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\ctanl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\ctanhl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\ctanhf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\ctanh.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\ctanf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\ctan.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\csqrtl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\csqrtf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\csqrt.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\csinl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\csinhl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\csinhf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\csinh.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\csinf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\csin.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\creall.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\crealf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\creal.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cprojl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cprojf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cproj.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cpowl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cpowf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cpow.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\copysignl.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\copysignf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\copysign.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\contrlfp.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\conjl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\conjf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\conj.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\clogl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\clogf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\clog10l.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\clog10f.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\clog10.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\clog.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cimagl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cimagf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cimag.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cexpl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cexpf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cexp.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\ccosl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\ccoshl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\ccoshf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\ccosh.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\ccosf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\ccos.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cbrtl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cbrtf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cbrt.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\catanl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\catanhl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\catanhf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\catanh.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\catanf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\catan.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\casinl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\casinhl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\casinhf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\casinh.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\casinf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\casin.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cargl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cargf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\carg.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cacosl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cacoshl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cacoshf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cacosh.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cacosf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cacos.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cabs_.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cabsl_.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\cabsf_.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\bessel.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\atanhl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\atanhf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\atanh.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\asinhl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\asinhf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\asinh.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\acoshl.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\acoshf.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\tran\mt\objfre\arm64\acosh.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wmemmove_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wmemcpy_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcsxfrm.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcsupr.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcstok_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcstok.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcsspn.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcsset_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcsset.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcsrev.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcspbrk.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcsnset_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcsnset.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcsnicol.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcsnicmp.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcsncpy_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcsncpy.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcsncoll.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcsncnt.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcsncmp.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcsncat_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcsncat.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcslwr.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcsicoll.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcsicmp.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcsdup.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcscspn.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcscpy_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcscpy.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcscoll.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcscmp.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcscat_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\wcscat.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\strxfrm.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\strupr.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\strtok_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\strtok.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\strset_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\strnset_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\strnlen.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\strnicol.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\strnicmp.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\strncpy_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\strncoll.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\strncnt.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\strncat_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\strlwr.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\stricoll.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\stricmp.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\strdup.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\strcpy_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\strcoll.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\strcat_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\memicmp.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\string\mt\objfre\arm64\memcpy_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdlib\mt\objfre\arm64\rotr.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdlib\mt\objfre\arm64\rotl.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdlib\mt\objfre\arm64\rand_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdlib\mt\objfre\arm64\rand.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdlib\mt\objfre\arm64\qsort_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdlib\mt\objfre\arm64\qsort.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdlib\mt\objfre\arm64\lsearch_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdlib\mt\objfre\arm64\lsearch.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdlib\mt\objfre\arm64\lldiv.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdlib\mt\objfre\arm64\llabs.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdlib\mt\objfre\arm64\lfind_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdlib\mt\objfre\arm64\lfind.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdlib\mt\objfre\arm64\ldiv.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdlib\mt\objfre\arm64\labs.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdlib\mt\objfre\arm64\imaxdiv.obj
::lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdlib\mt\objfre\arm64\imaxabs.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdlib\mt\objfre\arm64\div.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdlib\mt\objfre\arm64\byteswap.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdlib\mt\objfre\arm64\bsearch_s.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdlib\mt\objfre\arm64\bsearch.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdlib\mt\objfre\arm64\abs.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\_sftbuf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\_getbuf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\_freebuf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\_flsbuf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\_file.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\_filbuf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\ungetwc.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\ungetc.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\tmpfile.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\tempnam.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\stream.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\setvbuf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\setmaxf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\setbuf.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\rmtmp.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\rewind.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\putws.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\putw.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\puts.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\printf_count_output.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\output.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\openfile.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\ncommode.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\input.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\getw.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\gettemppath.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\gets.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\fwrite.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\ftell.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\fsetpos.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\fseek.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\freopen.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\fread.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\fputws.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\fputwc.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\fputs.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\fputc.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\fopen.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\fileno.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\fgetwc.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\fgets.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\fgetpos.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\fgetc.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\fflush.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\feoferr.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\fdopen.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\fclose.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\closeall.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\stdio\mt\objfre\arm64\clearerr.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\startup\mt\objfre\arm64\thread.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\startup\mt\objfre\arm64\onexit.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\startup\mt\objfre\arm64\initterm.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\startup\mt\objfre\arm64\exit.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\startup\mt\objfre\arm64\assert.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\startup\mt\objfre\arm64\argv_winmain.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\startup\mt\objfre\arm64\argv_wildcards.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\startup\mt\objfre\arm64\argv_parsing.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\startup\mt\objfre\arm64\argv_data.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\startup\mt\objfre\arm64\abort.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\misc\mt\objfre\arm64\_strerr.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\misc\mt\objfre\arm64\wperror.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\misc\mt\objfre\arm64\terminate.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\misc\mt\objfre\arm64\syserr.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\misc\mt\objfre\arm64\strerror.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\misc\mt\objfre\arm64\signal.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\misc\mt\objfre\arm64\set_error_mode.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\misc\mt\objfre\arm64\perror.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\misc\mt\objfre\arm64\invalid_parameter.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\misc\mt\objfre\arm64\getpid.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\misc\mt\objfre\arm64\exception_filter.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\misc\mt\objfre\arm64\errno.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\misc\mt\objfre\arm64\crtmbox.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\mbstring\mt\objfre\arm64\mbctype.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\locale\mt\objfre\arm64\wsetlocale.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\locale\mt\objfre\arm64\widechartomultibyte.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\locale\mt\objfre\arm64\setlocale.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\locale\mt\objfre\arm64\nlsdata.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\locale\mt\objfre\arm64\multibytetowidechar.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\locale\mt\objfre\arm64\locale_update.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\locale\mt\objfre\arm64\locale_refcounting.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\locale\mt\objfre\arm64\localeconv.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\locale\mt\objfre\arm64\lconv_unsigned_char_initialization.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\locale\mt\objfre\arm64\lcmapstringw.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\locale\mt\objfre\arm64\lcmapstringa.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\locale\mt\objfre\arm64\lcidtoname_downlevel.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\locale\mt\objfre\arm64\inittime.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\locale\mt\objfre\arm64\initnum.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\locale\mt\objfre\arm64\initmon.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\locale\mt\objfre\arm64\initctype.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\locale\mt\objfre\arm64\glstatus.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\locale\mt\objfre\arm64\get_qualified_locale.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\locale\mt\objfre\arm64\getstringtypew.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\locale\mt\objfre\arm64\getstringtypea.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\locale\mt\objfre\arm64\getqloc_downlevel.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\locale\mt\objfre\arm64\getlocaleinfoa.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\locale\mt\objfre\arm64\ctype.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\locale\mt\objfre\arm64\comparestringw.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\locale\mt\objfre\arm64\comparestringa.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\internal\mt\objfre\arm64\win_policies.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\internal\mt\objfre\arm64\winapi_thunks.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\internal\mt\objfre\arm64\shared_initialization.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\internal\mt\objfre\arm64\setenvironmentvariablea.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\internal\mt\objfre\arm64\setcurrentdirectorya.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\internal\mt\objfre\arm64\report_runtime_error.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\internal\mt\objfre\arm64\per_thread_data.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\internal\mt\objfre\arm64\outputdebugstringa.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\internal\mt\objfre\arm64\locks.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\internal\mt\objfre\arm64\loadlibraryexa.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\internal\mt\objfre\arm64\initialization.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\internal\mt\objfre\arm64\getmodulefilenamea.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\internal\mt\objfre\arm64\createprocessa.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\initializers\mt\objfre\arm64\tmpfile_initializer.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\initializers\mt\objfre\arm64\timeset_initializer.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\initializers\mt\objfre\arm64\stdio_initializer.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\initializers\mt\objfre\arm64\multibyte_initializer.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\initializers\mt\objfre\arm64\locale_initializer.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\initializers\mt\objfre\arm64\clock_initializer.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\heap\mt\objfre\arm64\recalloc.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\heap\mt\objfre\arm64\realloc_base.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\heap\mt\objfre\arm64\realloc.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\heap\mt\objfre\arm64\new_mode.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\heap\mt\objfre\arm64\new_handler.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\heap\mt\objfre\arm64\msize.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\heap\mt\objfre\arm64\malloc_base.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\heap\mt\objfre\arm64\malloc.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\heap\mt\objfre\arm64\heap_handle.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\heap\mt\objfre\arm64\heapwalk.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\heap\mt\objfre\arm64\free_base.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\heap\mt\objfre\arm64\free.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\heap\mt\objfre\arm64\expand.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\heap\mt\objfre\arm64\calloc_base.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\heap\mt\objfre\arm64\calloc.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\heap\mt\objfre\arm64\align.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\_wctype.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\_mbslen.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\_fptostr.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\_ctype.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\xtoa.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\wctype.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\wctrans.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\wctomb.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\wcstombs.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\wcrtomb.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\towupper.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\towlower.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\tolower_toupper.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\swab.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\strtox.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\strtod.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\mbtowc.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\mbstowcs.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\mbrtowc.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\mbrtoc32.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\mbrtoc16.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\mblen.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\iswctype.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\ismbstr.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\isctype.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\gcvt.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\fp_flags.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\fcvt.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\cvt.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\cfout.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\c32rtomb.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\c16rtomb.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\atox.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\atoldbl.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\..\..\convert\mt\objfre\arm64\atof.obj
lib "%libfile%" /remove:d:\os\obj\arm64fre\minkernel\crts\ucrt\src\appcrt\dll\mt\objfre\arm64\empty.obj
```
|
Bethel Church is a historic church building in rural Morning Sun, Iowa, United States. The congregation was organized by the Wapello mission of the Methodist Episcopal Church in Iowa in 1854. In addition to the Morning Sun congregation, the Wapello mission included congregations in Concord, Long Creek, and two in Wapello. The property for the church building and its adjacent cemetery was donated by Merit Jamison. Members of the congregation built the building under the supervision of stonemason Francis McGraw. The limestone structure is a Vernacular form of Iowa folk architecture. The small cornice returns are influenced by the Greek Revival style. The plain interior features plastered walls, plank flooring and wood-carved furnishings from the church's early years. The iron fence that runs along the gravel road was added in 1861. The church is no used for regularly scheduled services. It was added to the National Register of Historic Places in 1979.
References
Religious organizations established in 1854
Churches completed in 1855
Methodist churches in Iowa
Vernacular architecture in Iowa
National Register of Historic Places in Louisa County, Iowa
Churches on the National Register of Historic Places in Iowa
Louisa County, Iowa
1854 establishments in Iowa
|
Jakov Filipović (; born 17 October 1992) is a Croatian footballer who plays for Beveren as a defender.
International career
He made his debut for Croatia in a January 2017 friendly match against Chile and has earned a total of 3 caps, scoring no goals. His final international was a May 2017 friendly against Mexico.
References
External links
1992 births
Living people
People from Vukosavlje
Sportspeople from Doboj Region
Men's association football central defenders
Croatian men's footballers
Croatia men's international footballers
Bosnia and Herzegovina men's footballers
NK BSK Bijelo Brdo players
HNK Cibalia players
NK Inter Zaprešić players
K.S.C. Lokeren Oost-Vlaanderen players
FC BATE Borisov players
S.K. Beveren players
Second Football League (Croatia) players
First Football League (Croatia) players
Croatian Football League players
Belgian Pro League players
Challenger Pro League players
Belarusian Premier League players
Croatian expatriate men's footballers
Expatriate men's footballers in Belgium
Croatian expatriate sportspeople in Belgium
Expatriate men's footballers in Belarus
Croatian expatriate sportspeople in Belarus
|
American Roots Music is a 2001 multi-part documentary film that explores the historical roots of American Roots music through footage and performances by the creators of the movement: Folk, Country, Blues, Gospel, Bluegrass, and many others.
This PBS film series is available as an 'in-class' teaching tool.
Notable musicians that appear in this documentary are:
Kris Kristofferson (as narrator)
Bonnie Raitt
Robbie Robertson
Bob Dylan
Eddie Vedder
Mike Seeger
Ricky Skaggs
Marty Stuart
Rufus Thomas
Doc Watson
James Cotton
Bela Fleck
Douglas B. Green
Arlo Guthrie
Flaco Jiménez
B.B. King
Bruce Springsteen
Steven Van Zandt
Robert Mirabal
Keb' Mo'
Willie Nelson
Sam Phillips
Bernice Johnson Reagon
Keith Richards
Earl Scruggs
Ralph Stanley
References
External links
PBS Site
Epitonic review
Teachinghistory.org review of companion website
2001 television films
2001 films
American musical documentary films
Films directed by Jim Brown
2000s English-language films
2000s American films
|
Skeptic is a song by American heavy metal band Slipknot from their fifth studio album, .5: The Gray Chapter. The song was first released as a promo/digital single on October 17, 2014. It was the sixth promotional single and eighth overall single released from the album. The song is a tribute piece to late bassist Paul Gray who died from a drug overdose in May 2010.
Background
The song was uploaded to their official YouTube channel on the same day as the Japan release of .5: The Gray Chapter on October 17, 2014. It featured original cover art; it is unknown at this time whether "Skeptic" will be a radio single and have a music video or will remain as a promotional single.
Critical reception
Loudwire stated "Today, we treat our ears to ‘Skeptic.’ Fans will automatically zone in on the track’s chorus: “The world will never see another crazy motherfucker like you / The world will never know another man as amazing as you.” Additional lyrics such as, “You were a gift,” “He was the best of us” and “I will keep your soul alive” point further toward Gray as the man referenced in ‘Skeptic." Metal Insider said "With a line like “the world will never see another crazy motherfucker like you, the world will never know another man as amazing as you,” we’re inclined to agree with that statement."
"Skeptic" was also included at number 99 on Spin magazine's list of the 101 Best Songs of 2014. Describing the song as "one of the year's most affecting love songs" that takes Slipknot "to surprisingly maudlin heights on the scream-along chorus", the magazine also noted it as "a rare unmasked moment for the enduring septet". Despite this, the review concluded that "the song is far too pulverizing to ever be considered their "Knockin' on Heaven's Door"".
References
Slipknot (band) songs
2014 songs
Songs written by Corey Taylor
Songs written by Jim Root
|
That Championship Season is a 1999 American made-for-television drama film about the 20th reunion of four members of a championship high school basketball team and their coach. The film is based on Jason Miller's 1972 Pulitzer Prize-winning play of the same name, and is the second film adaptation of the play, after the 1982 feature film. The film was directed by Paul Sorvino, who also stars as the coach; he had earlier appeared, as one of the former players, in both the original stage production and the 1982 film.
In addition to Sorvino, That Championship Season stars Vincent D'Onofrio, Terry Kinney, Tony Shalhoub and Gary Sinise, who portray the four former players. The screenplay was by Miller, who had also written the screenplay for the 1982 film.
Plot
Phil, James, George, and Tom meet 20 years after their championship high school game at a special reunion at their high school. Afterwards, they decide to visit the home of their old coach. While at first it seems they are all having a few harmless drinks, the night soon takes a violent turn as several things are realized; Phil is having an affair with George's wife, George (who is running for mayor) is firing James, who is his campaign chairman, and Tom has become a reeling drunk.
With the help of their old Coach, the men try to put their lives back together—but the Coach proves to be nothing they believed him to have been, and worse than no help; in fact, his involvement with each of the men's lives proves to have done them all much more harm than good. This is particularly glaring because of the refusal of the star player, who still hates the Coach after all these years, to attend the reunion.
Featured cast
See also
List of basketball films
References
External links
1999 television films
1999 films
American drama television films
1999 drama films
American films based on plays
Metro-Goldwyn-Mayer films
Films set in Pennsylvania
Television shows based on plays
American basketball films
1990s American films
|
```javascript
import test from 'tape-catch';
import vtkMapper from 'vtk.js/Sources/Rendering/Core/Mapper';
import vtkPlane from 'vtk.js/Sources/Common/DataModel/Plane';
test('Test vtkAbstractMapper publicAPI', (t) => {
const mapper = vtkMapper.newInstance();
t.equal(mapper.getClippingPlanes().length, 0);
const normals = [
[1.0, 0.0, 0.0],
[0.0, 1.0, 0.0],
[0.0, 0.0, 1.0],
];
const plane = vtkPlane.newInstance({ normal: normals[0] });
mapper.addClippingPlane(plane);
t.equal(mapper.getClippingPlanes().length, 1);
mapper.removeClippingPlane(0);
t.equal(mapper.getClippingPlanes().length, 0);
mapper.setClippingPlanes(plane);
t.equal(mapper.getClippingPlanes().length, 1);
mapper.removeAllClippingPlanes();
t.equal(mapper.getClippingPlanes().length, 0);
mapper.removeClippingPlane(0);
const plane2 = vtkPlane.newInstance({ normal: normals[1] });
const plane3 = vtkPlane.newInstance({ normal: normals[2] });
mapper.setClippingPlanes([plane, plane2, plane3]);
t.equal(mapper.getClippingPlanes().length, 3);
mapper.removeClippingPlane(0);
t.equal(mapper.getClippingPlanes().length, 2);
for (let i = 0; i < mapper.getClippingPlanes().length; i++) {
const normal = mapper.getClippingPlanes()[i].getNormal();
const refNormal = normals[i + 1];
for (let j = 0; j < 3; j++) {
t.equal(normal[j], refNormal[j]);
}
}
t.end();
});
```
|
```turing
#!./perl
use strict;
use warnings;
use utf8;
use open qw( :utf8 :std );
require q(./test.pl); plan(tests => 2);
=pod
This tests a strange bug found by Matt S. Trout
while building DBIx::Class. Thanks Matt!!!!
<A>
/ \
<C> <B>
\ /
<D>
=cut
{
package id_A;
use mro 'c3';
sub { 'id_A::' }
}
{
package id_B;
use base 'id_A';
use mro 'c3';
sub { 'id_B:: => ' . (shift)->SUPER:: }
}
{
package id_C;
use mro 'c3';
use base 'id_A';
}
{
package id_D;
use base ('id_C', 'id_B');
use mro 'c3';
sub { 'id_D:: => ' . (shift)->SUPER:: }
}
ok(eq_array(
mro::get_linear_isa('id_D'),
[ qw(id_D id_C id_B id_A) ]
), '... got the right MRO for id_D');
is(id_D->,
'id_D:: => id_B:: => id_A::',
'... got the right next::method dispatch path');
```
|
Fibramia thermalis, also known as the half-barred cardinal or Sangi cardinalfish, is a species of cardinalfishes found in Indian Ocean and Pacific Ocean.
References
External links
Apogoninae
Fish described in 1829
Taxa named by Georges Cuvier
|
Peter Barcza (born 23 June 1949) is a Canadian operatic baritone who has had an active international career since the early 1970s. After studies at the University of Toronto, he became a member of the Canadian Opera Company in 1971. The following year he won the Metropolitan Opera regional auditions. He has since appeared with major opera companies throughout the world, including La Monnaie, the New Orleans Opera, the New York City Opera, the Palacio de Bellas Artes, the Paris Opera, the Seattle Opera, and the Vancouver Opera among others. Barcza has appeared in recital and with symphony orchestras across Canada, including the Montreal Symphony, Quebec Symphony, Toronto Symphony and the National Arts Center Orchestra (Ottawa).
Sources
Peter Barcza at the Encyclopedia of Music in Canada
Website of Barcza, biography
1949 births
Living people
Canadian operatic baritones
University of Toronto alumni
Canadian people of Hungarian descent
|
Asura brunneofasciata is a moth of the family Erebidae. It is found in New Guinea.
References
brunneofasciata
Moths described in 1904
Moths of New Guinea
|
```java
Create system file paths using the `Path` class
Checking for the existence of files and directories
Reading file attributes
Retrieving file store attributes
Listing a file system's root directories
```
|
The Museum of the Activists of IMRO from Štip and Štip Region, the building also known as House of Andonov, is a historical museum in Novo Selo, Štip, North Macedonia. The building, which is part of the old town architecture, is registered as a Cultural Heritage of North Macedonia under the name House on "Krste Misirkov" Str. no. 34. The museum is dedicated to IMRO (VMRO) activists and its revolutionary activity in and around the area of the tow of Štip.
History
As a house
The national-revival era house was owned by the Andonovi family.
As a museum
The house was restored and purchased by the Ministry of Culture. The museum was officially opened by the then Prime Minister Nikola Gruevski, the Minister of Culture Elizabeta Kančeska Milevska and the Mayor of Štip Municipality, Ilčo Zahariev in 2014.
The museum exhibits documents, weapons and objects, as well as 11 wax figures of the teachers in Štip and leaders of the Macedonian Revolutionary Organization, Goce Delčev, Dame Gruev and Gjorče Petrov as well as many Štip figures including Miše Razvigorov, Todor Aleksandrov and Vančo Mihajlov. These items are displayed within seven exhibition galleries in the museum building.
The museum covers the period from the founding of IMRO in 1893 to the liquidation of IMRO in 1934 and is under the jurisdiction of the Štip Museum.
Gallery
See also
House on Krste Misirkov St. no. 30, Štip – a cultural heritage site
House on Krste Misirkov St. no. 67, Štip – a cultural heritage site
House on Krste Misirkov St. no. 69, Štip – a cultural heritage site
Dormition of the Theotokos Church – the seat of Novo Selo Parish and a cultural heritage site
Novo Selo School – the building of the former school and the present seat of the Rectorate of the Goce Delčev University. It is also a cultural heritage site
References
External links
Institute and Museum – Štip
Internal Macedonian Revolutionary Organization
Museums in North Macedonia
|
```python
# or more contributor license agreements. See the NOTICE file
# distributed with this work for additional information
# regarding copyright ownership. The ASF licenses this file
#
# path_to_url
#
# Unless required by applicable law or agreed to in writing,
# "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
# specific language governing permissions and limitations
"""test the correctness of dump and load of data log"""
from io import StringIO
from os import PathLike
import time
from tvm.contrib import utils
from tvm import autotvm
from tvm.autotvm.measure import MeasureInput, MeasureResult, MeasureErrorNo
from tvm.autotvm.record import encode, decode, ApplyHistoryBest, measure_str_key
from tvm.testing.autotvm import get_sample_task
def test_load_dump():
task, target = get_sample_task()
inp = MeasureInput(target, task, task.config_space.get(0))
result = MeasureResult(
(2.0, 2.23, 0.23, 0.123, 0.234, 0.123), MeasureErrorNo.NO_ERROR, 2.3, time.time()
)
for protocol in ["json", "pickle"]:
row = encode(inp, result, protocol=protocol)
inp_2, result_2 = decode(row, protocol=protocol)
assert measure_str_key(inp) == measure_str_key(inp_2), "%s vs %s" % (
measure_str_key(inp),
measure_str_key(inp_2),
)
assert result.costs == result_2.costs
assert result.error_no == result_2.error_no
assert result.timestamp == result_2.timestamp
def test_file_io():
temp = utils.tempdir()
file_path = temp.relpath("temp.log")
tsk, target = get_sample_task()
inputs = [MeasureInput(target, tsk, tsk.config_space.get(i)) for i in range(0, 10)]
results = [MeasureResult((i,), 0, 0, 0) for i in range(0, 10)]
invalid_inp = MeasureInput(target, tsk, tsk.config_space.get(10))
invalid_res = MeasureResult((10,), 0, 0, 0)
# Erase the entity map to test if it will be ignored when loading back.
invalid_inp.config._entity_map = {}
with open(file_path, "w") as fo:
cb = autotvm.callback.log_to_file(fo)
cb(None, inputs, results)
cb(None, [invalid_inp], [invalid_res])
ref = zip(inputs, results)
for x, y in zip(ref, autotvm.record.load_from_file(file_path)):
assert x[1] == y[1]
# Confirm functionality of multiple file loads
hist_best = ApplyHistoryBest([file_path, file_path])
x = hist_best.query(target, tsk.workload)
assert str(x) == str(inputs[0][2])
def test_apply_history_best(tmpdir):
tsk, target = get_sample_task()
best = str(tsk.config_space.get(2))
inputs_batch_1 = [MeasureInput(target, tsk, tsk.config_space.get(i)) for i in range(3)]
results_batch_1 = [MeasureResult((i,), 0, 0, 0) for i in range(1, 3)]
results_batch_1.append(MeasureResult((0.5,), 0, 2.3, 0))
# Write data out to file
filepath_batch_1 = tmpdir / "batch_1.log"
with open(filepath_batch_1, "w") as file:
autotvm.callback.log_to_file(file)(None, inputs_batch_1, results_batch_1)
# Load best results from Path
assert isinstance(filepath_batch_1, PathLike)
hist_best = ApplyHistoryBest(filepath_batch_1)
assert str(hist_best.query(target, tsk.workload)) == best
# Load best results from str(Path)
hist_best = ApplyHistoryBest(str(filepath_batch_1))
assert str(hist_best.query(target, tsk.workload)) == best
# Write data into StringIO buffer
stringio_batch_1 = StringIO()
assert isinstance(filepath_batch_1, PathLike)
callback = autotvm.callback.log_to_file(stringio_batch_1)
callback(None, inputs_batch_1, results_batch_1)
stringio_batch_1.seek(0)
# Load best results from strIO
hist_best = ApplyHistoryBest(stringio_batch_1)
assert str(hist_best.query(target, tsk.workload)) == best
# Load best result from list of tuples (MeasureInput, MeasureResult)
hist_best = ApplyHistoryBest(list(zip(inputs_batch_1, results_batch_1)))
assert str(hist_best.query(target, tsk.workload)) == best
# Same thing, but iterable instead of list (i.e. no subscripting)
hist_best = ApplyHistoryBest(zip(inputs_batch_1, results_batch_1))
assert str(hist_best.query(target, tsk.workload)) == best
def test_apply_history_best_multiple_batches(tmpdir):
tsk, target = get_sample_task()
best = str(tsk.config_space.get(2))
inputs_batch_1 = [MeasureInput(target, tsk, tsk.config_space.get(i)) for i in range(2)]
results_batch_1 = [MeasureResult((i,), 0, 0, 0) for i in range(1, 3)]
filepath_batch_1 = tmpdir / "batch_1.log"
with open(filepath_batch_1, "w") as file:
autotvm.callback.log_to_file(file)(None, inputs_batch_1, results_batch_1)
inputs_batch_2 = [MeasureInput(target, tsk, tsk.config_space.get(i)) for i in range(2, 4)]
results_batch_2 = [MeasureResult((0.5,), 0, 0, 0), MeasureResult((3,), 0, 0, 0)]
filepath_batch_2 = tmpdir / "batch_2.log"
with open(filepath_batch_2, "w") as file:
autotvm.callback.log_to_file(file)(None, inputs_batch_2, results_batch_2)
# Check two Path filepaths works
hist_best = ApplyHistoryBest([filepath_batch_1, filepath_batch_2])
assert str(hist_best.query(target, tsk.workload)) == best
# Check that an arbitrary Iterable of Paths works
# Calling zip() on a single list gives a non-subscriptable Iterable
hist_best = ApplyHistoryBest(zip([filepath_batch_1, filepath_batch_2]))
assert str(hist_best.query(target, tsk.workload)) == best
# Check that Iterable of Iterable of tuples is correctly merged
hist_best = ApplyHistoryBest(
zip(
[
zip(inputs_batch_1, results_batch_1),
zip(inputs_batch_2, results_batch_2),
]
)
)
assert str(hist_best.query(target, tsk.workload)) == best
if __name__ == "__main__":
test_load_dump()
test_apply_history_best()
test_file_io()
```
|
Garjumak (, also Romanized as Garjūmak; also known as Garjermak) is a village in Eskelabad Rural District, Nukabad District, Khash County, Sistan and Baluchestan Province, Iran. At the 2006 census, its population was 63, in 14 families.
References
Populated places in Khash County
|
```java
/*
*
*
* 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 com.haulmont.cuba.gui.components;
import com.haulmont.cuba.gui.components.data.Options;
import java.util.function.Function;
/**
* A group of RadioButtons. Individual radio buttons are made from items supplied by a {@link Options}.
*
* @param <I> item type
*/
public interface RadioButtonGroup<I> extends OptionsField<I, I>, LookupComponent, Component.Focusable, HasOrientation {
String NAME = "radioButtonGroup";
/**
* @return icon provider of the LookupField.
*/
Function<? super I, String> getOptionIconProvider();
/**
* Set the icon provider for the LookupField.
*
* @param optionIconProvider provider which provides icons for options
*/
void setOptionIconProvider(Function<? super I, String> optionIconProvider);
/**
* @return option description provider
*/
Function<? super I, String> getOptionDescriptionProvider();
/**
* Sets the option description provider.
*
* @param optionDescriptionProvider provider which provides descriptions for options
*/
void setOptionDescriptionProvider(Function<? super I, String> optionDescriptionProvider);
}
```
|
A continent is a large landmass.
The Continent is used by those on the periphery of Europe to refer the mainland.
Continent(s) or the continent may also refer to:
Entertainment and media
Music
Continent (The Acacia Strain album), 2008
Continent (CFCF album)
Continents, 2013 album by The Eclectic Moniker
Continents (band), Welsh metalcore band
Publications
The Continent (digital newspaper), a digital newspaper covering Africa
Continent (journal), open-access journal founded in 2010
The Continent (Presbyterian periodical), an American Presbyterian periodical
Film
The Continent (film), a 2014 Chinese film
Science
Continent, in geology a synonym for continental crust
Other uses
Continent (airline), Russian airline
Continent (horse), British racehorse
See also
Continence (disambiguation)
Continents of the world (template)
Continental (disambiguation)
The Continental (disambiguation)
Continente
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.