text stringlengths 1 22.8M |
|---|
```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 { typedndarray, genericndarray, float64ndarray, float32ndarray, int32ndarray, int16ndarray, int8ndarray, uint32ndarray, uint16ndarray, uint8ndarray, uint8cndarray, complex128ndarray, complex64ndarray } from '@stdlib/types/ndarray';
/**
* Returns a view of an input ndarray in which the order of elements along the last dimension is reversed.
*
* @param x - input array
* @param writable - boolean indicating whether a returned array should be writable
* @returns output array
*
* @example
* var typedarray = require( '@stdlib/array/typed' );
* var ndarray = require( '@stdlib/ndarray/ctor' );
* var ndarray2array = require( '@stdlib/ndarray/to-array' );
*
* var buffer = typedarray( [ 1.0, 2.0, 3.0, 4.0, 5.0, 6.0 ], 'float64' );
* var shape = [ 3, 2 ];
* var strides = [ 2, 1 ];
* var offset = 0;
*
* var x = ndarray( 'float64', buffer, shape, strides, offset, 'row-major' );
* // returns <ndarray>
*
* var sh = x.shape;
* // returns [ 3, 2 ]
*
* var arr = ndarray2array( x );
* // returns [ [ 1.0, 2.0 ], [ 3.0, 4.0 ], [ 5.0, 6.0 ] ]
*
* var y = fliplr( x, false );
* // returns <ndarray>
*
* sh = y.shape;
* // returns [ 3, 2 ]
*
* arr = ndarray2array( y );
* // returns [ [ 2.0, 1.0 ], [ 4.0, 3.0 ], [ 6.0, 5.0 ] ]
*/
declare function fliplr( x: float64ndarray, writable: boolean ): float64ndarray;
/**
* Returns a view of an input ndarray in which the order of elements along the last dimension is reversed.
*
* @param x - input array
* @param writable - boolean indicating whether a returned array should be writable
* @returns output array
*
* @example
* var typedarray = require( '@stdlib/array/typed' );
* var ndarray = require( '@stdlib/ndarray/ctor' );
* var ndarray2array = require( '@stdlib/ndarray/to-array' );
*
* var buffer = typedarray( [ 1.0, 2.0, 3.0, 4.0, 5.0, 6.0 ], 'float32' );
* var shape = [ 3, 2 ];
* var strides = [ 2, 1 ];
* var offset = 0;
*
* var x = ndarray( 'float32', buffer, shape, strides, offset, 'row-major' );
* // returns <ndarray>
*
* var sh = x.shape;
* // returns [ 3, 2 ]
*
* var arr = ndarray2array( x );
* // returns [ [ 1.0, 2.0 ], [ 3.0, 4.0 ], [ 5.0, 6.0 ] ]
*
* var y = fliplr( x, false );
* // returns <ndarray>
*
* sh = y.shape;
* // returns [ 3, 2 ]
*
* arr = ndarray2array( y );
* // returns [ [ 2.0, 1.0 ], [ 4.0, 3.0 ], [ 6.0, 5.0 ] ]
*/
declare function fliplr( x: float32ndarray, writable: boolean ): float32ndarray;
/**
* Returns a view of an input ndarray in which the order of elements along the last dimension is reversed.
*
* @param x - input array
* @param writable - boolean indicating whether a returned array should be writable
* @returns output array
*
* @example
* var typedarray = require( '@stdlib/array/typed' );
* var ndarray = require( '@stdlib/ndarray/ctor' );
* var ndarray2array = require( '@stdlib/ndarray/to-array' );
*
* var buffer = typedarray( [ 1, 2, 3, 4, 5, 6 ], 'int32' );
* var shape = [ 3, 2 ];
* var strides = [ 2, 1 ];
* var offset = 0;
*
* var x = ndarray( 'int32', buffer, shape, strides, offset, 'row-major' );
* // returns <ndarray>
*
* var sh = x.shape;
* // returns [ 3, 2 ]
*
* var arr = ndarray2array( x );
* // returns [ [ 1, 2 ], [ 3, 4 ], [ 5, 6 ] ]
*
* var y = fliplr( x, false );
* // returns <ndarray>
*
* sh = y.shape;
* // returns [ 3, 2 ]
*
* arr = ndarray2array( y );
* // returns [ [ 2, 1 ], [ 4, 3 ], [ 6, 5 ] ]
*/
declare function fliplr( x: int32ndarray, writable: boolean ): int32ndarray;
/**
* Returns a view of an input ndarray in which the order of elements along the last dimension is reversed.
*
* @param x - input array
* @param writable - boolean indicating whether a returned array should be writable
* @returns output array
*
* @example
* var typedarray = require( '@stdlib/array/typed' );
* var ndarray = require( '@stdlib/ndarray/ctor' );
* var ndarray2array = require( '@stdlib/ndarray/to-array' );
*
* var buffer = typedarray( [ 1, 2, 3, 4, 5, 6 ], 'int16' );
* var shape = [ 3, 2 ];
* var strides = [ 2, 1 ];
* var offset = 0;
*
* var x = ndarray( 'int16', buffer, shape, strides, offset, 'row-major' );
* // returns <ndarray>
*
* var sh = x.shape;
* // returns [ 3, 2 ]
*
* var arr = ndarray2array( x );
* // returns [ [ 1, 2 ], [ 3, 4 ], [ 5, 6 ] ]
*
* var y = fliplr( x, false );
* // returns <ndarray>
*
* sh = y.shape;
* // returns [ 3, 2 ]
*
* arr = ndarray2array( y );
* // returns [ [ 2, 1 ], [ 4, 3 ], [ 6, 5 ] ]
*/
declare function fliplr( x: int16ndarray, writable: boolean ): int16ndarray;
/**
* Returns a view of an input ndarray in which the order of elements along the last dimension is reversed.
*
* @param x - input array
* @param writable - boolean indicating whether a returned array should be writable
* @returns output array
*
* @example
* var typedarray = require( '@stdlib/array/typed' );
* var ndarray = require( '@stdlib/ndarray/ctor' );
* var ndarray2array = require( '@stdlib/ndarray/to-array' );
*
* var buffer = typedarray( [ 1, 2, 3, 4, 5, 6 ], 'int8' );
* var shape = [ 3, 2 ];
* var strides = [ 2, 1 ];
* var offset = 0;
*
* var x = ndarray( 'int8', buffer, shape, strides, offset, 'row-major' );
* // returns <ndarray>
*
* var sh = x.shape;
* // returns [ 3, 2 ]
*
* var arr = ndarray2array( x );
* // returns [ [ 1, 2 ], [ 3, 4 ], [ 5, 6 ] ]
*
* var y = fliplr( x, false );
* // returns <ndarray>
*
* sh = y.shape;
* // returns [ 3, 2 ]
*
* arr = ndarray2array( y );
* // returns [ [ 2, 1 ], [ 4, 3 ], [ 6, 5 ] ]
*/
declare function fliplr( x: int8ndarray, writable: boolean ): int8ndarray;
/**
* Returns a view of an input ndarray in which the order of elements along the last dimension is reversed.
*
* @param x - input array
* @param writable - boolean indicating whether a returned array should be writable
* @returns output array
*
* @example
* var typedarray = require( '@stdlib/array/typed' );
* var ndarray = require( '@stdlib/ndarray/ctor' );
* var ndarray2array = require( '@stdlib/ndarray/to-array' );
*
* var buffer = typedarray( [ 1, 2, 3, 4, 5, 6 ], 'uint32' );
* var shape = [ 3, 2 ];
* var strides = [ 2, 1 ];
* var offset = 0;
*
* var x = ndarray( 'uint32', buffer, shape, strides, offset, 'row-major' );
* // returns <ndarray>
*
* var sh = x.shape;
* // returns [ 3, 2 ]
*
* var arr = ndarray2array( x );
* // returns [ [ 1, 2 ], [ 3, 4 ], [ 5, 6 ] ]
*
* var y = fliplr( x, false );
* // returns <ndarray>
*
* sh = y.shape;
* // returns [ 3, 2 ]
*
* arr = ndarray2array( y );
* // returns [ [ 2, 1 ], [ 4, 3 ], [ 6, 5 ] ]
*/
declare function fliplr( x: uint32ndarray, writable: boolean ): uint32ndarray;
/**
* Returns a view of an input ndarray in which the order of elements along the last dimension is reversed.
*
* @param x - input array
* @param writable - boolean indicating whether a returned array should be writable
* @returns output array
*
* @example
* var typedarray = require( '@stdlib/array/typed' );
* var ndarray = require( '@stdlib/ndarray/ctor' );
* var ndarray2array = require( '@stdlib/ndarray/to-array' );
*
* var buffer = typedarray( [ 1, 2, 3, 4, 5, 6 ], 'uint16' );
* var shape = [ 3, 2 ];
* var strides = [ 2, 1 ];
* var offset = 0;
*
* var x = ndarray( 'uint16', buffer, shape, strides, offset, 'row-major' );
* // returns <ndarray>
*
* var sh = x.shape;
* // returns [ 3, 2 ]
*
* var arr = ndarray2array( x );
* // returns [ [ 1, 2 ], [ 3, 4 ], [ 5, 6 ] ]
*
* var y = fliplr( x, false );
* // returns <ndarray>
*
* sh = y.shape;
* // returns [ 3, 2 ]
*
* arr = ndarray2array( y );
* // returns [ [ 2, 1 ], [ 4, 3 ], [ 6, 5 ] ]
*/
declare function fliplr( x: uint16ndarray, writable: boolean ): uint16ndarray;
/**
* Returns a view of an input ndarray in which the order of elements along the last dimension is reversed.
*
* @param x - input array
* @param writable - boolean indicating whether a returned array should be writable
* @returns output array
*
* @example
* var typedarray = require( '@stdlib/array/typed' );
* var ndarray = require( '@stdlib/ndarray/ctor' );
* var ndarray2array = require( '@stdlib/ndarray/to-array' );
*
* var buffer = typedarray( [ 1, 2, 3, 4, 5, 6 ], 'uint8' );
* var shape = [ 3, 2 ];
* var strides = [ 2, 1 ];
* var offset = 0;
*
* var x = ndarray( 'uint8', buffer, shape, strides, offset, 'row-major' );
* // returns <ndarray>
*
* var sh = x.shape;
* // returns [ 3, 2 ]
*
* var arr = ndarray2array( x );
* // returns [ [ 1, 2 ], [ 3, 4 ], [ 5, 6 ] ]
*
* var y = fliplr( x, false );
* // returns <ndarray>
*
* sh = y.shape;
* // returns [ 3, 2 ]
*
* arr = ndarray2array( y );
* // returns [ [ 2, 1 ], [ 4, 3 ], [ 6, 5 ] ]
*/
declare function fliplr( x: uint8ndarray, writable: boolean ): uint8ndarray;
/**
* Returns a view of an input ndarray in which the order of elements along the last dimension is reversed.
*
* @param x - input array
* @param writable - boolean indicating whether a returned array should be writable
* @returns output array
*
* @example
* var typedarray = require( '@stdlib/array/typed' );
* var ndarray = require( '@stdlib/ndarray/ctor' );
* var ndarray2array = require( '@stdlib/ndarray/to-array' );
*
* var buffer = typedarray( [ 1, 2, 3, 4, 5, 6 ], 'uint8c' );
* var shape = [ 3, 2 ];
* var strides = [ 2, 1 ];
* var offset = 0;
*
* var x = ndarray( 'uint8c', buffer, shape, strides, offset, 'row-major' );
* // returns <ndarray>
*
* var sh = x.shape;
* // returns [ 3, 2 ]
*
* var arr = ndarray2array( x );
* // returns [ [ 1, 2 ], [ 3, 4 ], [ 5, 6 ] ]
*
* var y = fliplr( x, false );
* // returns <ndarray>
*
* sh = y.shape;
* // returns [ 3, 2 ]
*
* arr = ndarray2array( y );
* // returns [ [ 2, 1 ], [ 4, 3 ], [ 6, 5 ] ]
*/
declare function fliplr( x: uint8cndarray, writable: boolean ): uint8cndarray;
/**
* Returns a view of an input ndarray in which the order of elements along the last dimension is reversed.
*
* @param x - input array
* @param writable - boolean indicating whether a returned array should be writable
* @returns output array
*
* @example
* var typedarray = require( '@stdlib/array/typed' );
* var ndarray = require( '@stdlib/ndarray/ctor' );
* var ndarray2array = require( '@stdlib/ndarray/to-array' );
*
* var buffer = typedarray( [ 1.0, 2.0, 3.0, 4.0, 5.0, 6.0, 7.0, 8.0, 9.0, 10.0, 11.0, 12.0 ], 'complex128' );
* var shape = [ 3, 2 ];
* var strides = [ 2, 1 ];
* var offset = 0;
*
* var x = ndarray( 'complex128', buffer, shape, strides, offset, 'row-major' );
* // returns <ndarray>
*
* var sh = x.shape;
* // returns [ 3, 2 ]
*
* var y = fliplr( x, false );
* // returns <ndarray>
*
* sh = y.shape;
* // returns [ 3, 2 ]
*/
declare function fliplr( x: complex128ndarray, writable: boolean ): complex128ndarray;
/**
* Returns a view of an input ndarray in which the order of elements along the last dimension is reversed.
*
* @param x - input array
* @param writable - boolean indicating whether a returned array should be writable
* @returns output array
*
* @example
* var typedarray = require( '@stdlib/array/typed' );
* var ndarray = require( '@stdlib/ndarray/ctor' );
* var ndarray2array = require( '@stdlib/ndarray/to-array' );
*
* var buffer = typedarray( [ 1.0, 2.0, 3.0, 4.0, 5.0, 6.0, 7.0, 8.0, 9.0, 10.0, 11.0, 12.0 ], 'complex64' );
* var shape = [ 3, 2 ];
* var strides = [ 2, 1 ];
* var offset = 0;
*
* var x = ndarray( 'complex64', buffer, shape, strides, offset, 'row-major' );
* // returns <ndarray>
*
* var sh = x.shape;
* // returns [ 3, 2 ]
*
* var y = fliplr( x, false );
* // returns <ndarray>
*
* sh = y.shape;
* // returns [ 3, 2 ]
*/
declare function fliplr( x: complex64ndarray, writable: boolean ): complex64ndarray;
/**
* Returns a view of an input ndarray in which the order of elements along the last dimension is reversed.
*
* @param x - input array
* @param writable - boolean indicating whether a returned array should be writable
* @returns output array
*
* @example
* var typedarray = require( '@stdlib/array/typed' );
* var ndarray = require( '@stdlib/ndarray/ctor' );
* var ndarray2array = require( '@stdlib/ndarray/to-array' );
*
* var buffer = [ 1, 2, 3, 4, 5, 6 ];
* var shape = [ 3, 2 ];
* var strides = [ 2, 1 ];
* var offset = 0;
*
* var x = ndarray( 'generic', buffer, shape, strides, offset, 'row-major' );
* // returns <ndarray>
*
* var sh = x.shape;
* // returns [ 3, 2 ]
*
* var arr = ndarray2array( x );
* // returns [ [ 1, 2 ], [ 3, 4 ], [ 5, 6 ] ]
*
* var y = fliplr( x, false );
* // returns <ndarray>
*
* sh = y.shape;
* // returns [ 3, 2 ]
*
* arr = ndarray2array( y );
* // returns [ [ 2, 1 ], [ 4, 3 ], [ 6, 5 ] ]
*/
declare function fliplr<T = unknown>( x: genericndarray<T>, writable: boolean ): genericndarray<T>;
/**
* Returns a view of an input ndarray in which the order of elements along the last dimension is reversed.
*
* @param x - input array
* @param writable - boolean indicating whether a returned array should be writable
* @returns output array
*
* @example
* var typedarray = require( '@stdlib/array/typed' );
* var ndarray = require( '@stdlib/ndarray/ctor' );
* var ndarray2array = require( '@stdlib/ndarray/to-array' );
*
* var buffer = [ 1, 2, 3, 4, 5, 6 ];
* var shape = [ 3, 2 ];
* var strides = [ 2, 1 ];
* var offset = 0;
*
* var x = ndarray( 'generic', buffer, shape, strides, offset, 'row-major' );
* // returns <ndarray>
*
* var sh = x.shape;
* // returns [ 3, 2 ]
*
* var arr = ndarray2array( x );
* // returns [ [ 1, 2 ], [ 3, 4 ], [ 5, 6 ] ]
*
* var y = fliplr( x, false );
* // returns <ndarray>
*
* sh = y.shape;
* // returns [ 3, 2 ]
*
* arr = ndarray2array( y );
* // returns [ [ 2, 1 ], [ 4, 3 ], [ 6, 5 ] ]
*/
declare function fliplr<T = unknown>( x: typedndarray<T>, writable: boolean ): typedndarray<T>;
// EXPORTS //
export = fliplr;
``` |
Go Dau Stadium () is a multi-use stadium in Thu Dau Mot, Vietnam. It is currently used mostly for football matches and is the home stadium of Becamex Binh Duong F.C. The stadium holds 18,250 people.
Events
7 May 2011: Super Junior - 3rd Asia Tour: Super Show 3
External links
StadiumDB page
References
Football venues in Vietnam
Buildings and structures in Bình Dương province
Becamex Binh Duong FC |
```xml
import {
JsPackageManagerFactory,
removeAddon as remove,
versions,
} from 'storybook/internal/common';
import { withTelemetry } from 'storybook/internal/core-server';
import { logger } from 'storybook/internal/node-logger';
import { addToGlobalContext, telemetry } from 'storybook/internal/telemetry';
import chalk from 'chalk';
import { program } from 'commander';
import envinfo from 'envinfo';
import { findPackageSync } from 'fd-package-json';
import leven from 'leven';
import invariant from 'tiny-invariant';
import { add } from '../add';
import { doAutomigrate } from '../automigrate';
import { doctor } from '../doctor';
import { link } from '../link';
import { migrate } from '../migrate';
import { sandbox } from '../sandbox';
import { type UpgradeOptions, upgrade } from '../upgrade';
addToGlobalContext('cliVersion', versions.storybook);
const pkg = findPackageSync(__dirname);
invariant(pkg, 'Failed to find the closest package.json file.');
const consoleLogger = console;
const command = (name: string) =>
program
.command(name)
.option(
'--disable-telemetry',
'Disable sending telemetry data',
// default value is false, but if the user sets STORYBOOK_DISABLE_TELEMETRY, it can be true
process.env.STORYBOOK_DISABLE_TELEMETRY && process.env.STORYBOOK_DISABLE_TELEMETRY !== 'false'
)
.option('--debug', 'Get more logs in debug mode', false)
.option('--enable-crash-reports', 'Enable sending crash reports to telemetry data');
command('add <addon>')
.description('Add an addon to your Storybook')
.option(
'--package-manager <npm|pnpm|yarn1|yarn2>',
'Force package manager for installing dependencies'
)
.option('-c, --config-dir <dir-name>', 'Directory where to load Storybook configurations from')
.option('-s --skip-postinstall', 'Skip package specific postinstall config modifications')
.action((addonName: string, options: any) => add(addonName, options));
command('remove <addon>')
.description('Remove an addon from your Storybook')
.option(
'--package-manager <npm|pnpm|yarn1|yarn2>',
'Force package manager for installing dependencies'
)
.action((addonName: string, options: any) =>
withTelemetry('remove', { cliOptions: options }, async () => {
await remove(addonName, options);
if (!options.disableTelemetry) {
await telemetry('remove', { addon: addonName, source: 'cli' });
}
})
);
command('upgrade')
.description(`Upgrade your Storybook packages to v${versions.storybook}`)
.option(
'--package-manager <npm|pnpm|yarn1|yarn2>',
'Force package manager for installing dependencies'
)
.option('-y --yes', 'Skip prompting the user')
.option('-f --force', 'force the upgrade, skipping autoblockers')
.option('-n --dry-run', 'Only check for upgrades, do not install')
.option('-s --skip-check', 'Skip postinstall version and automigration checks')
.option('-c, --config-dir <dir-name>', 'Directory where to load Storybook configurations from')
.action(async (options: UpgradeOptions) => upgrade(options).catch(() => process.exit(1)));
command('info')
.description('Prints debugging information about the local environment')
.action(async () => {
consoleLogger.log(chalk.bold('\nStorybook Environment Info:'));
const pkgManager = await JsPackageManagerFactory.getPackageManager();
const activePackageManager = pkgManager.type.replace(/\d/, ''); // 'yarn1' -> 'yarn'
const output = await envinfo.run({
System: ['OS', 'CPU', 'Shell'],
Binaries: ['Node', 'Yarn', 'npm', 'pnpm'],
Browsers: ['Chrome', 'Edge', 'Firefox', 'Safari'],
npmPackages: '{@storybook/*,*storybook*,sb,chromatic}',
npmGlobalPackages: '{@storybook/*,*storybook*,sb,chromatic}',
});
const activePackageManagerLine = output.match(new RegExp(`${activePackageManager}:.*`, 'i'));
consoleLogger.log(
output.replace(
activePackageManagerLine,
chalk.bold(`${activePackageManagerLine} <----- active`)
)
);
});
command('migrate [migration]')
.description('Run a Storybook codemod migration on your source files')
.option('-l --list', 'List available migrations')
.option('-g --glob <glob>', 'Glob for files upon which to apply the migration', '**/*.js')
.option('-p --parser <babel | babylon | flow | ts | tsx>', 'jscodeshift parser')
.option('-c, --config-dir <dir-name>', 'Directory where to load Storybook configurations from')
.option(
'-n --dry-run',
'Dry run: verify the migration exists and show the files to which it will be applied'
)
.option(
'-r --rename <from-to>',
'Rename suffix of matching files after codemod has been applied, e.g. ".js:.ts"'
)
.action((migration, { configDir, glob, dryRun, list, rename, parser }) => {
migrate(migration, {
configDir,
glob,
dryRun,
list,
rename,
parser,
}).catch((err) => {
logger.error(err);
process.exit(1);
});
});
command('sandbox [filterValue]')
.alias('repro') // for backwards compatibility
.description('Create a sandbox from a set of possible templates')
.option('-o --output <outDir>', 'Define an output directory')
.option('--no-init', 'Whether to download a template without an initialized Storybook', false)
.action((filterValue, options) =>
sandbox({ filterValue, ...options }).catch((e) => {
logger.error(e);
process.exit(1);
})
);
command('link <repo-url-or-directory>')
.description('Pull down a repro from a URL (or a local directory), link it, and run storybook')
.option('--local', 'Link a local directory already in your file system')
.option('--no-start', 'Start the storybook', true)
.action((target, { local, start }) =>
link({ target, local, start }).catch((e) => {
logger.error(e);
process.exit(1);
})
);
command('automigrate [fixId]')
.description('Check storybook for incompatibilities or migrations and apply fixes')
.option('-y --yes', 'Skip prompting the user')
.option('-n --dry-run', 'Only check for fixes, do not actually run them')
.option('--package-manager <npm|pnpm|yarn1|yarn2>', 'Force package manager')
.option('-l --list', 'List available migrations')
.option('-c, --config-dir <dir-name>', 'Directory of Storybook configurations to migrate')
.option('-s --skip-install', 'Skip installing deps')
.option(
'--renderer <renderer-pkg-name>',
'The renderer package for the framework Storybook is using.'
)
.action(async (fixId, options) => {
await doAutomigrate({ fixId, ...options }).catch((e) => {
logger.error(e);
process.exit(1);
});
});
command('doctor')
.description('Check Storybook for known problems and provide suggestions or fixes')
.option('--package-manager <npm|pnpm|yarn1|yarn2>', 'Force package manager')
.option('-c, --config-dir <dir-name>', 'Directory of Storybook configuration')
.action(async (options) => {
await doctor(options).catch((e) => {
logger.error(e);
process.exit(1);
});
});
program.on('command:*', ([invalidCmd]) => {
consoleLogger.error(
' Invalid command: %s.\n See --help for a list of available commands.',
invalidCmd
);
const availableCommands = program.commands.map((cmd) => cmd.name());
const suggestion = availableCommands.find((cmd) => leven(cmd, invalidCmd) < 3);
if (suggestion) {
consoleLogger.info(`\n Did you mean ${suggestion}?`);
}
process.exit(1);
});
program.usage('<command> [options]').version(String(pkg.version)).parse(process.argv);
``` |
```sqlpl
--
-- 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.
--
DROP DATABASE IF EXISTS write_dataset;
CREATE DATABASE write_dataset;
GRANT ALL PRIVILEGES ON DATABASE write_dataset TO test_user;
\c write_dataset;
DROP TABLE IF EXISTS t_shadow;
DROP TABLE IF EXISTS t_merchant;
CREATE TYPE season AS ENUM ('spring', 'summer', 'autumn', 'winter');
CREATE TABLE t_shadow (order_id BIGINT NOT NULL, user_id INT NOT NULL, order_name VARCHAR(32) NOT NULL, type_char CHAR(1) NOT NULL, type_boolean BOOLEAN NOT NULL, type_smallint SMALLINT NOT NULL, type_enum season DEFAULT 'summer', type_decimal NUMERIC(18,2) DEFAULT NULL, type_date DATE DEFAULT NULL, type_time TIME DEFAULT NULL, type_timestamp TIMESTAMP DEFAULT NULL, PRIMARY KEY (order_id));
CREATE TABLE t_merchant (merchant_id INT PRIMARY KEY, country_id SMALLINT NOT NULL, merchant_name VARCHAR(50) NOT NULL, business_code VARCHAR(50) NOT NULL, telephone CHAR(11) NOT NULL, creation_date DATE NOT NULL);
DROP DATABASE IF EXISTS write_shadow_dataset;
CREATE DATABASE write_shadow_dataset;
GRANT ALL PRIVILEGES ON DATABASE write_shadow_dataset TO test_user;
\c write_shadow_dataset;
DROP TABLE IF EXISTS t_shadow;
DROP TABLE IF EXISTS t_merchant;
CREATE TYPE season AS ENUM ('spring', 'summer', 'autumn', 'winter');
CREATE TABLE t_shadow (order_id BIGINT NOT NULL, user_id INT NOT NULL, order_name VARCHAR(32) NOT NULL, type_char CHAR(1) NOT NULL, type_boolean BOOLEAN NOT NULL, type_smallint SMALLINT NOT NULL, type_enum season DEFAULT 'summer', type_decimal NUMERIC(18,2) DEFAULT NULL, type_date DATE DEFAULT NULL, type_time TIME DEFAULT NULL, type_timestamp TIMESTAMP DEFAULT NULL, PRIMARY KEY (order_id));
CREATE TABLE t_merchant (merchant_id INT PRIMARY KEY, country_id SMALLINT NOT NULL, merchant_name VARCHAR(50) NOT NULL, business_code VARCHAR(50) NOT NULL, telephone CHAR(11) NOT NULL, creation_date DATE NOT NULL);
DROP DATABASE IF EXISTS read_dataset;
CREATE DATABASE read_dataset;
GRANT ALL PRIVILEGES ON DATABASE read_dataset TO test_user;
\c read_dataset;
DROP TABLE IF EXISTS t_shadow;
DROP TABLE IF EXISTS t_merchant;
CREATE TYPE season AS ENUM ('spring', 'summer', 'autumn', 'winter');
CREATE TABLE t_shadow (order_id BIGINT NOT NULL, user_id INT NOT NULL, order_name VARCHAR(32) NOT NULL, type_char CHAR(1) NOT NULL, type_boolean BOOLEAN NOT NULL, type_smallint SMALLINT NOT NULL, type_enum season DEFAULT 'summer', type_decimal NUMERIC(18,2) DEFAULT NULL, type_date DATE DEFAULT NULL, type_time TIME DEFAULT NULL, type_timestamp TIMESTAMP DEFAULT NULL, PRIMARY KEY (order_id));
CREATE TABLE t_merchant (merchant_id INT PRIMARY KEY, country_id SMALLINT NOT NULL, merchant_name VARCHAR(50) NOT NULL, business_code VARCHAR(50) NOT NULL, telephone CHAR(11) NOT NULL, creation_date DATE NOT NULL);
``` |
```html
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<title>iziModal - Ajax Example</title>
<script type="text/javascript" src="path_to_url"></script>
<script type="text/javascript" src="path_to_url"></script>
<link rel="stylesheet" type="text/css" href="path_to_url">
</head>
<body>
<button class="trigger-ajax">Ajax Example</button>
<div id="modal-ajax" data-izimodal-open="" data-izimodal-title="Ajax Example">
<div style="height:100px; width:100%;"></div>
</div>
<script type="text/javascript">
$("#modal-ajax").iziModal({
onOpening: function(modal){
modal.startLoading();
$.get('path_to_url function(data) {
console.log(data);
$("#modal-ajax .iziModal-content").html(data.html_url);
setTimeout(function(){
modal.stopLoading();
},500);
});
}
});
$('.trigger-ajax').on('click', function(event) {
$("#modal-ajax").iziModal('open');
});
</script>
</body>
</html>
``` |
Grand Burgher [male] or Grand Burgheress [female] (from German: Großbürger [male], Großbürgerin [female]) is a specific conferred or inherited title of medieval German origin and legally defined preeminent status granting exclusive constitutional privileges and legal rights (German: Großbürgerrecht). Grand Burghers were magnates and subordinate only to the Emperor, independent of feudalism and territorial nobility or lords paramount.
A member class within the patrician ruling elite, the Grand Burgher was a type of urban citizen and social order of highest rank. They existed as a formally defined upper social class, made up of affluent individuals and elite burgher families in medieval German-speaking city-states and towns under the Holy Roman Empire. They usually came from a wealthy business or significant mercantile background and estate. This hereditary title (and influential constitutional status) was privy to very few individuals and families across Central Europe. The title formally existed well into the late 19th century and early part of the 20th century.
In some instances, the Grand Burghers (Großbürger) or patricians ("Patrizier") constituted the ruling class. This was true in autonomous German-speaking cities and towns of Central Europe that held a municipal charter, town privileges (German town law). Grand Burghers also existed as a ruling class in free imperial cities (such as Hamburg, Augsburg, Cologne, and Bern) that held imperial immediacy, or where nobility had no power of authority or supremacy,
Hierarchy
Since before the 15th century the group of legally coequal "burghers" started to split into three different groups: hereditary grand-burghers, ordinary burghers termed petty-burghers (German Kleinbürger or simply Bürger) made up largely of artisans, tradesman, business owners, merchants, shopkeepers and others who were obliged according to city or town constitution to acquire the ordinary petty-burghership, and non-burghers, the latter being merely "inhabitants" or otherwise resident aliens without specific legal rights in the territorial jurisdiction of a city or town and largely consisted of the working class, foreign or migrant workers and other civil employees who were neither able nor eligible to acquire the ordinary petty-burghership.
Burghership in general gave a person the right to exist in the territorial jurisdiction of the city-state or town of burghership, be an active member of its society, acquire real estate, pursue their specified economic activity or occupation, access social protection and participate in municipal affaires amongst many other exclusive constitutional rights, privileges, exemptions and immunities, especially that of the "grand" burghership (German: Großbürgerschaft).
Grand Burghers held rich historical and cultural roles created and expanded over the decades, including union with other families of the same eminent status and branches of nobility, Grand Burghers were often of such extraordinary wealth and significant economic importance that they far exceeded the wealth and influence of even the most highest-ranking members of nobility, the latter often sought inter-marriage with elite grand-burgher families to maintain their noble lifestyles. The names of the individuals and families is generally known in the city or town where they lived, and in many cases, their ancestors had contributed to regional history. The conferred grand-burghership was in most instances hereditary in both their male and female family descendants, and a hereditary title or rank stated as the person's occupation in records.
In Hamburg for example only the Grand Burghers were privileged to full unrestricted freedom of large-scale trade, including unrestricted foreign import and export trade, were allowed to entertain a bank account, as well as be elected to the Senate of Hamburg, amongst other privileges.
Confer of burghership
As with the administration expense for conferring letters patent to nobility, both types of burghership were also subject to expenses. The burghership expense in Hamburg in year 1600 was 50 Reichstaler for the grand and 7 Reichstaler for the petty burghership, in 1833 the initial expense for receiving grand burghership in Hamburg was 758 Mark 8 Schilling (Hamburg Mark); that of the petty burghership, 46 Mk 8 Sh. Other ways to become a Grand Burgher were to marry a grand burgher or, subject to meeting constitutional conditions, the daughter of a grand burgher born in the city or town. These rules varied locally.
German Revolution of 1918–19
Following the German Revolution of 1918–19, the German "Großbürger" along with German nobility as a legally defined class was abolished on August 11, 1919, with the promulgation of the Weimar Constitution, under which all Germans were made equal before the law, and the legal rights and privileges due to the Großbürger (Grand Burgher) and all ranks of nobility ceased. Any title, however, held prior to the Weimar Constitution, were permitted to continue merely as part of the family name and heritage, or erased from future name use. The Grand Burghers would nevertheless continue to retain their powerful economic significance, political authority and influence, as well as their personal status and importance in society, beyond the Weimar Constitution.
Other states, other developments
It seems that this medieval German concept has been taken over by other countries and cities. In Hamburg, hereditary grand and ordinary petty burghership were existing before 1600, and in like manner, France. In 1657 the Dutch council of New Netherland for example established criteria for the rights of burghers in New Amsterdam (present day New York City), distinguishing between "great" and "petty" burgher rights following the distinction made in this regard in Amsterdam 1652. In New Amsterdam during the mid-1600s, the ordinary petty-burghership was conferred at the administration expense of 20 Dutch florins, the hereditary great-burghership 50 fl. 1664 the concept was assumed by Beverwijck (present day Albany).
See also
Patrician (ancient Rome)
Patrician (post-Roman Europe)
Aristocracy (class)
Gentry
Hanseaten (class)
Burgess (title)
Bourgeoisie
Bildungsbürgertum
Estates of the realm
Franklin (class)
Junker
Hereditary title
Nobility
National Liberal Party (Germany)
References
Further reading
Lehrbuch des teutschen Privatrechts; Landrecht und Lehnrecht enthaltend. Vom Geheimen Rath Schmalz zu Berlin. Theodor von Schmalz, Berlin, 1818, bei Duncker und Humblot. Bayerische Staatsbibliothek in München. (English: Textbook of German Private Law; containing State Law and Feudal Law. By Privy Counsellor Schmalz of Berlin. Theodor von Schmalz, Berlin, 1818, Duncker and Humblot.), in German, Bavarian State Library in Munich.
Social class in Germany
Law of the Holy Roman Empire
Social history of the Holy Roman Empire
History of Hamburg
Hanseatic Cities
Medieval Germany
Titles
Noble titles
Men's social titles
Women's social titles |
```clojure
(ns status-im.contexts.wallet.common.activity-tab.view
(:require
[clojure.string :as string]
[quo.core :as quo]
[quo.theme]
[react-native.core :as rn]
[status-im.common.resources :as resources]
[status-im.constants :as constants]
[status-im.contexts.shell.jump-to.constants :as jump-to.constants]
[status-im.contexts.wallet.common.empty-tab.view :as empty-tab]
[utils.i18n :as i18n]
[utils.re-frame :as rf]))
(defn send-and-receive-activity
[{:keys [transaction relative-date status sender recipient token amount network-name
network-logo token-id nft-url nft-name]}]
(if token-id
[quo/wallet-activity
{:transaction transaction
:timestamp relative-date
:status status
:counter 1
:first-tag {:size 24
:type :collectible
:collectible nft-url
:collectible-name (if (> amount 1)
(str amount " " nft-name)
nft-name)
:collectible-number token-id}
:second-tag-prefix :t/from
:second-tag {:type :address :address sender}
:third-tag-prefix :t/to
:third-tag {:type :address :address recipient}
:fourth-tag-prefix :t/via
:fourth-tag {:size 24
:type :network
:network-name network-name
:network-logo network-logo}
:blur? false}]
[quo/wallet-activity
{:transaction transaction
:timestamp relative-date
:status status
:counter 1
:first-tag {:size 24
:type :token
:token token
:amount amount}
:second-tag-prefix :t/from
:second-tag {:type :address :address sender}
:third-tag-prefix :t/to
:third-tag {:type :address :address recipient}
:fourth-tag-prefix :t/via
:fourth-tag {:size 24
:type :network
:network-name network-name
:network-logo network-logo}
:blur? false}]))
;; WIP to add the mint activity.
;(defn mint-activity
; [{:keys [transaction relative-date status recipient network-name
; network-logo nft-name nft-url token-id]}]
; [quo/wallet-activity
; {:transaction transaction
; :timestamp relative-date
; :status status
; :counter 1
; :first-tag {:size 24
; :type :collectible
; :collectible nft-url
; :collectible-name nft-name
; :collectible-number token-id}
; :second-tag-prefix :t/at
; :second-tag {:type :address :address recipient}
; :third-tag-prefix :t/to
; :third-tag {:type :address :address recipient}
; :fourth-tag-prefix :t/via
; :fourth-tag {:size 24
; :type :network
; :network-name network-name
; :network-logo network-logo}
; :blur? false}])
(defn- section-header
[{:keys [title]}]
[quo/divider-date title])
(defn activity-item
[{:keys [transaction] :as activity}]
(case transaction
(:send :receive) [send-and-receive-activity activity]
;; WIP to add the mint activity.
;; :mint [mint-activity activity]
nil))
(defn- pressable-text
[{:keys [on-press text]}]
[rn/text
{:style {:text-decoration-line :underline}
:on-press on-press}
text])
(defn view
[]
(let [theme (quo.theme/use-theme)
address (rf/sub [:wallet/current-viewing-account-address])
activity-list (rf/sub [:wallet/activities-for-current-viewing-account])
open-eth-chain-explorer (rn/use-callback
#(rf/dispatch [:wallet/navigate-to-chain-explorer
{:address address
:network constants/mainnet-network-name}])
[address])
open-oeth-chain-explorer (rn/use-callback
#(rf/dispatch [:wallet/navigate-to-chain-explorer
{:address address
:network constants/optimism-network-name}])
[address])
open-arb-chain-explorer (rn/use-callback
#(rf/dispatch [:wallet/navigate-to-chain-explorer
{:address address
:network constants/arbitrum-network-name}])
[address])]
[:<>
[quo/information-box
{:type :informative
:icon :i/info
:closable? false
:style {:margin-horizontal 20 :margin-vertical 8}}
[:<>
(str (i18n/label :t/wallet-activity-beta-message) " ")
[pressable-text
{:on-press open-eth-chain-explorer
:text (i18n/label :t/etherscan)}]
", "
[pressable-text
{:on-press open-oeth-chain-explorer
:text (i18n/label :t/op-explorer)}]
(str ", " (string/lower-case (i18n/label :t/or)) " ")
[pressable-text
{:on-press open-arb-chain-explorer
:text (i18n/label :t/arbiscan)}]
"."]]
(if (empty? activity-list)
[empty-tab/view
{:title (i18n/label :t/no-activity)
:description (i18n/label :t/empty-tab-description)
:image (resources/get-themed-image :no-activity theme)}]
[rn/section-list
{:sections activity-list
:sticky-section-headers-enabled false
:style {:flex 1
:padding-horizontal 8}
:content-container-style {:padding-bottom jump-to.constants/floating-shell-button-height}
:render-fn activity-item
:render-section-header-fn section-header}])]))
``` |
```javascript
import Comp from './index.vue'
import { mount } from 'vue-test-utils'
import { expect } from 'chai'
describe('PopupRadio', () => {
it('basic', () => {
const wrapper = mount(Comp)
expect(wrapper.name()).to.equal('popup-radio')
})
})
``` |
Barbas is a commune in the Meurthe-et-Moselle department in northeastern France.
See also
Communes of the Meurthe-et-Moselle department
References
Communes of Meurthe-et-Moselle |
The Bathurst Showground is a heritage-listed showground at Kendall Avenue (Great Western Highway), Bathurst, Bathurst Region, New South Wales, Australia. It was designed by James Hines, J. J. Copemen and Edward Gell and built from 1879. The property is owned by Bathurst Showground Trust and the New South Wales Department of Trade & Investment, Regional Infrastructure & Services. It was added to the New South Wales State Heritage Register on 4 September 2015.
History
Indigenous occupation and European settlement
The Macquarie Valley, in which Bathurst was later situated, was inhabited by the Wiradjuri people, their land extending from the western side of the Dividing Range to the Darling River. The Wiradjuri were impacted early by the expansion of pastoralist and retaliated with a series of attacks. Governor Brisbane declared martial law in August 1824, but the attacks continued with a man named Windradyne being a prominent figure in resistance. Windradyne became associated with the Suttor family, who maintained friendly relations with the Wiradjuri and advocated on their behalf.
Agriculture
The Bathurst district was the first European settlement in the interior of the Australian continent, having been proclaimed by Governor Macquarie on 7 May 1815. The area was necessary for the expansion of the colony. Governor Macquarie, being opposed to graziers with large holdings, was hoping the land would be opened up as small holdings for the production of wheat. While wheat was grown, the grazing of first cattle and then sheep, became more important. The wheat industry was hampered by a lack of supply networks to Sydney markets and the majority of the harvests were consumed locally, although Gold Rush towns became a significant market during the 1850s and 1860s. Despite this, four flour mills were open in Bathurst in 1862 and five were operating in 1886. The transportation issue was solved in 1876, when the railway line was extended from Lithgow
Fruit growing began early in the region's history, but commercial production began around the turn of the century. The industry was pioneered by the Bathurst Government Agricultural Experiment Farm (or Agricultural Research Station), established in 1895 and was greatly expanded by soldier settlements after World War I. In response, Gordon Edgell & Sons opened a small cannery in 1926.
Bathurst Agricultural, Pastoral and Horticultural Association
Although several ploughing matches were held during the 1850s, the first lasting agricultural society was established in 1860 at the village of O'Connell, 23.5 kilometres to the south east of Bathurst. Attempts were made as early as 1855 to establish an association for the promotion of agriculture. The local paper, the "Free Press" argued an association was necessary as farmers in the district were not taking up labour and time saving technology, such as winnowers and thrashers, as eagerly as they aught. While this early attempt at establishing an association failed, the successfully established Association had at its core the aim of encouraging scientific farming methods. The annual Shows must have had mixed success in this respect, as the technological phobias of the districts farmers were mentioned again in 1894, the press believing that farming was carried out in "a very crude manner".
An additional motivation of the Association was to gather the scattered occupants of the region together so that "ignorance would not flourish and to provide an avenue for socialisation". A reporter in 1921 in the "Bathurst Times" summed up the success the show achieved in this respect saying "Not since Bathurst has been Bathurst has there been a time - outside stress time - when the people have been so united as they are over the Show." Towards this end the Show also arranged a wide range of social activities that expanded during its history.
O'Connell held a show on Easter Monday, 9 April 1860, which was well attended. As well as a ploughing contest, there were classes for the best colonial bred bull, draught and blood stallions, brood mares, fine-wooled rams, fine-wooled ewes, pigs. poultry, wheat and farming implements. The show was held again in 1861 and 1862, with extended exhibits on both occasions.
On the completion of the 1862 show a group of prominent Bathurst citizens met with the O'Connell Association with the view to forming an association that would represent the wider region. At a public meeting on 19 June 1862 the O'Connell Association accepted an invitation to join the newly formed Bathurst Agricultural Association. The Association went through several name changes, finally settling on the Bathurst Agricultural, Horticultural and Pastoral Association.
The 1863 show was held at "Alloway Bank", the property of William Henry Suttor. By the following year land had been purchased at Raglan, 8 kilometres east of Bathurst, which was leased to a farmer to create some income. The show continued to be held in Raglan until 1868, when it was transferred to the Bathurst racecourse. The committee believed that the full potential of the show could not be realised at the Racecourse. (Sir) Francis Bathurst Suttor, a member of the New South Wales Legislative Assembly and son of William Henry Suttor, secured from the Government a land grant of 5.08 hectares (12.5 acres). The site had previously been cattle markets, established in around 1833.
The site was ready for the 1878 show, which has been held there ever since. In 1888 an extended area was granted by the Bathurst City Council and substantial alterations and additions were made to the grounds in light of this. During the following year the area was fenced, trees were planted, new horse and cattle stalls were erected and a half mile trotting track was formed. A further grant was given in 1890, which allowed the trotting track to be extended into an oval. This took the site to approximately 16.19 hectares (40 acres). The planting of trees formed a major part of the improvements to the grounds, partly as it was a stipulation of the original land grant, but also because it was seen that plantings added substantially to the public amenity of the Showgrounds. The importance that was placed on the plantings is borne out by the engagement of architect Edward Gell, for 50 pounds, to provide advice on the issue.
During the early 1860s the committee flirted with having both a spring and autumn show. Ultimately, the spring show was unsuccessful and was abandoned. From the move to their own grounds a group of structures were erected to fulfil the needs of the Show. The individual histories of some of these structures are outlined below.
In 1878 the show had been extended to two days and by 1883 it was decided that a three-day show was warranted, to ensure the auctioning of produce did not interfere with the objectives of the show. The objectives were to improve agricultural practices to be able to complete with other areas and to improve the breeding of livestock in the area.
The Bathurst Show was an annual occasion to which the district could look forward to, not only for the amusements, but also as an introduction to new ideas. At the 1876 show, for example, the newspaper noted that the women were fascinated by the preserves exhibited by Mrs. J. Rutherford. These were "in bottles of a peculiar construction and were protected by glass covers which were secured by metal rings." They were particularly applauded for their ability to preserve fruit for substantial lengths of time. Towards the end of the century, the Show brought the first rotary disc ploughs, irrigation pumps, bath heaters, milk separators and shearing equipment seen in the area. The expanding program of the Show also indicates the popularisation of new technologies in the district. The introduction of bicycle races in 1883 is a case in point.
The introduction and extension of the Main Western railway to Bathurst in the 1870s did much for the Show. The Department of Railways, for a time, offered discounted rates for those travelling to the Show. The special rates encouraged visitors from as far as Sydney and Orange to attend, the drawcard not only being the cheap travel, but also who was opening the Show. The Committee had considerable success in attracting prominent men to perform this task, including several Premiers (Sir George Dibbs, Hon. John See), Governors (Lord Hampden) and other dignitaries, including Lord and Lady Jersey. This success is indicative of the esteem with which the show was held.
From 1904 attendance declined due to the announcement by the Department of Railways that it would no longer offer discounted fares. Their introduction again in 1908 lead to a rise in gate takings.
During World War One, plans were proceeding for the 1916 show, despite the war, when the committee was applied to by Captain Eade of the army to use the grounds as a military camp. Eade promised that the grounds would be returned to their previous condition and that trotting meetings could continue. The Committee agreed to the request, abandoned the 1916 show and applied to the Government to have the Government loan reduced by 700 pounds. The military took up the show grounds on 1 January 1916, but on 5 October 1916 the Macquarie River and Vale Creek flooded, forcing the Army off. The Show Committee were unhappy with the state in which the Army had left the grounds and, together with the effects of the flood, the grounds were in no state to hold a show in 1917.
A show was held in 1918, and the 1919 show was in preparation, when the Government forbid large gatherings of people in an attempt to curb the influenza epidemic. Shows continued from 1920 until 1942, when the Defence Department applied to the Committee to use the Showgrounds as a training camp. Having learnt from their experience during World War One, the Committee set a strict agreement in place to allow the Army to occupy the site. The next show was not held until 1946.
The Committee vetted the amusements to maintain propriety and good taste. The most notable additions to the program were Probasco's Circus in 1898 and Wirth's in 1901. During this period there was a continual increase in the number and variety of sideshows. The Bathurst Show became a favourite for the States travelling carnie families, being one of the most profitable, some of whom have continued to return for 100 years.
A range of concerts and dances were introduced, expanding the social element of the show. The first fancy dress ball, in 1903, was attended by 80 couples, but only one couple wore fancy dress. As the AH&P; offices were destroyed by fire in 1910 the evolution of the ball is unclear. A ball was held in 1921, while these balls were a great social success, they were not financially lucrative, and only ran until 1925.
The Show also attracted to Bathurst Musical and Dramatic Societies, circuses, picture shows and jazz shows. Some local residents began to complain about the number, claiming that people were no longer supporting the Bathurst Music and Drama Society and the Bathurst picture show. The number of side-shows was also steadily increasing.
In 1905 a Smoking Evening was held. The evenings allowed men to watch a motion picture while smoking, which they could not do in "mixed" company. The event was revived in 1923 and proved to be very successful, not only socially, but also as fundraisers to reduce the loan on the Showground. Subsidiary shows, such as the smoke evenings, were abandoned during the Great Depression of the 1930s. Despite the downturn in business the Show was still seen as "a great occasion for those who live on the outskirts of the district, as it offers them an excuse for a days rest and a chance to meet old friends."
After World War II the Show continued to grow in reputation and the quality of the exhibits. It was claimed to be second only to the Sydney Royal Easter Show. In 1965 the first track display was held at night under newly installed floodlights. In 1968 the 100th show was celebrated. During the 1970s it was necessary to mortgage the Showground in order to give the Bank of New South Wales security for an overdraft, which the Committee had operated the finances through for many years. An additional loan was taken out in 1976 to renovate the Beau Brown Pavilion. In the late 1970s the trotting track was upgraded in order that the arena could be recognised as first class by the Racecourse Development Committee. On the completion of the improvements the NSW Trotting Authority approved a new race - the Gold Crown, which was run for the first time on 21 March 1987.
In 1986 the grounds were extensively damaged by a flood and major repairs were required to the track, the boundary fence, internal carpets and vehicles parked on the grounds.
To mark the event of the 125th show, in 1993, the Association successfully applied to Buckingham Palace for permission to include "Royal" in the title.
Modifications and dates
The following developments and modifications have been made to the site:
1878, 16–17 AprilFirst show on the AH & P's own (present) ground - some modifications to the land undertaken.
1879Construction of the first permanent structure on the Showgrounds - the Howard Pavilion, erected as an exhibition building
1882Gas lighting installed in the Howard Pavilion to provide suitable lighting for the remunerative night openings
1883Sinclair Pavilion built.
1885Caretaker's residence and Don Leitch Pavilion built. Also pig pavilion, sheep shed, poultry pavilion & six earth closets
1888Land adjacent to the showground leased from Bathurst City Council.
1889Substantial alterations and additions undertaken to make use of new land, included fencing area, planting trees, dismantling and re-erecting the horse and cattle stalls and the laying of a half mile trotting track
1891Application for more land granted. Part of Bentinck Street Closed and Thomson Street created. Poultry shed converted into an agricultural hall
1891-2Grandstand and Art Gallery (Beau Brown Pavilion) brought from Ashfield and erected in Bathurst.
1893Grounds illuminated with electric light
1898Trevitt Pavilion erected.
1902NSW Trotting Club established.
1916, 1 JanuaryMilitary occupation of the showground. - modifications, especially to Grandstand, undertaken.
Showground connected to sewerage and electricity
1928Pig section eliminated and sheep used pens instead
1940, 3 AprilSam Williams Memorial Gates erected.
1942-5Military occupation of the showground - further modifications undertaken.
1952In honour of a visit by Her Majesty the Queen the Noel Moxon Grandstand was painted as well as repairs to the Gatekeepers cottage. Prior Cattle Pavilion built.
1954, 14 NovemberNight trotting introduced, necessitating the erection of lighting.
1965New floodlights installed in arena
1966Major renovations undertaken on Noel Moxon grandstand to the value of $16,000. New concrete floor in Howard Pavilion. New office for Show Secretary constructed.
1975The Owens Stand opened.
1986, 5–6 AugustShowground flooded; extensive damage.
1987Major conservation work on Beau Brown Pavilion.
1991Ron Wood Stable Complex completed.
Description
Landscape
The showground is located on the edge of the city and is an impressive introduction to the city of Bathurst on the eastern approach. The site is bounded by Kendall Avenue, the Macquarie River and Vale Creek. The slope of the land towards the creek to the west has contained the buildings to the north, east and south of the site. The dominant landscape feature is the gravelled race track, surrounding a levelled grass arena.
Plantings complement the topography and arrangement of the site. Improvements began in 1878 with the planting of a range of deciduous and evergreen species, many of which are still extant. The species chosen included English elm (Ulmus procera), ash (Fraxinus sp), pine (Pinus sp.), cypress (Cupressus sp.), black locust (Robinia pseudoacacia) and Osage orange (Maclura pomifera). Stands were scattered throughout the grounds, while row plantings were restricted to the perimeter of the site. The track was originally ringed with English elms, many of which have now been removed, however a row still exists on the western boundary. More recently a wider range of species have been planted, including some eucalypts including Mugga ironbark (Eucalyptus sideroxylon). Replacement planting has occurred, but has been unsuccessful in some instances due to the use of different genetic stock.
Buildings
There are roughly 35 buildings in the showgrounds, dating from 1879 to the present. A full description of each is available in the Conservation Management Plan. The CMP divided the showground into six zones: the Historic Exhibition Zone, characterised by pavilions for the display of agricultural produce and handy work and the livestock pens; the Grandstand Zone, focused on the Noel Moxton Grandstand and incorporating subsidiary buildings such as a bar and tote; the Stable Zone, being mainly horse stables; the Arena Zone, consisting of the track and arena; the Display and Development Zone, which was still under development when the Cultural Management Plan was completed; and the Open Zone, a grassed area that also contains the Dog Show Shed. Overall, a unified fairground aesthetic is created, despite the eclectic use of timber, iron and masonry, which is complemented by the setting on the Macquarie River and the plantings described above.
The Beau Brown Pavilion
This pavilion, though not the oldest structure at the Showground, is the largest single enclosed space. The building commenced its life in suburban Sydney in about 1886, when it was erected as a skating rink at the Ashfield Recreation Ground. However, by the end of that decade the management of the Ashfield Recreation Ground, a private company, was in financial trouble and the decision was taken to sell its buildings. The Association purchased the Pavilion and the Grandstand and re-erected both at the Bathurst Showground in time for the show of 1892. The Pavilion was also known as the Art Gallery. In 1895, following a disastrous storm in the previous year which damaged several showground buildings, the Pavilion was "strengthened", presumably by adding more wind bracing.
In 1967 the pavilion was renamed to honour "the work carried out in various capacities by Mr. B. A. Brown". A major renovation programme was instituted in 1987, mainly to halt perceived structural movement. This included steel bracing, a new concrete floor and relining the walls with the present boarding.
The building is timber framed, with a main interior uninterrupted by supports, the space being spanned by bolted and laminated timber trusses, held on stout sawn timber posts. The trusses, which divide the structure into six bays, have bottom chords arranged so as to impart an approximately semicircular form, springing from about 2 metres above the level of the concrete floor, and top chords supporting a pitched roof iron, springing from wall plate height. There are steel lateral truss ties at two levels, the first level with the top of the wall boarding and the second just below wall-plate level.
The trusses are unusual, being wide in span and of bolted laminated sawn timber construction. The main elevation faces south, is distinctively broad and gabled, being marked by its central entrance porch, flanked by small rooms with hipped roofs and surmounted by the stumpy tower. The tower has decorative bracketed eaves and a roof in the form of a truncated square pyramid. The tower's pitched roof has sheet metal tiles in a fish-scale pattern, crowned by a pressed metal cornice, featuring decorative mouldings and lions heads.
There is also a small central pediment motif above the eaves of the south face. It is this tower which imparts to the building its unusual Victorian Second Empire style. Of almost equal interest is the treatment of the remainder of this front, which includes fine panelled and patterned boarding, notched and bracketed barge boards, eaves soffits, scalloped friezes and a radiating design over the semicircular windows, decorated window lintels and a prominent "keystone", all done in cut and fretted timber.
The Trevitt Pavilion
This pavilion bears the date 1897, and was built originally as a poultry pavilion. Plans by the architect J.J. Copemen were accepted by the Association late in 1897. The successful tenderers for the construction were Frederick and Alfred Rigby. The pavilion was named after 1952 to commemorate the service of Mr Ken Trevitt, manager of the Western District Exhibit at both the Sydney Royal Easter Show and at Bathurst and also to mark the long association of his father and grandfather with the exhibit.
The building, comprises a high centre section with a hipped roof, surrounded by a clerestory, below which are peripheral aisles also having hipped roofs. The centre section has very tall round-log columns supporting a roof structure of sawn timbers. The floor is trowelled concrete.
Being the centre of a group of three, being flanked by the Beau Brown and Howard Pavilions, the pavilion has only its north and south walls visible. The north elevation is very simple, with wall sheeting and one doorway. The south or front elevation consists of nine "bays" of uneven width, marked by wide vertical cover straps and sheeted in corrugated iron.
At the centre of the roof ridge there is a large cupola. The dome of the cupola is sheeted in ripple iron with a knob at the crown where it once supported a flagpole.
The Howard Pavilion
This was the first major building to appear at the showground. It was erected in 1879 as the "Exhibition Building", to the design of Edward Gell, Architect. By 1891 the building was known as the main pavilion. The pavilion was named in about 1957, for James Howard, who was made a life member of the AH & P in 1948 and who, with his son Sidney, gave long service to both the AH & P and the Trotting Club, principally as race starters.
This building is built hard against the east wall of the Trevitt Pavilion. It is timber framed and of basilican form nine bays long, composed or round log posts supporting the trusses of the gabled "nave", with clerestory windows on the east and west sides, above skillion-roofed aisles which extend at the sides and front at the same pitch as the main roof. At the south end there is a semi-octagonal full-height apse, incorporating the entrance door, flanked by rooms under the skillion roof, which is hipped at the south-east and south-west corners.
Walls are generally sheeted with beaded weatherboards. The apse has a facetted roof, a pair of round-headed windows and a large entrance doorway.
The windows of the clerestories are round-headed. The south or front gable has a large circular vent. The roof ridge is decorated with cast iron cresting. The barges at the northern end are unusual, being formed of short vertical boards with rounded ends.
More than half of the interior is open, revealing the form and detail of the robust structure.
The CEC English Pavilion
A painted panel on the front bears the date 1886. The design is of the Bathurst architect James Hine. C. E. C. English was a long-serving steward of the Show and the pavilion was named for him after 1967. This is a freestanding traditional timber framed structure with medium-pitched roof gables facing north and south, skillion aisles of lower pitch on the east and west sides, and a monitor roof light running north-south above the centre of the space. The building has six structural bays. The queen-post roof trusses are constructed of sawn timbers. The floor is concrete. The roofs are of corrugated iron and some translucent panels have been inserted.
The very handsome exterior is unusual in having virtually identical north and south elevations and unadorned sidewalls. The north and south ends feature the roof monitor, which is given ingenious pediment treatment by means of decorative fretwork timber boarding. The main gables are sheeted with vertical boarding and the walls with weatherboards of various profiles including rebated rusticated, bull nose and chamferboard. A fretwork valence appears in each main gable below the monitor ends. Each end elevation has a centre doorway with double doors and a semi-elliptical head, and four semicircular-headed double-hung windows.
Sinclair Pavilion
This is the second major building to be built at the showground. It was in place in time for the 1883 show. Its function was to provide for the exhibits in the sheep sections, for which it had 150 pens.
The building was named after 1967 to commemorate the name of a long-serving and dedicated steward of the Show. It still serves its original purpose.
This building is comparatively long and narrow, with its axis running north south, and it comprises a gabled main section having a fairly low-pitched roof, to which wide skillion side appendages of low roof pitch have been added, possibly at some time after erection of the main section.
The roof is of corrugated iron. The floor is of gravel and there is a concrete perimeter. The north and south walls are sheeted in corrugated iron.
On the exterior, the north end has a decorative gable treatment incorporating chambered bargeboards, a collar-tie, a curved member extending from eaves to collar, a central finial post, and a valence of fretwork boarding suspended from the curved member. The spandrels are filled with boarding. The finial acts as a stop-end to the cast iron cresting, which embellishes the roof.
The Don Leitch Pavilion
This building was designed by James Hine, architect, and built in 1885 by Mugridge Brothers.
The building was first used as a pig pavilion, it quickly earned the nickname of "The Palace". This was presumably because of the distinctive decorative treatment of the curved gable ends and the roof ridge.
The pavilion was named after 1967 to commemorate the service of Don Leitch, a long-serving steward and President of the AH & P Society from 1978-1983.
The Leitch Pavilion is a rectangular building ten bays long, its principal structural bays separated by stout round-log posts, which appear to mark the original perimeter of the space. To this main area are added side skillions of very low pitch. The roof is of broken-back form, sheeted with corrugated iron with some translucent plastic panels.
The floor and the surrounding apron are of gravel.
The exterior end walls are sheeted in corrugated iron and the sides have welded steel mesh and bird wire fixed to steel girders. The gable treatment of the centre section is quite distinctive.
Prior Pavilion
Simple unpretentious pavilion with classical rural character built 1952. Traditional form and construction blends well with the older buildings. Timber framed, partly open and partly vertical boarded under a broad gabled iron roof with flanking skillions. Roof is supported by undressed poles. The pavilion differs significantly from the traditional pavilion form, probably as a result of scarce steel supplies in the postwar period.
Cattle Pens A
A long, narrow structure of 14 bays, constructed of rough-hewn timber clad with corrugated iron in 1914. One side is fully open except for removable split hardwood rails mortised into split hardwood posts. Roof is a long, narrow gabled form supported by undressed hardwood poles. Representative of the simple structures built to display livestock. Very simple compared to other buildings, but makes an important contribution to the rural flavour of the showground group, demonstrating a uniquely Australian type of construction, now almost a forgotten art.
Noel Moxon Stand
In July 1891 the association were offered the grandstand and skating rink from the Ashfield Recreation Ground and Garden Palace, who had gone into receivership due to the depression. The grandstand was bought and relocated for a cost of £1,095. The Grandstand was ready for the show of 1892.
Late Victorian grandstand with timber-framed roof structure above a raking stepped concrete base. Cladding is part corrugated iron, part weatherboard under a gabled roof supported by square timber stop chamfered posts with attached mouldings. Some vestiges of timberwork and decorative iron remain but much has been removed. Iron railings to steps. The stand was named in the 20th Century after longtime Showground caretaker, Noel Moxon.
Gatekeeper's Lodge
The cottage bears the date 1885 in a panel in the frieze over the keystone motif of the ground-floor windows. It was erected in that year by Mugridge Bothers, builders, to the design of Bathurst architect James Hine. With its very compact plan, vertically oriented form, romantic silhouette and modest polychrome brickwork, it has the character of a design derived from the 19th-century pattern-book, but no such source has yet been identified.
Gas lighting was installed in the house in 1914.
One of the most historic buildings at the ground, whose pattern-book design and brick construction give it a unique distinctiveness on this site. The romantic silhouette is created by a vertically oriented form, accompanied by modest polychrome brickwork. The floor plan is essentially a T-shape, two storeys with load bearing walls, timber joinery with sheet metal tiles simulating a Marseilles pattern. The main, south, wing is facetted as a semi-octagon, with a hipped and facetted roof, terminating with a prominent wrought iron finial. The building is the work of an important Bathurst architect, James Hines. The aesthetic impact of the building has been reduced by the construction of a 1970s toilet block nearby.
Outdoor Bar
Originally described as two "strong, substantial booths...walled with tongued and grooved pine, roofed with corrugated iron...intended as luncheon rooms with space at one end for a bar", the remaining one has had its walls removed. The building of four bays, supported on wooden posts, some encased in concrete, is in bad condition.
The Arena
The arena is approximately long and wide, on a NNE-SSW axis. The gravel track is wide and in circumference. Surrounded by elms, the grassed arena is a significant aspect of the showground landscape.
The arena has been an integral and highly important component of the Showground since 1888. The trotting track reached its oval form in 1890 and more extensive tree planting commenced.
The arena has been the focus of showground activity ever since it was created, featuring not only equestrian and other competitive events, but demonstrations such as the first aeroplane flight to be seen in the central west, by "Wizard" Stone in 1912.
Trotting races have been popular events at the show since 1889, when the first track was formed. The first meeting of the Bathurst Trotting Club was held in 1910.
Trotting activities, suspended during World War Two, recommenced in 1946 and night trotting commenced at the end of 1953, when light standards were installed around the track.
Heritage listing
The Bathurst Showground is of state significance for its association with the larger agricultural region which contributed significantly to the economy and development of the state. The Bathurst Show became recognised as one of the best agricultural shows in NSW in regards to the quality of the livestock and exhibits, demonstrating both the success of farming in the region and the pride locals took in their produce and show.
The showground demonstrates a continuity of historical activity, the site being used continually as a showground since 1878. This is one of the earliest sites that has been used continuously and has some of the earliest extant showground buildings including the Howard Pavilion which was designed by Edward Gell and erected in 1879. Additionally, the showground is of high architectural merit with particular care being taken with the placement of buildings and the architectural styles in which they were built. This attention was extended to the landscape setting, thereby creating a landmark in the town of Bathurst and the region. The Bathurst showground along with Glen Innes, Singleton Showgrounds contains the most comprehensive array and aesthetically cohesive suite of showground buildings in NSW regional towns and is thus one of a small group of iconic or'ideal' country show grounds.
The showground is significant as an example of agricultural showground, which often form an important focus for rural communities and aid in the social and technical development of rural and regional areas and consequently historically assisted with the development of industry and economy of the state. The Bathurst Showground is a worthy representation of this rural establishment having attracted people from a wide geographical area and it is an outstanding example of its type with regard to its aesthetic appeal and longevity.
Bathurst Showground was listed on the New South Wales State Heritage Register on 4 September 2015 having satisfied the following criteria.
The place is important in demonstrating the course, or pattern, of cultural or natural history in New South Wales.
The Bathurst Showground is of state significance for its association with the larger agricultural region which contributed significantly to the economy and development of the state. The Bathurst district was the first agricultural region to be developed inland of the Blue Mountains and provided significant pasture land. In the nineteenth century the region became a significant commercial orchard district for the provision of Sydney markets and the canning industry.
The Bathurst Show became recognised one of the best agricultural show in the state in regards to the quality of the livestock and exhibits, demonstrating both the success of farming in the region and the pride locals took in their produce and show. The Bathurst Show was an opportunity for regional farmers to showcase their produce and reinforce the importance of their production to the wider community. This pride is reflected in the care given to the buildings and grounds. As a fine example of its type, the Bathurst Show has been placed within the top ten shows in New South Wales.
The Bathurst Showground is significant as the location of the first aeroplane flight in the central west region and the first display of a motor vehicle. The Bathurst Royal Show was the means by which many regional people gained access to a wide range of new technologies.
The Bathurst Showground is of state significance as it demonstrates a continuity of historical activity, the site being used continually as a showground since 1878. This is one of the earliest sites that has been used continuously and has some of the earliest extant showground buildings.
The place is important in demonstrating aesthetic characteristics and/or a high degree of creative or technical achievement in New South Wales.
The Bathurst Showground is of state significance as a showground of high architectural merit. Even from the earliest years of its development, care was taken with the placement of buildings and the architectural styles in which they were built. Prominent local architects were consulted or employed to design the majority of the buildings, including the Cattle Pens. This care was extended to the landscape setting, which architect Edward Gell was paid the significant sum of 50 pounds for his advice. The aesthetic effect of the careful planting of a range of exotic trees on the grounds is heightened its situation on the confluence of Vale Creek and the Macquarie River. The attention to design and layout of the showground has resulted in Bathurst showground being one of a small group of showgrounds in NSW containing a comprehensive array of aesthetically cohesive showbuildings which remain intact and in use for show purposes. Its aesthetic values make it a landmark in the town of Bathurst and the wider region.
The place has strong or special association with a particular community or cultural group in New South Wales for social, cultural or spiritual reasons.
The Bathurst Showground is of state significance as an outstanding example of an agricultural showground that has become an important focus for rural communities. The Bathurst Showground is a worthy representation of this rural establishment, having attracted people from a wide geographical area, including Sydney, Lithgow, Orange, Portland and further afield, thereby widening the significance of the showground. The show was a significant social event for many who took advantage of the cheap rail tickets to visit the show and it was recognised as "a great occasion for those who live on the outskirts of the district, as it offers them an excuse for a days rest and a chance to meet old friends".
The place possesses uncommon, rare or endangered aspects of the cultural or natural history of New South Wales.
The Bathurst Showground is of state heritage significance one of a small number of a showgrounds with a full complement of showground buildings demonstrating the breadth of activities associated with a regional show and the development of the show as the agricultural economy of the region developed.
The collection of buildings in their landscape setting is also rare as they are still intact and unaltered. Many other NSW showgrounds have retained their grandstands and in some cases a couple of other pavilions but many of the historic pavilions are either demolished or in a state of dilapidation. Along with Singleton, Maitland and Glen Innes, Bathurst Showground retains a diverse collection of buildings and has strived to ensure new buildings are largely sympathetic with the historic buildings. Glen Innes is a rare example of an aesthetically cohesive group of showground buildings in a carefully planned and maintained landscape setting.
The place is important in demonstrating the principal characteristics of a class of cultural or natural places/environments in New South Wales.
The Bathurst Showground is of state significance as a representative example of a rural showground that demonstrates the contributions these establishments have made to the social and technical development of rural and regional areas throughout the state. The Bathurst Showground is an outstanding example of its type, regarding its aesthetic appeal and longevity and is one of a small group of showgrounds whose aesthetically pleasing suite of show buildings clustered around its central arena continues to illustrate the "ideal" regional showground in NSW.
See also
References
Bibliography
Attribution
External links
Official site
New South Wales State Heritage Register
Bathurst, New South Wales
Articles incorporating text from the New South Wales State Heritage Register
1879 establishments in Australia
Buildings and structures completed in 1879
Showgrounds in New South Wales |
```javascript
module.exports = ({ htmlWebpackPlugin }) => {
return `<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8" />
<meta content="IE=edge" http-equiv="X-UA-Compatible" />
<meta content="viewport-fit=cover, width=device-width, initial-scale=1" name="viewport" />
<meta name="theme-color" content="#ffffff" />
<title>Standard Notes</title>
<script src="./globals.js"></script>
${htmlWebpackPlugin.tags.headTags}
<link rel="stylesheet" href="./style.css" />
</head>
<body></body>
</html>`
}
``` |
Ptinus fallax is a species of spider beetle in the family Ptinidae. It is found in North America.
References
Further reading
Ptinus
Articles created by Qbugbot
Beetles described in 1905 |
Slobodka () is a rural locality (a village) in Parfyonovskoye Rural Settlement, Velikoustyugsky District, Vologda Oblast, Russia. The population was 4 as of 2002.
Geography
The distance to Veliky Ustyug is 31.5 km, to Karasovo is 20 km. Medvezhy Vzvoz is the nearest rural locality.
References
Rural localities in Velikoustyugsky District |
The 2012–13 GFF National Super League is the 15th season of the competition.
Table
References
GFF Elite League seasons
Guyana
football
football |
Igreja de Nossa Senhora da Conceição was a church in Luanda, Angola.
Founded in 1583, it was the first Parish Church of Luanda, and was originally made from wooden pillars, plaster and mud, with a thatched roof. In 1653, work began on building a stronger church and it became the cathedral of the city until 1818, when it was replaced with Nossa Senhora do Carmo
By the beginning of 1818, only the tower remained of the former church; the site was transformed in 1881 into the .
References
Roman Catholic churches in Luanda
Roman Catholic churches completed in 1583
Roman Catholic churches completed in 1653
1583 establishments in Africa
16th-century Roman Catholic church buildings in Angola |
```shell
#!/usr/bin/env bash
# Note: Majority of testing for this app is in the unit tests built into the code.
# These tests do some basic, plus file handling and error cases.
if [ $# -le 1 ]; then
echo "Insufficient arguments. A program name and output directory are required."
exit 1
fi
prog=$1
shift
odir=$1
echo "Testing ${prog}, output to ${odir}"
## Three args: program, args, output file
runtest () {
echo "" >> $3
echo "====[csv2tsv $2]====" >> $3
$1 $2 >> $3 2>&1
return 0
}
basic_tests_1=${odir}/basic_tests_1.txt
echo "Basic tests set 1" > ${basic_tests_1}
echo "-----------------" >> ${basic_tests_1}
runtest ${prog} "input1_format1.csv" ${basic_tests_1}
runtest ${prog} "input1_format2.csv" ${basic_tests_1}
runtest ${prog} "input1_format3.csv" ${basic_tests_1}
runtest ${prog} "--quote # --csv-delim | --tsv-delim $ --tab-replacement <==> --newline-replacement <==> input2.csv" ${basic_tests_1}
runtest ${prog} "-q # -c | -t @ -r <--> -n <--> input2.csv" ${basic_tests_1}
runtest ${prog} "input3.csv" ${basic_tests_1}
runtest ${prog} "--tab-replacement <TAB> input3.csv" ${basic_tests_1}
runtest ${prog} "--newline-replacement <NL> input3.csv" ${basic_tests_1}
runtest ${prog} "-r <TAB> -n <NL> input3.csv" ${basic_tests_1}
runtest ${prog} "-r -n input3.csv" ${basic_tests_1}
runtest ${prog} "header1.csv header2.csv header3.csv header4.csv header5.csv" ${basic_tests_1}
runtest ${prog} "--header header1.csv header2.csv header3.csv header4.csv header5.csv" ${basic_tests_1}
runtest ${prog} "-H header1.csv header2.csv header3.csv header4.csv header5.csv" ${basic_tests_1}
runtest ${prog} "input_unicode.csv" ${basic_tests_1}
runtest ${prog} "input_bom.csv" ${basic_tests_1}
runtest ${prog} "input_bom.csv input_bom.csv" ${basic_tests_1}
runtest ${prog} "-H input_bom.csv input_bom.csv" ${basic_tests_1}
echo "" >> ${basic_tests_1}; echo "====[cat header3.csv | csv2tsv --header -- header1.csv header2.csv - header4.csv header5.csv]====" >> ${basic_tests_1}
cat header3.csv | ${prog} --header -- header1.csv header2.csv - header4.csv header5.csv >> ${basic_tests_1} 2>&1
## Help and Version printing
echo "" >> ${basic_tests_1}
echo "Help and Version printing 1" >> ${basic_tests_1}
echo "-----------------" >> ${basic_tests_1}
echo "" >> ${basic_tests_1}
echo "====[csv2tsv --help | grep -c Synopsis]====" >> ${basic_tests_1}
${prog} --help 2>&1 | grep -c Synopsis >> ${basic_tests_1} 2>&1
echo "====[csv2tsv --help-verbose | grep -c Synopsis]====" >> ${basic_tests_1}
${prog} --help-verbose 2>&1 | grep -c Synopsis >> ${basic_tests_1} 2>&1
echo "====[csv2tsv --version | grep -c 'csv2tsv (eBay/tsv-utils)']====" >> ${basic_tests_1}
${prog} --version 2>&1 | grep -c 'csv2tsv (eBay/tsv-utils)' >> ${basic_tests_1} 2>&1
echo "====[csv2tsv -V | grep -c 'csv2tsv (eBay/tsv-utils)']====" >> ${basic_tests_1}
${prog} -V 2>&1 | grep -c 'csv2tsv (eBay/tsv-utils)' >> ${basic_tests_1} 2>&1
## Error cases
error_tests_1=${odir}/error_tests_1.txt
echo "Error test set 1" > ${error_tests_1}
echo "----------------" >> ${error_tests_1}
runtest ${prog} "nosuchfile.txt" ${error_tests_1}
runtest ${prog} "--nosuchparam input1.txt" ${error_tests_1}
## The newline character doesn't pass through the runtest function
## correctly, so the next couple tests write directly to the output file.
##
echo "" >> ${error_tests_1}; echo "====[csv2tsv --quote $'\n' input2.csv]====" >> ${error_tests_1}
${prog} --quote $'\n' input2.csv >> ${error_tests_1} 2>&1
echo "" >> ${error_tests_1}; echo "====[csv2tsv --quote $'\r' input2.csv]====" >> ${error_tests_1}
${prog} --quote $'\r' input2.csv >> ${error_tests_1} 2>&1
echo "" >> ${error_tests_1}; echo "====[csv2tsv --csv-delim $'\n' input2.csv]====" >> ${error_tests_1}
${prog} --csv-delim $'\n' input2.csv >> ${error_tests_1} 2>&1
echo "" >> ${error_tests_1}; echo "====[csv2tsv --csv-delim $'\r' input2.csv]====" >> ${error_tests_1}
${prog} --csv-delim $'\r' input2.csv >> ${error_tests_1} 2>&1
echo "" >> ${error_tests_1}; echo "====[csv2tsv --tsv-delim $'\n' input2.csv]====" >> ${error_tests_1}
${prog} --tsv-delim $'\n' input2.csv >> ${error_tests_1} 2>&1
echo "" >> ${error_tests_1}; echo "====[csv2tsv --tsv-delim $'\r' input2.csv]====" >> ${error_tests_1}
${prog} --tsv-delim $'\r' input2.csv >> ${error_tests_1} 2>&1
echo "" >> ${error_tests_1}; echo "====[csv2tsv --tab-replacement $'\n' input2.csv]====" >> ${error_tests_1}
${prog} --tab-replacement $'\n' input2.csv >> ${error_tests_1} 2>&1
echo "" >> ${error_tests_1}; echo "====[csv2tsv --tab-replacement $'\r' input2.csv]====" >> ${error_tests_1}
${prog} --tab-replacement $'\r' input2.csv >> ${error_tests_1} 2>&1
echo "" >> ${error_tests_1}; echo "====[csv2tsv -r $'__\n__' input2.csv]====" >> ${error_tests_1}
${prog} -r $'__\n__' input2.csv >> ${error_tests_1} 2>&1
echo "" >> ${error_tests_1}; echo "====[csv2tsv -r $'__\r__' input2.csv]====" >> ${error_tests_1}
${prog} -r $'__\r__' input2.csv >> ${error_tests_1} 2>&1
echo "" >> ${error_tests_1}; echo "====[csv2tsv --newline-replacement $'\n' input2.csv]====" >> ${error_tests_1}
${prog} --newline-replacement $'\n' input2.csv >> ${error_tests_1} 2>&1
echo "" >> ${error_tests_1}; echo "====[csv2tsv --newline-replacement $'\r' input2.csv]====" >> ${error_tests_1}
${prog} --newline-replacement $'\r' input2.csv >> ${error_tests_1} 2>&1
echo "" >> ${error_tests_1}; echo "====[csv2tsv -n $'__\n__' input2.csv]====" >> ${error_tests_1}
${prog} -n $'__\n__' input2.csv >> ${error_tests_1} 2>&1
echo "" >> ${error_tests_1}; echo "====[csv2tsv -n $'__\r__' input2.csv]====" >> ${error_tests_1}
${prog} -n $'__\r__' input2.csv >> ${error_tests_1} 2>&1
runtest ${prog} "-q x -c x input2.csv" ${error_tests_1}
runtest ${prog} "-q x -t x input2.csv" ${error_tests_1}
runtest ${prog} "-t x -r wxyz input2.csv" ${error_tests_1}
runtest ${prog} "invalid1.csv" ${error_tests_1}
runtest ${prog} "invalid2.csv" ${error_tests_1}
``` |
The 2004 United States Senate election in Georgia took place on November 2, 2004, alongside other elections to the United States Senate in other states as well as elections to the United States House of Representatives and various state and local elections. This election was the fifth consecutive even-number year in which a senate election was held in Georgia after elections in 1996, 1998, 2000, and 2002. Incumbent Democratic U.S. Senator Zell Miller decided to retire instead of seeking a first full term in office, leaving an open seat.
Representative Johnny Isakson, a Republican, won the open seat, marking the first time in history that Republicans held both of Georgia’s Senate seats. Democratic nominee Denise Majette became both the first African American and the first woman to be nominated for Senate in Georgia. Isakson would remain in the Senate until his resignation on December 31, 2019.
Democratic primary
Following reports that Miller would retire, Democratic leaders unsuccessfully tried to convince outgoing Governor Roy Barnes to run for Senate. Max Cleland, a former Senator who lost his seat in the 2002 election, was also considered a possible candidate before choosing not to run.
Majette's announcement that she would seek to replace Miller caught Democrats by surprise, as she was not on anyone's call list when Democrats began seeking a candidate to replace Miller. Further skepticism among Democrats about the viability of her candidacy surfaced when she announced that "God" had told her to run for the Senate.
Nominee:
Denise Majette, U.S. Representative from Decatur
Declined to run:
Roy Barnes, former Governor of Georgia
Max Cleland, former Senator
Zell Miller, incumbent Senator
Michelle Nunn, nonprofit executive and daughter of former Senator Sam Nunn
Republican primary
Candidates
Nominee
Johnny Isakson, U.S. Representative from Marietta
Defeated in primary
Herman Cain, former CEO of Godfather's Pizza
Mac Collins, U.S. Representative from Butts County
Declined to run
Ralph Reed, chair of the Georgia Republican Party
Campaign
Positioning himself as a political outsider, businessman Herman Cain spent nearly $1 million of his own money on his Senate campaign. To discredit Cain, Isakson's campaign dropped campaign mail pieces noting that Cain had donated to Democrats in the past, such as Hillary Clinton and Ted Kennedy.
Results
General election
Candidates
Allen Buckley (Libertarian)
Johnny Isakson, U.S. Representative from Marietta (Republican)
Denise Majette, U.S. Representative from Decatur (Democratic)
Campaign
Majette received important endorsements from U.S. Senators Mary Landrieu of Louisiana and Debbie Stabenow of Michigan, along with many others in Washington who campaigned and raised money for Majette. Her Senate campaign slogan was "I'll be nobody's Senator, but yours."
A number of factors led to Majette's loss. These include her late start, her valuable time and money spent in the runoff, larger conservative turnout from a proposed constitutional amendment banning same-sex marriages (which Majette opposed), the popularity of President George W. Bush in Georgia, and her lack of experience (being a one-term congresswoman).
Debates
Complete video of debate, October 31, 2004
Predictions
Polling
Results
Counties that flipped from Democratic to Republican
See also
2004 United States Senate elections
Notes
References
2004 Georgia (U.S. state) elections
Georgia
2004
Herman Cain |
```go
package stores
import "jvmgo/ch10/instructions/base"
import "jvmgo/ch10/rtda"
import "jvmgo/ch10/rtda/heap"
// Store into reference array
type AASTORE struct{ base.NoOperandsInstruction }
func (self *AASTORE) Execute(frame *rtda.Frame) {
stack := frame.OperandStack()
ref := stack.PopRef()
index := stack.PopInt()
arrRef := stack.PopRef()
checkNotNil(arrRef)
refs := arrRef.Refs()
checkIndex(len(refs), index)
refs[index] = ref
}
// Store into byte or boolean array
type BASTORE struct{ base.NoOperandsInstruction }
func (self *BASTORE) Execute(frame *rtda.Frame) {
stack := frame.OperandStack()
val := stack.PopInt()
index := stack.PopInt()
arrRef := stack.PopRef()
checkNotNil(arrRef)
bytes := arrRef.Bytes()
checkIndex(len(bytes), index)
bytes[index] = int8(val)
}
// Store into char array
type CASTORE struct{ base.NoOperandsInstruction }
func (self *CASTORE) Execute(frame *rtda.Frame) {
stack := frame.OperandStack()
val := stack.PopInt()
index := stack.PopInt()
arrRef := stack.PopRef()
checkNotNil(arrRef)
chars := arrRef.Chars()
checkIndex(len(chars), index)
chars[index] = uint16(val)
}
// Store into double array
type DASTORE struct{ base.NoOperandsInstruction }
func (self *DASTORE) Execute(frame *rtda.Frame) {
stack := frame.OperandStack()
val := stack.PopDouble()
index := stack.PopInt()
arrRef := stack.PopRef()
checkNotNil(arrRef)
doubles := arrRef.Doubles()
checkIndex(len(doubles), index)
doubles[index] = float64(val)
}
// Store into float array
type FASTORE struct{ base.NoOperandsInstruction }
func (self *FASTORE) Execute(frame *rtda.Frame) {
stack := frame.OperandStack()
val := stack.PopFloat()
index := stack.PopInt()
arrRef := stack.PopRef()
checkNotNil(arrRef)
floats := arrRef.Floats()
checkIndex(len(floats), index)
floats[index] = float32(val)
}
// Store into int array
type IASTORE struct{ base.NoOperandsInstruction }
func (self *IASTORE) Execute(frame *rtda.Frame) {
stack := frame.OperandStack()
val := stack.PopInt()
index := stack.PopInt()
arrRef := stack.PopRef()
checkNotNil(arrRef)
ints := arrRef.Ints()
checkIndex(len(ints), index)
ints[index] = int32(val)
}
// Store into long array
type LASTORE struct{ base.NoOperandsInstruction }
func (self *LASTORE) Execute(frame *rtda.Frame) {
stack := frame.OperandStack()
val := stack.PopLong()
index := stack.PopInt()
arrRef := stack.PopRef()
checkNotNil(arrRef)
longs := arrRef.Longs()
checkIndex(len(longs), index)
longs[index] = int64(val)
}
// Store into short array
type SASTORE struct{ base.NoOperandsInstruction }
func (self *SASTORE) Execute(frame *rtda.Frame) {
stack := frame.OperandStack()
val := stack.PopInt()
index := stack.PopInt()
arrRef := stack.PopRef()
checkNotNil(arrRef)
shorts := arrRef.Shorts()
checkIndex(len(shorts), index)
shorts[index] = int16(val)
}
func checkNotNil(ref *heap.Object) {
if ref == nil {
panic("java.lang.NullPointerException")
}
}
func checkIndex(arrLen int, index int32) {
if index < 0 || index >= int32(arrLen) {
panic("ArrayIndexOutOfBoundsException")
}
}
``` |
```c++
/*
* 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
*/
/*!
* \file src/relax/backend/contrib/dnnl/codegen.cc
* \brief Implementation of the DNNL JSON serializer.
*/
#include <tvm/ir/module.h>
#include <string>
#include "../codegen_json/codegen_json.h"
#include "../utils.h"
namespace tvm {
namespace relax {
namespace contrib {
using JSONGraphNode = tvm::runtime::json::JSONGraphNode;
using JSONGraphNodeEntry = tvm::runtime::json::JSONGraphNodeEntry;
using JSONSerializer = backend::contrib::JSONSerializer;
using backend::contrib::NodeEntries;
class DNNLJSONSerializer : public JSONSerializer {
public:
DNNLJSONSerializer(Map<Constant, String> constant_names, Map<Var, Expr> bindings)
: JSONSerializer(constant_names), bindings_(bindings) {}
using JSONSerializer::VisitExpr_;
NodeEntries VisitExpr_(const CallNode* call_node) final {
const auto* fn_var = call_node->op.as<VarNode>();
ICHECK(fn_var);
const auto fn = Downcast<Function>(bindings_[GetRef<Var>(fn_var)]);
ICHECK(fn.defined()) << "Expects the callee to be a function.";
auto composite_opt = fn->GetAttr<String>(attr::kComposite);
ICHECK(composite_opt.defined()) << "Only composite functions are supported.";
std::string composite_name = composite_opt.value();
NodeEntries inputs;
for (const auto& arg : call_node->args) {
auto res = VisitExpr(arg);
inputs.insert(inputs.end(), res.begin(), res.end());
}
auto node = std::make_shared<JSONGraphNode>(composite_name, /* name_ */
"kernel", /* op_type_ */
inputs, 1 /* num_outputs_ */);
const CallNode* root_call = nullptr;
if (composite_name.find("conv2d") != std::string::npos) {
root_call = backend::GetOpInFunction(fn, "relax.nn.conv2d");
} else {
LOG(FATAL) << "Unimplemented pattern: " << composite_name;
}
SetCallNodeAttribute(node, root_call);
return AddNode(node, GetRef<Expr>(call_node));
}
private:
/*! \brief The bindings to look up composite functions. */
Map<Var, Expr> bindings_;
};
Array<runtime::Module> DNNLCompiler(Array<Function> functions, Map<String, ObjectRef> /*unused*/,
Map<Constant, String> constant_names) {
Array<runtime::Module> compiled_functions;
for (const auto& func : functions) {
DNNLJSONSerializer serializer(constant_names, AnalyzeVar2Value(func));
serializer.serialize(func);
auto graph_json = serializer.GetJSON();
auto constant_names = serializer.GetConstantNames();
const auto* pf = runtime::Registry::Get("runtime.DNNLJSONRuntimeCreate");
ICHECK(pf != nullptr) << "Cannot find DNNL runtime module create function.";
auto func_name = GetExtSymbol(func);
compiled_functions.push_back((*pf)(func_name, graph_json, constant_names));
}
return compiled_functions;
}
TVM_REGISTER_GLOBAL("relax.ext.dnnl").set_body_typed(DNNLCompiler);
} // namespace contrib
} // namespace relax
} // namespace tvm
``` |
The 2017 Duquesne Dukes football team represented Duquesne University in the 2017 NCAA Division I FCS football season. They were led by 13th-year head coach Jerry Schmitt and played their home games at Arthur J. Rooney Athletic Field. They were a member of the Northeast Conference. They finished the season 7–4, 4–2 in NEC play to finish in a tie for second place.
Schedule
Source: Schedule
References
Duquesne
Duquesne Dukes football seasons
Duquesne Dukes football |
This is a list of mammals of Texas. Mammals native to or immediately off the coast of the U.S. state of Texas are listed first. Introduced mammals, whether intentional or unintentional, are listed separately.
The varying geography of Texas, the second largest state, provides a large variety of habitats for mammals. The land varies from swamps, Piney Woods in the east, rocky hills and limestone karst in the central Hill Country of the Edwards Plateau, desert in the south and west, mountains in the far west (the Trans-Pecos), and grassland prairie in the north, also known as the Panhandle. The state's many rivers, including the Rio Grande, the Colorado River, and the Trinity River, also provide diverse river habitats. Its central position in the United States means that species found primarily in either the western or eastern reaches of the country often have their ranges meeting in the state. Additionally, its proximity to Mexico is such that many species found there and into Central America also range as far north as Texas.
Texas recognizes three official mammals: the nine-banded armadillo, the Texas Longhorn, and the Mexican free-tailed bat. State law protects numerous species.
The state also recognizes the Texas State Bison Herd at Caprock Canyons State Park since 2011, the State Longhorn herd at multiple state parks since 1969, and the State dog breed, Blue Lacy since 2005.
List of species
Order Xenarthra
Dasypodidae
Dasypodidae is a family of armoured mammals found mainly in Latin America.
Order Chiroptera
Phyllostomidae
Mormoopidae
Vespertilionidae
Molossidae
Order Carnivora
Canidae
Felidae
Procyonidae
Mephitidae
Mustelidae
Phocidae
Ursidae
Order Artiodactyla
Tayassuidae
Cervidae
Antilocapridae
Bovidae
Order Eulipotyphla
Soricidae
Talpidae
Order Sirenia
Trichechidae
Order Didelphimorphia
Didelphidae
Order Lagomorpha
Leporidae
Order Rodentia
Castoridae
Cricetidae
Northern pygmy mouse (Baiomys taylori)
Mexican vole (Microtus mexicanus)
Woodland vole (Microtus pinetorum)
Prairie vole (Microtus ochrogaster)
White-throated woodrat (Neotoma albigula)
Florida woodrat (Neotoma floridana)
Mexican woodrat (Neotoma mexicana)
Southern plains woodrat (Neotoma micropus)
Golden mouse (Ochrotomys nuttalli)
Muskrat (Ondatra zibethicus)
Chihuahuan grasshopper mouse (Onychomys arenicola)
Northern grasshopper mouse (Onychomys leucogaster)
Coues' rice rat (Oryzomys couesi)
Marsh rice rat (Oryzomys palustris)
Texas mouse (Peromyscus attwateri)
Brush mouse (Peromyscus boylii)
Cactus mouse (Peromyscus eremicus)
Cotton mouse (Peromyscus gossypinus)
Southern deer mouse (Peromyscus labecula)
White-footed mouse (Peromyscus leucopus)
White-ankled mouse (Peromyscus pectoralis)
Northern rock mouse (Peromyscus nasutus)
Western deer mouse (Peromyscus sonoriensis)
Pinyon mouse (Peromyscus truei)
Eastern harvest mouse (Reithrodontomys humulis)
Fulvous harvest mouse (Reithrodontomys fulvescens)
Western harvest mouse (Reithrodontomys megalotis)
Plains harvest mouse (Reithrodontomys montanus)
Tawny-bellied cotton rat (Sigmodon fulviventer)
Hispid cotton rat (Sigmodon hispidus)
Yellow-nosed cotton rat (Sigmodon ochrognathus)
Erethizontidae
Geomyidae
Heteromyidae
Hispid pocket mouse (Chaetodipus hispidus)
Rock pocket mouse (Chaetodipus intermedius)
Nelson's pocket mouse (Chaetodipus nelsoni)
Desert pocket mouse (Chaetodipus penicillatus)
Gulf Coast kangaroo rat (Dipodomys compactus)
Texas kangaroo rat (Dipodomys elator)
Merriam's kangaroo rat (Dipodomys merriami)
Ord's kangaroo rat (Dipodomys ordii)
Banner-tailed kangaroo rat (Dipodomys spectabilis)
Mexican spiny pocket mouse (Liomys irroratus)
Plains pocket mouse (Perognathus flavescens)
Silky pocket mouse (Perognathus flavus)
Merriam's pocket mouse (Perognathus merriami)
Sciuridae
Texas antelope squirrel (Ammospermophilus interpres)
Black-tailed prairie dog (Cynomys ludovicianus)
Southern flying squirrel (Glaucomys volans)
Gray-footed chipmunk (Neotamias canipes)
Eastern gray squirrel (Sciurus carolinensis)
Fox squirrel (Sciurus niger)
Mexican ground squirrel (Spermophilus mexicanus)
Spotted ground squirrel (Spermophilus spilosoma)
Thirteen-lined ground squirrel (Spermophilus tridecemlineatus)
Rock squirrel (Spermophilus variegatus)
Order Cetacea
Balaenidae
Balaenopteridae
Kogiidae
Kogiidae is a family of whales.
Physeteridae
Physeteridae is a monotypic family of whales only containing the extant Physeter macrocephalus.
Ziphiidae
Delphinidae
Introduced/invasive mammals
Order Primates
Order Carnivora
Canidae (canids)
Order Artiodactyla
Suidae (pigs)
Cervidae (deer)
Bovidae (antelopes & sheep)
Order Rodentia
Muridae (Old World mice & rats)
Myocastoridae (Nutria)
See also
Geography of Texas
List of amphibians of Texas
List of reptiles of Texas
List of birds of Texas
Notes and references
Notes
Citations
External links
American Society of Mammologists: Mammals of Texas
Handbook of Texas Online: Mammals
Texas Parks & Wildlife: Endangered and Threatened Species in Texas
The Mammals of Texas - Online Edition
Mammals
Texas |
```c
/*******************************************************************************
* Size: 20 px
* Bpp: 4
* Opts:
******************************************************************************/
#include "../../../lvgl.h"
#if LV_BUILD_TEST
#ifndef TEST_FONT_MONTSERRAT_ASCII_4BPP
#define TEST_FONT_MONTSERRAT_ASCII_4BPP 1
#endif
#if TEST_FONT_MONTSERRAT_ASCII_4BPP
/*-----------------
* BITMAPS
*----------------*/
/*Store the image of the glyphs*/
static LV_ATTRIBUTE_LARGE_CONST const uint8_t glyph_bitmap[] = {
/* U+0020 " " */
/* U+0021 "!" */
0x6f, 0xc6, 0xfc, 0x5f, 0xb4, 0xfa, 0x4f, 0xa3,
0xf9, 0x3f, 0x92, 0xf8, 0x2f, 0x71, 0xd6, 0x0,
0x1, 0x94, 0x9f, 0xe4, 0xf9,
/* U+0022 "\"" */
0xbe, 0x1, 0xf8, 0xbe, 0x1, 0xf8, 0xad, 0x1,
0xf7, 0xad, 0x0, 0xf7, 0xad, 0x0, 0xf7, 0x57,
0x0, 0x83,
/* U+0023 "#" */
0x0, 0x0, 0x7f, 0x0, 0x4, 0xf2, 0x0, 0x0,
0x0, 0xac, 0x0, 0x7, 0xf0, 0x0, 0x0, 0x0,
0xca, 0x0, 0x9, 0xd0, 0x0, 0xd, 0xff, 0xff,
0xff, 0xff, 0xff, 0xf8, 0x6, 0x88, 0xfb, 0x88,
0x8e, 0xc8, 0x84, 0x0, 0x2, 0xf4, 0x0, 0xf,
0x70, 0x0, 0x0, 0x3, 0xf2, 0x0, 0xf, 0x50,
0x0, 0x0, 0x5, 0xf1, 0x0, 0x2f, 0x40, 0x0,
0x0, 0x7, 0xf0, 0x0, 0x4f, 0x20, 0x0, 0x7f,
0xff, 0xff, 0xff, 0xff, 0xff, 0xe0, 0x38, 0x8d,
0xd8, 0x88, 0xcf, 0x88, 0x70, 0x0, 0xd, 0x90,
0x0, 0xac, 0x0, 0x0, 0x0, 0xf, 0x70, 0x0,
0xca, 0x0, 0x0, 0x0, 0x1f, 0x50, 0x0, 0xe8,
0x0, 0x0,
/* U+0024 "$" */
0x0, 0x0, 0x5, 0xf0, 0x0, 0x0, 0x0, 0x0,
0x5, 0xf0, 0x0, 0x0, 0x0, 0x0, 0x5, 0xf0,
0x0, 0x0, 0x0, 0x7, 0xcf, 0xff, 0xc8, 0x10,
0x1, 0xdf, 0xfe, 0xfd, 0xff, 0xd0, 0x8, 0xfc,
0x15, 0xf0, 0x6, 0x60, 0xc, 0xf3, 0x5, 0xf0,
0x0, 0x0, 0xc, 0xf5, 0x5, 0xf0, 0x0, 0x0,
0x6, 0xfe, 0x76, 0xf0, 0x0, 0x0, 0x0, 0x8f,
0xff, 0xf9, 0x40, 0x0, 0x0, 0x2, 0x7c, 0xff,
0xfe, 0x40, 0x0, 0x0, 0x5, 0xf4, 0xaf, 0xf2,
0x0, 0x0, 0x5, 0xf0, 0x9, 0xf7, 0x1, 0x0,
0x5, 0xf0, 0x6, 0xf8, 0xc, 0x92, 0x5, 0xf0,
0x2d, 0xf4, 0xc, 0xff, 0xed, 0xfd, 0xff, 0xa0,
0x0, 0x4a, 0xef, 0xff, 0xc6, 0x0, 0x0, 0x0,
0x5, 0xf0, 0x0, 0x0, 0x0, 0x0, 0x5, 0xf0,
0x0, 0x0, 0x0, 0x0, 0x2, 0x70, 0x0, 0x0,
/* U+0025 "%" */
0x0, 0x9e, 0xe9, 0x0, 0x0, 0x0, 0xda, 0x0,
0x0, 0xad, 0x44, 0xda, 0x0, 0x0, 0x9e, 0x10,
0x0, 0x1f, 0x40, 0x4, 0xf1, 0x0, 0x4f, 0x40,
0x0, 0x3, 0xf1, 0x0, 0x1f, 0x30, 0x1e, 0x90,
0x0, 0x0, 0x2f, 0x30, 0x3, 0xf1, 0xa, 0xd0,
0x0, 0x0, 0x0, 0xcb, 0x11, 0xbb, 0x5, 0xf3,
0x0, 0x0, 0x0, 0x1, 0xcf, 0xfc, 0x11, 0xe8,
0x1a, 0xfe, 0x70, 0x0, 0x0, 0x11, 0x0, 0xad,
0xa, 0xd4, 0x5f, 0x60, 0x0, 0x0, 0x0, 0x5f,
0x32, 0xf3, 0x0, 0x7e, 0x0, 0x0, 0x0, 0x1f,
0x70, 0x4f, 0x0, 0x4, 0xf0, 0x0, 0x0, 0xb,
0xc0, 0x4, 0xf0, 0x0, 0x3f, 0x0, 0x0, 0x6,
0xf2, 0x0, 0x2f, 0x20, 0x6, 0xe0, 0x0, 0x2,
0xf7, 0x0, 0x0, 0xbb, 0x23, 0xe6, 0x0, 0x0,
0xcc, 0x0, 0x0, 0x1, 0xaf, 0xe8, 0x0,
/* U+0026 "&" */
0x0, 0x1, 0x9d, 0xfd, 0x70, 0x0, 0x0, 0x0,
0xd, 0xf9, 0x7b, 0xf7, 0x0, 0x0, 0x0, 0x4f,
0x90, 0x0, 0xdc, 0x0, 0x0, 0x0, 0x5f, 0x70,
0x0, 0xec, 0x0, 0x0, 0x0, 0x1f, 0xe1, 0x1b,
0xf4, 0x0, 0x0, 0x0, 0x5, 0xfd, 0xef, 0x50,
0x0, 0x0, 0x0, 0x4, 0xef, 0xf3, 0x0, 0x0,
0x0, 0x0, 0x8f, 0xc7, 0xfd, 0x20, 0x8, 0x30,
0x7, 0xf9, 0x0, 0x5f, 0xe2, 0x1f, 0x80, 0xe,
0xe0, 0x0, 0x5, 0xfe, 0xaf, 0x30, 0xf, 0xd0,
0x0, 0x0, 0x4f, 0xfc, 0x0, 0xd, 0xf7, 0x0,
0x0, 0x5e, 0xff, 0x30, 0x4, 0xff, 0xeb, 0xbe,
0xfe, 0x6f, 0xf2, 0x0, 0x29, 0xdf, 0xfc, 0x70,
0x3, 0xb0, 0x0, 0x0, 0x0, 0x0, 0x0, 0x0,
0x0,
/* U+0027 "'" */
0xbe, 0xbe, 0xad, 0xad, 0xad, 0x57,
/* U+0028 "(" */
0x0, 0xe, 0xd0, 0x0, 0x7f, 0x60, 0x0, 0xef,
0x0, 0x3, 0xfa, 0x0, 0x8, 0xf5, 0x0, 0xb,
0xf2, 0x0, 0xe, 0xf0, 0x0, 0xf, 0xe0, 0x0,
0xf, 0xd0, 0x0, 0x1f, 0xc0, 0x0, 0xf, 0xd0,
0x0, 0xf, 0xe0, 0x0, 0xe, 0xf0, 0x0, 0xb,
0xf2, 0x0, 0x8, 0xf5, 0x0, 0x3, 0xfa, 0x0,
0x0, 0xee, 0x0, 0x0, 0x7f, 0x60, 0x0, 0xe,
0xd0,
/* U+0029 ")" */
0x2f, 0xb0, 0x0, 0xaf, 0x30, 0x3, 0xfa, 0x0,
0xe, 0xf0, 0x0, 0x9f, 0x40, 0x6, 0xf7, 0x0,
0x3f, 0xa0, 0x2, 0xfb, 0x0, 0x1f, 0xc0, 0x0,
0xfd, 0x0, 0x1f, 0xc0, 0x2, 0xfb, 0x0, 0x3f,
0xa0, 0x6, 0xf7, 0x0, 0x9f, 0x40, 0xe, 0xf0,
0x3, 0xfa, 0x0, 0xaf, 0x30, 0x2f, 0xb0, 0x0,
/* U+002A "*" */
0x0, 0x9, 0x90, 0x0, 0x26, 0x9, 0x90, 0x62,
0x5f, 0xcb, 0xbc, 0xf5, 0x2, 0xbf, 0xfb, 0x20,
0x7, 0xef, 0xfe, 0x70, 0x6f, 0x69, 0x96, 0xf6,
0x1, 0x9, 0x90, 0x10, 0x0, 0x6, 0x60, 0x0,
/* U+002B "+" */
0x0, 0x0, 0x0, 0x0, 0x0, 0x0, 0x0, 0xfa,
0x0, 0x0, 0x0, 0x0, 0xfa, 0x0, 0x0, 0x0,
0x0, 0xfa, 0x0, 0x0, 0x0, 0x0, 0xfa, 0x0,
0x0, 0xaf, 0xff, 0xff, 0xff, 0xf4, 0x6a, 0xaa,
0xfd, 0xaa, 0xa2, 0x0, 0x0, 0xfa, 0x0, 0x0,
0x0, 0x0, 0xfa, 0x0, 0x0, 0x0, 0x0, 0xfa,
0x0, 0x0,
/* U+002C "," */
0x6, 0xa1, 0xf, 0xf8, 0xa, 0xf7, 0x5, 0xf2,
0x9, 0xc0, 0xd, 0x70,
/* U+002D "-" */
0x9b, 0xbb, 0xb5, 0xdf, 0xff, 0xf8,
/* U+002E "." */
0x7, 0xb2, 0xf, 0xf8, 0xa, 0xe4,
/* U+002F "/" */
0x0, 0x0, 0x0, 0x7, 0x50, 0x0, 0x0, 0x4,
0xf7, 0x0, 0x0, 0x0, 0xaf, 0x10, 0x0, 0x0,
0xf, 0xc0, 0x0, 0x0, 0x4, 0xf6, 0x0, 0x0,
0x0, 0xaf, 0x10, 0x0, 0x0, 0xf, 0xc0, 0x0,
0x0, 0x5, 0xf6, 0x0, 0x0, 0x0, 0xaf, 0x10,
0x0, 0x0, 0xf, 0xb0, 0x0, 0x0, 0x5, 0xf6,
0x0, 0x0, 0x0, 0xaf, 0x10, 0x0, 0x0, 0xf,
0xb0, 0x0, 0x0, 0x5, 0xf6, 0x0, 0x0, 0x0,
0xbf, 0x10, 0x0, 0x0, 0x1f, 0xb0, 0x0, 0x0,
0x6, 0xf5, 0x0, 0x0, 0x0, 0xbf, 0x0, 0x0,
0x0, 0x1f, 0xb0, 0x0, 0x0, 0x6, 0xf5, 0x0,
0x0, 0x0,
/* U+0030 "0" */
0x0, 0x1, 0x8d, 0xfe, 0xa3, 0x0, 0x0, 0x2,
0xef, 0xfd, 0xef, 0xf6, 0x0, 0x0, 0xdf, 0xa1,
0x0, 0x6f, 0xf2, 0x0, 0x6f, 0xc0, 0x0, 0x0,
0x7f, 0xb0, 0xb, 0xf4, 0x0, 0x0, 0x0, 0xff,
0x0, 0xef, 0x10, 0x0, 0x0, 0xc, 0xf3, 0xf,
0xf0, 0x0, 0x0, 0x0, 0xaf, 0x50, 0xff, 0x0,
0x0, 0x0, 0xa, 0xf5, 0xe, 0xf1, 0x0, 0x0,
0x0, 0xcf, 0x30, 0xbf, 0x40, 0x0, 0x0, 0xf,
0xf0, 0x6, 0xfc, 0x0, 0x0, 0x7, 0xfb, 0x0,
0xd, 0xfa, 0x10, 0x6, 0xff, 0x20, 0x0, 0x2e,
0xff, 0xdf, 0xff, 0x60, 0x0, 0x0, 0x18, 0xdf,
0xea, 0x30, 0x0,
/* U+0031 "1" */
0xdf, 0xff, 0xf4, 0xac, 0xce, 0xf4, 0x0, 0xb,
0xf4, 0x0, 0xb, 0xf4, 0x0, 0xb, 0xf4, 0x0,
0xb, 0xf4, 0x0, 0xb, 0xf4, 0x0, 0xb, 0xf4,
0x0, 0xb, 0xf4, 0x0, 0xb, 0xf4, 0x0, 0xb,
0xf4, 0x0, 0xb, 0xf4, 0x0, 0xb, 0xf4, 0x0,
0xb, 0xf4,
/* U+0032 "2" */
0x0, 0x6c, 0xef, 0xea, 0x30, 0x2, 0xdf, 0xfe,
0xdf, 0xff, 0x50, 0x5f, 0x91, 0x0, 0x9, 0xfe,
0x0, 0x10, 0x0, 0x0, 0xe, 0xf2, 0x0, 0x0,
0x0, 0x0, 0xdf, 0x20, 0x0, 0x0, 0x0, 0x2f,
0xd0, 0x0, 0x0, 0x0, 0x1d, 0xf5, 0x0, 0x0,
0x0, 0x1c, 0xf8, 0x0, 0x0, 0x0, 0x1d, 0xf8,
0x0, 0x0, 0x0, 0x1d, 0xf8, 0x0, 0x0, 0x0,
0x2e, 0xf7, 0x0, 0x0, 0x0, 0x2e, 0xf6, 0x0,
0x0, 0x0, 0x2e, 0xff, 0xcc, 0xcc, 0xcc, 0x94,
0xff, 0xff, 0xff, 0xff, 0xfc,
/* U+0033 "3" */
0x4f, 0xff, 0xff, 0xff, 0xff, 0x3, 0xcc, 0xcc,
0xcc, 0xef, 0xd0, 0x0, 0x0, 0x0, 0x2f, 0xe2,
0x0, 0x0, 0x0, 0x1d, 0xf4, 0x0, 0x0, 0x0,
0xc, 0xf6, 0x0, 0x0, 0x0, 0x9, 0xfa, 0x0,
0x0, 0x0, 0x0, 0xff, 0xfe, 0x80, 0x0, 0x0,
0x6, 0x68, 0xef, 0xc0, 0x0, 0x0, 0x0, 0x0,
0xdf, 0x50, 0x0, 0x0, 0x0, 0x8, 0xf8, 0x1,
0x0, 0x0, 0x0, 0xaf, 0x77, 0xe6, 0x10, 0x0,
0x6f, 0xf2, 0x7f, 0xff, 0xee, 0xff, 0xf6, 0x0,
0x28, 0xcf, 0xfe, 0xa3, 0x0,
/* U+0034 "4" */
0x0, 0x0, 0x0, 0x7, 0xfb, 0x0, 0x0, 0x0,
0x0, 0x0, 0x3f, 0xd1, 0x0, 0x0, 0x0, 0x0,
0x1, 0xef, 0x30, 0x0, 0x0, 0x0, 0x0, 0xc,
0xf6, 0x0, 0x0, 0x0, 0x0, 0x0, 0x8f, 0xa0,
0x0, 0x0, 0x0, 0x0, 0x4, 0xfd, 0x0, 0x1,
0x0, 0x0, 0x0, 0x2e, 0xf2, 0x0, 0x6f, 0x70,
0x0, 0x0, 0xcf, 0x50, 0x0, 0x6f, 0x70, 0x0,
0x9, 0xf9, 0x0, 0x0, 0x6f, 0x70, 0x0, 0x3f,
0xff, 0xff, 0xff, 0xff, 0xff, 0xf2, 0x2c, 0xcc,
0xcc, 0xcc, 0xdf, 0xec, 0xc1, 0x0, 0x0, 0x0,
0x0, 0x7f, 0x70, 0x0, 0x0, 0x0, 0x0, 0x0,
0x7f, 0x70, 0x0, 0x0, 0x0, 0x0, 0x0, 0x7f,
0x70, 0x0,
/* U+0035 "5" */
0x0, 0xff, 0xff, 0xff, 0xff, 0x0, 0x1f, 0xfc,
0xcc, 0xcc, 0xc0, 0x2, 0xfb, 0x0, 0x0, 0x0,
0x0, 0x4f, 0x90, 0x0, 0x0, 0x0, 0x6, 0xf7,
0x0, 0x0, 0x0, 0x0, 0x7f, 0xec, 0xca, 0x72,
0x0, 0x9, 0xff, 0xff, 0xff, 0xf7, 0x0, 0x0,
0x0, 0x2, 0x8f, 0xf4, 0x0, 0x0, 0x0, 0x0,
0x8f, 0xa0, 0x0, 0x0, 0x0, 0x4, 0xfc, 0x2,
0x0, 0x0, 0x0, 0x6f, 0xa3, 0xf8, 0x20, 0x0,
0x5f, 0xf4, 0x4f, 0xff, 0xed, 0xff, 0xf9, 0x0,
0x17, 0xce, 0xfe, 0xb5, 0x0,
/* U+0036 "6" */
0x0, 0x0, 0x5b, 0xef, 0xeb, 0x60, 0x0, 0xb,
0xff, 0xec, 0xdf, 0xb0, 0x0, 0xaf, 0xb2, 0x0,
0x1, 0x10, 0x4, 0xfc, 0x0, 0x0, 0x0, 0x0,
0xa, 0xf4, 0x0, 0x0, 0x0, 0x0, 0xe, 0xf0,
0x6c, 0xff, 0xc6, 0x0, 0xf, 0xfa, 0xfd, 0xbc,
0xff, 0xa0, 0xf, 0xff, 0x60, 0x0, 0x2e, 0xf5,
0xf, 0xfa, 0x0, 0x0, 0x5, 0xfa, 0xc, 0xf7,
0x0, 0x0, 0x3, 0xfc, 0x7, 0xfa, 0x0, 0x0,
0x5, 0xfa, 0x1, 0xef, 0x60, 0x0, 0x2e, 0xf4,
0x0, 0x4f, 0xfe, 0xbc, 0xff, 0x80, 0x0, 0x1,
0x9d, 0xfe, 0xb4, 0x0,
/* U+0037 "7" */
0x6f, 0xff, 0xff, 0xff, 0xff, 0xf2, 0x6f, 0xec,
0xcc, 0xcc, 0xdf, 0xf1, 0x6f, 0x80, 0x0, 0x0,
0x6f, 0xa0, 0x6f, 0x80, 0x0, 0x0, 0xdf, 0x30,
0x14, 0x20, 0x0, 0x4, 0xfc, 0x0, 0x0, 0x0,
0x0, 0xc, 0xf5, 0x0, 0x0, 0x0, 0x0, 0x3f,
0xd0, 0x0, 0x0, 0x0, 0x0, 0xaf, 0x60, 0x0,
0x0, 0x0, 0x2, 0xfe, 0x0, 0x0, 0x0, 0x0,
0x9, 0xf8, 0x0, 0x0, 0x0, 0x0, 0x1f, 0xf1,
0x0, 0x0, 0x0, 0x0, 0x7f, 0x90, 0x0, 0x0,
0x0, 0x0, 0xef, 0x20, 0x0, 0x0, 0x0, 0x6,
0xfb, 0x0, 0x0, 0x0,
/* U+0038 "8" */
0x0, 0x6, 0xce, 0xfe, 0xb5, 0x0, 0x0, 0xcf,
0xfc, 0xac, 0xff, 0xb0, 0x6, 0xfc, 0x10, 0x0,
0x2d, 0xf4, 0x9, 0xf6, 0x0, 0x0, 0x8, 0xf7,
0x6, 0xfb, 0x0, 0x0, 0x1d, 0xf4, 0x0, 0xaf,
0xea, 0x9a, 0xff, 0x80, 0x0, 0x5e, 0xff, 0xff,
0xfe, 0x40, 0x6, 0xfe, 0x61, 0x2, 0x7f, 0xf4,
0xe, 0xf3, 0x0, 0x0, 0x5, 0xfc, 0x1f, 0xe0,
0x0, 0x0, 0x0, 0xff, 0xf, 0xf1, 0x0, 0x0,
0x3, 0xfe, 0xa, 0xfb, 0x10, 0x0, 0x2d, 0xf8,
0x1, 0xdf, 0xfc, 0xbc, 0xff, 0xc0, 0x0, 0x7,
0xce, 0xfe, 0xb6, 0x0,
/* U+0039 "9" */
0x0, 0x3a, 0xef, 0xeb, 0x40, 0x0, 0x6, 0xff,
0xda, 0xcf, 0xf8, 0x0, 0x1f, 0xf4, 0x0, 0x1,
0xcf, 0x50, 0x5f, 0x90, 0x0, 0x0, 0x2f, 0xd0,
0x6f, 0x90, 0x0, 0x0, 0x3f, 0xf1, 0x2f, 0xf4,
0x0, 0x1, 0xcf, 0xf4, 0x8, 0xff, 0xda, 0xbf,
0xec, 0xf5, 0x0, 0x4b, 0xef, 0xd9, 0x1a, 0xf4,
0x0, 0x0, 0x0, 0x0, 0xd, 0xf3, 0x0, 0x0,
0x0, 0x0, 0x1f, 0xf0, 0x0, 0x0, 0x0, 0x0,
0xaf, 0x90, 0x0, 0x40, 0x0, 0x1a, 0xfe, 0x10,
0x6, 0xfe, 0xdd, 0xff, 0xe3, 0x0, 0x3, 0xad,
0xfe, 0xc7, 0x10, 0x0,
/* U+003A ":" */
0xa, 0xe4, 0xf, 0xf8, 0x7, 0xb2, 0x0, 0x0,
0x0, 0x0, 0x0, 0x0, 0x0, 0x0, 0x0, 0x0,
0x7, 0xb2, 0xf, 0xf8, 0xa, 0xe4,
/* U+003B ";" */
0xa, 0xe4, 0xf, 0xf8, 0x7, 0xb2, 0x0, 0x0,
0x0, 0x0, 0x0, 0x0, 0x0, 0x0, 0x0, 0x0,
0x6, 0xa1, 0xf, 0xf8, 0xa, 0xf7, 0x5, 0xf2,
0x9, 0xc0, 0xd, 0x70,
/* U+003C "<" */
0x0, 0x0, 0x0, 0x0, 0x63, 0x0, 0x0, 0x2,
0x9f, 0xf4, 0x0, 0x5, 0xcf, 0xfb, 0x40, 0x28,
0xef, 0xe8, 0x10, 0x0, 0xaf, 0xc4, 0x0, 0x0,
0x0, 0x8f, 0xfa, 0x40, 0x0, 0x0, 0x2, 0x9e,
0xfd, 0x71, 0x0, 0x0, 0x0, 0x6c, 0xff, 0xb2,
0x0, 0x0, 0x0, 0x39, 0xf4, 0x0, 0x0, 0x0,
0x0, 0x1,
/* U+003D "=" */
0xaf, 0xff, 0xff, 0xff, 0xf4, 0x6a, 0xaa, 0xaa,
0xaa, 0xa2, 0x0, 0x0, 0x0, 0x0, 0x0, 0x0,
0x0, 0x0, 0x0, 0x0, 0x0, 0x0, 0x0, 0x0,
0x0, 0xaf, 0xff, 0xff, 0xff, 0xf4, 0x6a, 0xaa,
0xaa, 0xaa, 0xa2,
/* U+003E ">" */
0x63, 0x0, 0x0, 0x0, 0x0, 0xaf, 0xd6, 0x10,
0x0, 0x0, 0x17, 0xdf, 0xf9, 0x30, 0x0, 0x0,
0x3, 0xaf, 0xfc, 0x60, 0x0, 0x0, 0x1, 0x6e,
0xf4, 0x0, 0x0, 0x6, 0xcf, 0xf3, 0x0, 0x39,
0xff, 0xd6, 0x0, 0x5d, 0xff, 0xa3, 0x0, 0x0,
0xad, 0x71, 0x0, 0x0, 0x0, 0x20, 0x0, 0x0,
0x0, 0x0,
/* U+003F "?" */
0x0, 0x7c, 0xef, 0xda, 0x30, 0x2, 0xef, 0xfc,
0xce, 0xff, 0x60, 0x6f, 0x80, 0x0, 0x8, 0xfe,
0x0, 0x10, 0x0, 0x0, 0xf, 0xf1, 0x0, 0x0,
0x0, 0x1, 0xfe, 0x0, 0x0, 0x0, 0x0, 0xbf,
0x60, 0x0, 0x0, 0x1, 0xcf, 0x80, 0x0, 0x0,
0x0, 0xcf, 0x80, 0x0, 0x0, 0x0, 0x4f, 0xc0,
0x0, 0x0, 0x0, 0x3, 0x74, 0x0, 0x0, 0x0,
0x0, 0x0, 0x0, 0x0, 0x0, 0x0, 0x2, 0x93,
0x0, 0x0, 0x0, 0x0, 0xaf, 0xc0, 0x0, 0x0,
0x0, 0x6, 0xf8, 0x0, 0x0,
/* U+0040 "@" */
0x0, 0x0, 0x0, 0x49, 0xdf, 0xfe, 0xc9, 0x30,
0x0, 0x0, 0x0, 0x0, 0x2d, 0xfd, 0x97, 0x67,
0x9e, 0xfb, 0x10, 0x0, 0x0, 0x5, 0xfd, 0x30,
0x0, 0x0, 0x0, 0x4d, 0xe3, 0x0, 0x0, 0x3f,
0xa0, 0x0, 0x58, 0x85, 0x3, 0x94, 0xbe, 0x10,
0x0, 0xec, 0x0, 0x2d, 0xff, 0xff, 0xd7, 0xf5,
0x1d, 0xb0, 0x6, 0xf3, 0x1, 0xef, 0x71, 0x4,
0xdf, 0xf5, 0x5, 0xf2, 0xb, 0xd0, 0x8, 0xf7,
0x0, 0x0, 0x1e, 0xf5, 0x0, 0xe7, 0xe, 0x90,
0xc, 0xf0, 0x0, 0x0, 0x8, 0xf5, 0x0, 0xca,
0xf, 0x70, 0xe, 0xe0, 0x0, 0x0, 0x6, 0xf5,
0x0, 0xab, 0xf, 0x70, 0xd, 0xf0, 0x0, 0x0,
0x6, 0xf5, 0x0, 0xba, 0xe, 0x90, 0xa, 0xf3,
0x0, 0x0, 0xb, 0xf5, 0x0, 0xd8, 0xb, 0xd0,
0x3, 0xfd, 0x10, 0x0, 0x7f, 0xf7, 0x3, 0xf4,
0x6, 0xf3, 0x0, 0x7f, 0xfa, 0x9d, 0xf7, 0xfe,
0xae, 0xc0, 0x0, 0xec, 0x0, 0x4, 0xcf, 0xfb,
0x40, 0x5e, 0xfa, 0x10, 0x0, 0x3f, 0xa0, 0x0,
0x0, 0x0, 0x0, 0x0, 0x0, 0x0, 0x0, 0x5,
0xfd, 0x30, 0x0, 0x0, 0x0, 0x0, 0x0, 0x0,
0x0, 0x0, 0x3d, 0xfd, 0x97, 0x68, 0xaf, 0x70,
0x0, 0x0, 0x0, 0x0, 0x0, 0x5a, 0xdf, 0xfd,
0xb7, 0x10, 0x0, 0x0,
/* U+0041 "A" */
0x0, 0x0, 0x0, 0xe, 0xf8, 0x0, 0x0, 0x0,
0x0, 0x0, 0x0, 0x5f, 0xfe, 0x0, 0x0, 0x0,
0x0, 0x0, 0x0, 0xdf, 0xaf, 0x60, 0x0, 0x0,
0x0, 0x0, 0x4, 0xfa, 0x1f, 0xd0, 0x0, 0x0,
0x0, 0x0, 0xb, 0xf3, 0xa, 0xf5, 0x0, 0x0,
0x0, 0x0, 0x2f, 0xc0, 0x3, 0xfc, 0x0, 0x0,
0x0, 0x0, 0xaf, 0x50, 0x0, 0xcf, 0x30, 0x0,
0x0, 0x1, 0xfe, 0x0, 0x0, 0x5f, 0xb0, 0x0,
0x0, 0x8, 0xf7, 0x0, 0x0, 0xe, 0xf2, 0x0,
0x0, 0xe, 0xff, 0xff, 0xff, 0xff, 0xf9, 0x0,
0x0, 0x6f, 0xda, 0xaa, 0xaa, 0xaa, 0xff, 0x10,
0x0, 0xdf, 0x30, 0x0, 0x0, 0x0, 0x9f, 0x80,
0x5, 0xfb, 0x0, 0x0, 0x0, 0x0, 0x2f, 0xe0,
0xc, 0xf4, 0x0, 0x0, 0x0, 0x0, 0xa, 0xf6,
/* U+0042 "B" */
0xef, 0xff, 0xff, 0xfe, 0xb5, 0x0, 0xe, 0xfb,
0xaa, 0xab, 0xdf, 0xfa, 0x0, 0xef, 0x10, 0x0,
0x0, 0x4f, 0xf3, 0xe, 0xf1, 0x0, 0x0, 0x0,
0xaf, 0x60, 0xef, 0x10, 0x0, 0x0, 0xc, 0xf4,
0xe, 0xf1, 0x0, 0x0, 0x29, 0xfc, 0x0, 0xef,
0xff, 0xff, 0xff, 0xfd, 0x10, 0xe, 0xfb, 0xaa,
0xaa, 0xce, 0xfd, 0x10, 0xef, 0x10, 0x0, 0x0,
0x8, 0xfb, 0xe, 0xf1, 0x0, 0x0, 0x0, 0xf,
0xf0, 0xef, 0x10, 0x0, 0x0, 0x0, 0xff, 0x1e,
0xf1, 0x0, 0x0, 0x0, 0x8f, 0xe0, 0xef, 0xba,
0xaa, 0xab, 0xef, 0xf4, 0xe, 0xff, 0xff, 0xff,
0xfd, 0x92, 0x0,
/* U+0043 "C" */
0x0, 0x0, 0x17, 0xce, 0xfe, 0xb5, 0x0, 0x0,
0x5, 0xef, 0xff, 0xde, 0xff, 0xc1, 0x0, 0x5f,
0xf9, 0x20, 0x0, 0x3b, 0xf5, 0x2, 0xff, 0x60,
0x0, 0x0, 0x0, 0x30, 0x8, 0xf9, 0x0, 0x0,
0x0, 0x0, 0x0, 0xd, 0xf3, 0x0, 0x0, 0x0,
0x0, 0x0, 0xf, 0xf0, 0x0, 0x0, 0x0, 0x0,
0x0, 0xf, 0xf0, 0x0, 0x0, 0x0, 0x0, 0x0,
0xd, 0xf3, 0x0, 0x0, 0x0, 0x0, 0x0, 0x8,
0xf9, 0x0, 0x0, 0x0, 0x0, 0x0, 0x2, 0xff,
0x60, 0x0, 0x0, 0x0, 0x30, 0x0, 0x5f, 0xfa,
0x30, 0x0, 0x3b, 0xf5, 0x0, 0x5, 0xef, 0xff,
0xdf, 0xff, 0xc1, 0x0, 0x0, 0x17, 0xce, 0xfe,
0xb5, 0x0,
/* U+0044 "D" */
0xef, 0xff, 0xff, 0xfd, 0xa4, 0x0, 0x0, 0xef,
0xdc, 0xcc, 0xdf, 0xff, 0xb1, 0x0, 0xef, 0x10,
0x0, 0x0, 0x5d, 0xfd, 0x0, 0xef, 0x10, 0x0,
0x0, 0x0, 0xcf, 0xa0, 0xef, 0x10, 0x0, 0x0,
0x0, 0x1f, 0xf1, 0xef, 0x10, 0x0, 0x0, 0x0,
0xa, 0xf6, 0xef, 0x10, 0x0, 0x0, 0x0, 0x8,
0xf8, 0xef, 0x10, 0x0, 0x0, 0x0, 0x7, 0xf8,
0xef, 0x10, 0x0, 0x0, 0x0, 0xa, 0xf6, 0xef,
0x10, 0x0, 0x0, 0x0, 0x1f, 0xf1, 0xef, 0x10,
0x0, 0x0, 0x0, 0xbf, 0xa0, 0xef, 0x10, 0x0,
0x0, 0x5d, 0xfd, 0x10, 0xef, 0xcc, 0xcc, 0xdf,
0xff, 0xb1, 0x0, 0xef, 0xff, 0xff, 0xfd, 0xa4,
0x0, 0x0,
/* U+0045 "E" */
0xef, 0xff, 0xff, 0xff, 0xff, 0xe, 0xfd, 0xcc,
0xcc, 0xcc, 0xc0, 0xef, 0x10, 0x0, 0x0, 0x0,
0xe, 0xf1, 0x0, 0x0, 0x0, 0x0, 0xef, 0x10,
0x0, 0x0, 0x0, 0xe, 0xf1, 0x0, 0x0, 0x0,
0x0, 0xef, 0xff, 0xff, 0xff, 0xf2, 0xe, 0xfc,
0xcc, 0xcc, 0xcc, 0x10, 0xef, 0x10, 0x0, 0x0,
0x0, 0xe, 0xf1, 0x0, 0x0, 0x0, 0x0, 0xef,
0x10, 0x0, 0x0, 0x0, 0xe, 0xf1, 0x0, 0x0,
0x0, 0x0, 0xef, 0xcc, 0xcc, 0xcc, 0xcc, 0x3e,
0xff, 0xff, 0xff, 0xff, 0xf4,
/* U+0046 "F" */
0xef, 0xff, 0xff, 0xff, 0xff, 0xef, 0xdc, 0xcc,
0xcc, 0xcc, 0xef, 0x10, 0x0, 0x0, 0x0, 0xef,
0x10, 0x0, 0x0, 0x0, 0xef, 0x10, 0x0, 0x0,
0x0, 0xef, 0x10, 0x0, 0x0, 0x0, 0xef, 0xcc,
0xcc, 0xcc, 0xc1, 0xef, 0xff, 0xff, 0xff, 0xf2,
0xef, 0x10, 0x0, 0x0, 0x0, 0xef, 0x10, 0x0,
0x0, 0x0, 0xef, 0x10, 0x0, 0x0, 0x0, 0xef,
0x10, 0x0, 0x0, 0x0, 0xef, 0x10, 0x0, 0x0,
0x0, 0xef, 0x10, 0x0, 0x0, 0x0,
/* U+0047 "G" */
0x0, 0x0, 0x16, 0xce, 0xfe, 0xb6, 0x0, 0x0,
0x5, 0xef, 0xff, 0xde, 0xff, 0xd2, 0x0, 0x5f,
0xf9, 0x20, 0x0, 0x29, 0xf7, 0x2, 0xff, 0x60,
0x0, 0x0, 0x0, 0x20, 0x8, 0xf9, 0x0, 0x0,
0x0, 0x0, 0x0, 0xd, 0xf3, 0x0, 0x0, 0x0,
0x0, 0x0, 0xf, 0xf0, 0x0, 0x0, 0x0, 0x0,
0x11, 0xf, 0xf0, 0x0, 0x0, 0x0, 0x3, 0xfb,
0xd, 0xf3, 0x0, 0x0, 0x0, 0x3, 0xfb, 0x8,
0xfa, 0x0, 0x0, 0x0, 0x3, 0xfb, 0x1, 0xff,
0x60, 0x0, 0x0, 0x3, 0xfb, 0x0, 0x5f, 0xfa,
0x30, 0x0, 0x2a, 0xfb, 0x0, 0x4, 0xef, 0xff,
0xdf, 0xff, 0xe4, 0x0, 0x0, 0x17, 0xce, 0xfe,
0xb6, 0x0,
/* U+0048 "H" */
0xef, 0x10, 0x0, 0x0, 0x0, 0xdf, 0x2e, 0xf1,
0x0, 0x0, 0x0, 0xd, 0xf2, 0xef, 0x10, 0x0,
0x0, 0x0, 0xdf, 0x2e, 0xf1, 0x0, 0x0, 0x0,
0xd, 0xf2, 0xef, 0x10, 0x0, 0x0, 0x0, 0xdf,
0x2e, 0xf1, 0x0, 0x0, 0x0, 0xd, 0xf2, 0xef,
0xff, 0xff, 0xff, 0xff, 0xff, 0x2e, 0xfd, 0xcc,
0xcc, 0xcc, 0xcf, 0xf2, 0xef, 0x10, 0x0, 0x0,
0x0, 0xdf, 0x2e, 0xf1, 0x0, 0x0, 0x0, 0xd,
0xf2, 0xef, 0x10, 0x0, 0x0, 0x0, 0xdf, 0x2e,
0xf1, 0x0, 0x0, 0x0, 0xd, 0xf2, 0xef, 0x10,
0x0, 0x0, 0x0, 0xdf, 0x2e, 0xf1, 0x0, 0x0,
0x0, 0xd, 0xf2,
/* U+0049 "I" */
0xef, 0x1e, 0xf1, 0xef, 0x1e, 0xf1, 0xef, 0x1e,
0xf1, 0xef, 0x1e, 0xf1, 0xef, 0x1e, 0xf1, 0xef,
0x1e, 0xf1, 0xef, 0x1e, 0xf1,
/* U+004A "J" */
0x0, 0xcf, 0xff, 0xff, 0xf4, 0x0, 0x9c, 0xcc,
0xcf, 0xf4, 0x0, 0x0, 0x0, 0xb, 0xf4, 0x0,
0x0, 0x0, 0xb, 0xf4, 0x0, 0x0, 0x0, 0xb,
0xf4, 0x0, 0x0, 0x0, 0xb, 0xf4, 0x0, 0x0,
0x0, 0xb, 0xf4, 0x0, 0x0, 0x0, 0xb, 0xf4,
0x0, 0x0, 0x0, 0xb, 0xf4, 0x0, 0x0, 0x0,
0xb, 0xf4, 0x1, 0x0, 0x0, 0xd, 0xf2, 0xc,
0xc2, 0x0, 0x6f, 0xe0, 0xa, 0xff, 0xde, 0xff,
0x60, 0x0, 0x6c, 0xff, 0xc5, 0x0,
/* U+004B "K" */
0xef, 0x10, 0x0, 0x0, 0xb, 0xf8, 0xe, 0xf1,
0x0, 0x0, 0xb, 0xf8, 0x0, 0xef, 0x10, 0x0,
0xb, 0xf9, 0x0, 0xe, 0xf1, 0x0, 0xb, 0xfa,
0x0, 0x0, 0xef, 0x10, 0xa, 0xfb, 0x0, 0x0,
0xe, 0xf1, 0xa, 0xfb, 0x0, 0x0, 0x0, 0xef,
0x19, 0xff, 0x30, 0x0, 0x0, 0xe, 0xfa, 0xfe,
0xfe, 0x10, 0x0, 0x0, 0xef, 0xfd, 0x1a, 0xfc,
0x0, 0x0, 0xe, 0xfd, 0x10, 0xc, 0xfa, 0x0,
0x0, 0xef, 0x20, 0x0, 0x1e, 0xf7, 0x0, 0xe,
0xf1, 0x0, 0x0, 0x2f, 0xf4, 0x0, 0xef, 0x10,
0x0, 0x0, 0x4f, 0xf2, 0xe, 0xf1, 0x0, 0x0,
0x0, 0x6f, 0xd1,
/* U+004C "L" */
0xef, 0x10, 0x0, 0x0, 0x0, 0xef, 0x10, 0x0,
0x0, 0x0, 0xef, 0x10, 0x0, 0x0, 0x0, 0xef,
0x10, 0x0, 0x0, 0x0, 0xef, 0x10, 0x0, 0x0,
0x0, 0xef, 0x10, 0x0, 0x0, 0x0, 0xef, 0x10,
0x0, 0x0, 0x0, 0xef, 0x10, 0x0, 0x0, 0x0,
0xef, 0x10, 0x0, 0x0, 0x0, 0xef, 0x10, 0x0,
0x0, 0x0, 0xef, 0x10, 0x0, 0x0, 0x0, 0xef,
0x10, 0x0, 0x0, 0x0, 0xef, 0xcc, 0xcc, 0xcc,
0xc8, 0xef, 0xff, 0xff, 0xff, 0xfb,
/* U+004D "M" */
0xef, 0x10, 0x0, 0x0, 0x0, 0x0, 0xe, 0xfe,
0xf9, 0x0, 0x0, 0x0, 0x0, 0x8, 0xff, 0xef,
0xf3, 0x0, 0x0, 0x0, 0x2, 0xff, 0xfe, 0xff,
0xc0, 0x0, 0x0, 0x0, 0xbf, 0xff, 0xef, 0x9f,
0x60, 0x0, 0x0, 0x4f, 0xaf, 0xfe, 0xf1, 0xee,
0x10, 0x0, 0xd, 0xf1, 0xff, 0xef, 0x6, 0xf9,
0x0, 0x7, 0xf7, 0xe, 0xfe, 0xf0, 0xc, 0xf3,
0x1, 0xfd, 0x0, 0xef, 0xef, 0x0, 0x3f, 0xc0,
0xaf, 0x40, 0xe, 0xfe, 0xf0, 0x0, 0x9f, 0x9f,
0xa0, 0x0, 0xef, 0xef, 0x0, 0x1, 0xef, 0xf1,
0x0, 0xe, 0xfe, 0xf0, 0x0, 0x6, 0xf7, 0x0,
0x0, 0xef, 0xef, 0x0, 0x0, 0x4, 0x0, 0x0,
0xe, 0xfe, 0xf0, 0x0, 0x0, 0x0, 0x0, 0x0,
0xef,
/* U+004E "N" */
0xef, 0x20, 0x0, 0x0, 0x0, 0xdf, 0x2e, 0xfd,
0x10, 0x0, 0x0, 0xd, 0xf2, 0xef, 0xfb, 0x0,
0x0, 0x0, 0xdf, 0x2e, 0xfe, 0xf8, 0x0, 0x0,
0xd, 0xf2, 0xef, 0x4f, 0xf5, 0x0, 0x0, 0xdf,
0x2e, 0xf1, 0x5f, 0xf3, 0x0, 0xd, 0xf2, 0xef,
0x10, 0x8f, 0xe1, 0x0, 0xdf, 0x2e, 0xf1, 0x0,
0xbf, 0xc0, 0xd, 0xf2, 0xef, 0x10, 0x1, 0xdf,
0x90, 0xdf, 0x2e, 0xf1, 0x0, 0x2, 0xff, 0x6d,
0xf2, 0xef, 0x10, 0x0, 0x5, 0xff, 0xff, 0x2e,
0xf1, 0x0, 0x0, 0x8, 0xff, 0xf2, 0xef, 0x10,
0x0, 0x0, 0xb, 0xff, 0x2e, 0xf1, 0x0, 0x0,
0x0, 0xd, 0xf2,
/* U+004F "O" */
0x0, 0x0, 0x16, 0xce, 0xfe, 0xb5, 0x0, 0x0,
0x0, 0x4, 0xef, 0xfe, 0xdf, 0xff, 0xd3, 0x0,
0x0, 0x5f, 0xf9, 0x20, 0x0, 0x3b, 0xff, 0x20,
0x1, 0xff, 0x60, 0x0, 0x0, 0x0, 0x9f, 0xd0,
0x8, 0xf9, 0x0, 0x0, 0x0, 0x0, 0xd, 0xf5,
0xd, 0xf3, 0x0, 0x0, 0x0, 0x0, 0x6, 0xfa,
0xf, 0xf0, 0x0, 0x0, 0x0, 0x0, 0x3, 0xfc,
0xf, 0xf0, 0x0, 0x0, 0x0, 0x0, 0x3, 0xfc,
0xd, 0xf3, 0x0, 0x0, 0x0, 0x0, 0x6, 0xfa,
0x8, 0xf9, 0x0, 0x0, 0x0, 0x0, 0xd, 0xf5,
0x1, 0xff, 0x60, 0x0, 0x0, 0x0, 0x9f, 0xd0,
0x0, 0x5f, 0xfa, 0x20, 0x0, 0x3b, 0xff, 0x20,
0x0, 0x4, 0xef, 0xff, 0xdf, 0xff, 0xd3, 0x0,
0x0, 0x0, 0x17, 0xce, 0xfe, 0xb5, 0x0, 0x0,
/* U+0050 "P" */
0xef, 0xff, 0xff, 0xec, 0x70, 0x0, 0xef, 0xdc,
0xcd, 0xef, 0xfd, 0x20, 0xef, 0x10, 0x0, 0x2,
0xbf, 0xc0, 0xef, 0x10, 0x0, 0x0, 0xe, 0xf3,
0xef, 0x10, 0x0, 0x0, 0xa, 0xf5, 0xef, 0x10,
0x0, 0x0, 0xb, 0xf5, 0xef, 0x10, 0x0, 0x0,
0x2f, 0xf2, 0xef, 0x10, 0x0, 0x15, 0xdf, 0xa0,
0xef, 0xff, 0xff, 0xff, 0xfb, 0x0, 0xef, 0xcc,
0xcc, 0xb9, 0x40, 0x0, 0xef, 0x10, 0x0, 0x0,
0x0, 0x0, 0xef, 0x10, 0x0, 0x0, 0x0, 0x0,
0xef, 0x10, 0x0, 0x0, 0x0, 0x0, 0xef, 0x10,
0x0, 0x0, 0x0, 0x0,
/* U+0051 "Q" */
0x0, 0x0, 0x16, 0xce, 0xfe, 0xb5, 0x0, 0x0,
0x0, 0x0, 0x4e, 0xff, 0xfd, 0xff, 0xfd, 0x30,
0x0, 0x0, 0x5f, 0xfa, 0x20, 0x0, 0x4b, 0xff,
0x20, 0x0, 0x1f, 0xf6, 0x0, 0x0, 0x0, 0x9,
0xfd, 0x0, 0x8, 0xfa, 0x0, 0x0, 0x0, 0x0,
0xd, 0xf5, 0x0, 0xdf, 0x30, 0x0, 0x0, 0x0,
0x0, 0x6f, 0xa0, 0xf, 0xf0, 0x0, 0x0, 0x0,
0x0, 0x3, 0xfc, 0x0, 0xff, 0x0, 0x0, 0x0,
0x0, 0x0, 0x3f, 0xc0, 0xd, 0xf2, 0x0, 0x0,
0x0, 0x0, 0x6, 0xfa, 0x0, 0x9f, 0x90, 0x0,
0x0, 0x0, 0x0, 0xcf, 0x50, 0x2, 0xff, 0x50,
0x0, 0x0, 0x0, 0x8f, 0xd0, 0x0, 0x6, 0xff,
0x92, 0x0, 0x3, 0xbf, 0xf3, 0x0, 0x0, 0x6,
0xff, 0xfe, 0xce, 0xff, 0xe3, 0x0, 0x0, 0x0,
0x2, 0x8d, 0xff, 0xfd, 0x60, 0x0, 0x0, 0x0,
0x0, 0x0, 0x0, 0x9f, 0xe2, 0x0, 0x1a, 0x10,
0x0, 0x0, 0x0, 0x0, 0x8f, 0xfb, 0xbf, 0xf3,
0x0, 0x0, 0x0, 0x0, 0x0, 0x4b, 0xef, 0xb3,
0x0,
/* U+0052 "R" */
0xef, 0xff, 0xff, 0xec, 0x70, 0x0, 0xef, 0xdc,
0xcd, 0xef, 0xfd, 0x20, 0xef, 0x10, 0x0, 0x2,
0xbf, 0xc0, 0xef, 0x10, 0x0, 0x0, 0xe, 0xf3,
0xef, 0x10, 0x0, 0x0, 0xa, 0xf5, 0xef, 0x10,
0x0, 0x0, 0xb, 0xf5, 0xef, 0x10, 0x0, 0x0,
0x2f, 0xf2, 0xef, 0x10, 0x0, 0x15, 0xdf, 0xa0,
0xef, 0xff, 0xff, 0xff, 0xfa, 0x0, 0xef, 0xcc,
0xcb, 0xdf, 0x90, 0x0, 0xef, 0x10, 0x0, 0x1e,
0xf2, 0x0, 0xef, 0x10, 0x0, 0x4, 0xfd, 0x0,
0xef, 0x10, 0x0, 0x0, 0x9f, 0x90, 0xef, 0x10,
0x0, 0x0, 0xd, 0xf4,
/* U+0053 "S" */
0x0, 0x6, 0xce, 0xfe, 0xc7, 0x10, 0x0, 0xcf,
0xfd, 0xcd, 0xff, 0xd0, 0x8, 0xfc, 0x20, 0x0,
0x17, 0x60, 0xc, 0xf3, 0x0, 0x0, 0x0, 0x0,
0xc, 0xf4, 0x0, 0x0, 0x0, 0x0, 0x6, 0xff,
0x71, 0x0, 0x0, 0x0, 0x0, 0x7f, 0xff, 0xd9,
0x40, 0x0, 0x0, 0x1, 0x6a, 0xef, 0xfe, 0x40,
0x0, 0x0, 0x0, 0x3, 0xaf, 0xf2, 0x0, 0x0,
0x0, 0x0, 0x8, 0xf7, 0x1, 0x0, 0x0, 0x0,
0x7, 0xf8, 0xd, 0xb3, 0x0, 0x0, 0x3e, 0xf4,
0xa, 0xff, 0xfc, 0xce, 0xff, 0x90, 0x0, 0x39,
0xdf, 0xfe, 0xa4, 0x0,
/* U+0054 "T" */
0xef, 0xff, 0xff, 0xff, 0xff, 0xfa, 0xbc, 0xcc,
0xdf, 0xfc, 0xcc, 0xc8, 0x0, 0x0, 0x2f, 0xd0,
0x0, 0x0, 0x0, 0x0, 0x2f, 0xd0, 0x0, 0x0,
0x0, 0x0, 0x2f, 0xd0, 0x0, 0x0, 0x0, 0x0,
0x2f, 0xd0, 0x0, 0x0, 0x0, 0x0, 0x2f, 0xd0,
0x0, 0x0, 0x0, 0x0, 0x2f, 0xd0, 0x0, 0x0,
0x0, 0x0, 0x2f, 0xd0, 0x0, 0x0, 0x0, 0x0,
0x2f, 0xd0, 0x0, 0x0, 0x0, 0x0, 0x2f, 0xd0,
0x0, 0x0, 0x0, 0x0, 0x2f, 0xd0, 0x0, 0x0,
0x0, 0x0, 0x2f, 0xd0, 0x0, 0x0, 0x0, 0x0,
0x2f, 0xd0, 0x0, 0x0,
/* U+0055 "U" */
0xf, 0xf0, 0x0, 0x0, 0x0, 0x2f, 0xd0, 0xff,
0x0, 0x0, 0x0, 0x2, 0xfd, 0xf, 0xf0, 0x0,
0x0, 0x0, 0x2f, 0xd0, 0xff, 0x0, 0x0, 0x0,
0x2, 0xfd, 0xf, 0xf0, 0x0, 0x0, 0x0, 0x2f,
0xd0, 0xff, 0x0, 0x0, 0x0, 0x2, 0xfd, 0xf,
0xf0, 0x0, 0x0, 0x0, 0x2f, 0xd0, 0xff, 0x0,
0x0, 0x0, 0x2, 0xfc, 0xf, 0xf0, 0x0, 0x0,
0x0, 0x2f, 0xc0, 0xdf, 0x30, 0x0, 0x0, 0x5,
0xfa, 0x9, 0xf9, 0x0, 0x0, 0x0, 0xcf, 0x60,
0x2f, 0xf8, 0x0, 0x1, 0xaf, 0xe0, 0x0, 0x5f,
0xff, 0xde, 0xff, 0xe3, 0x0, 0x0, 0x29, 0xdf,
0xfd, 0x81, 0x0,
/* U+0056 "V" */
0xc, 0xf5, 0x0, 0x0, 0x0, 0x0, 0xe, 0xf1,
0x5, 0xfc, 0x0, 0x0, 0x0, 0x0, 0x6f, 0x90,
0x0, 0xef, 0x30, 0x0, 0x0, 0x0, 0xdf, 0x20,
0x0, 0x7f, 0xa0, 0x0, 0x0, 0x4, 0xfb, 0x0,
0x0, 0x1f, 0xf2, 0x0, 0x0, 0xb, 0xf4, 0x0,
0x0, 0x9, 0xf8, 0x0, 0x0, 0x2f, 0xd0, 0x0,
0x0, 0x2, 0xff, 0x0, 0x0, 0x9f, 0x60, 0x0,
0x0, 0x0, 0xbf, 0x60, 0x1, 0xfe, 0x0, 0x0,
0x0, 0x0, 0x4f, 0xd0, 0x7, 0xf8, 0x0, 0x0,
0x0, 0x0, 0xd, 0xf4, 0xe, 0xf1, 0x0, 0x0,
0x0, 0x0, 0x6, 0xfb, 0x5f, 0xa0, 0x0, 0x0,
0x0, 0x0, 0x0, 0xef, 0xef, 0x30, 0x0, 0x0,
0x0, 0x0, 0x0, 0x8f, 0xfc, 0x0, 0x0, 0x0,
0x0, 0x0, 0x0, 0x1f, 0xf5, 0x0, 0x0, 0x0,
/* U+0057 "W" */
0x3f, 0xd0, 0x0, 0x0, 0x0, 0xcf, 0x60, 0x0,
0x0, 0x2, 0xfb, 0xd, 0xf3, 0x0, 0x0, 0x1,
0xff, 0xc0, 0x0, 0x0, 0x8, 0xf5, 0x8, 0xf8,
0x0, 0x0, 0x7, 0xff, 0xf1, 0x0, 0x0, 0xd,
0xf1, 0x3, 0xfd, 0x0, 0x0, 0xc, 0xf8, 0xf7,
0x0, 0x0, 0x3f, 0xb0, 0x0, 0xdf, 0x30, 0x0,
0x2f, 0xb2, 0xfc, 0x0, 0x0, 0x8f, 0x50, 0x0,
0x8f, 0x80, 0x0, 0x7f, 0x50, 0xcf, 0x10, 0x0,
0xdf, 0x0, 0x0, 0x3f, 0xd0, 0x0, 0xdf, 0x0,
0x7f, 0x70, 0x3, 0xfb, 0x0, 0x0, 0xd, 0xf3,
0x2, 0xfa, 0x0, 0x2f, 0xc0, 0x8, 0xf5, 0x0,
0x0, 0x8, 0xf8, 0x8, 0xf5, 0x0, 0xc, 0xf2,
0xe, 0xf0, 0x0, 0x0, 0x3, 0xfd, 0xd, 0xf0,
0x0, 0x7, 0xf7, 0x3f, 0xb0, 0x0, 0x0, 0x0,
0xdf, 0x6f, 0xa0, 0x0, 0x1, 0xfc, 0x8f, 0x50,
0x0, 0x0, 0x0, 0x8f, 0xff, 0x40, 0x0, 0x0,
0xcf, 0xef, 0x0, 0x0, 0x0, 0x0, 0x3f, 0xff,
0x0, 0x0, 0x0, 0x6f, 0xfb, 0x0, 0x0, 0x0,
0x0, 0xd, 0xf9, 0x0, 0x0, 0x0, 0x1f, 0xf5,
0x0, 0x0,
/* U+0058 "X" */
0x1f, 0xf3, 0x0, 0x0, 0x0, 0xbf, 0x70, 0x5,
0xfe, 0x10, 0x0, 0x6, 0xfb, 0x0, 0x0, 0x9f,
0xa0, 0x0, 0x2f, 0xe1, 0x0, 0x0, 0xd, 0xf6,
0x0, 0xdf, 0x40, 0x0, 0x0, 0x3, 0xff, 0x29,
0xf8, 0x0, 0x0, 0x0, 0x0, 0x7f, 0xef, 0xc0,
0x0, 0x0, 0x0, 0x0, 0xb, 0xff, 0x20, 0x0,
0x0, 0x0, 0x0, 0x1e, 0xff, 0x70, 0x0, 0x0,
0x0, 0x0, 0xbf, 0x9f, 0xf3, 0x0, 0x0, 0x0,
0x7, 0xfc, 0x5, 0xfd, 0x0, 0x0, 0x0, 0x3f,
0xf2, 0x0, 0xaf, 0xa0, 0x0, 0x0, 0xdf, 0x50,
0x0, 0xd, 0xf5, 0x0, 0xa, 0xfa, 0x0, 0x0,
0x3, 0xff, 0x20, 0x5f, 0xd0, 0x0, 0x0, 0x0,
0x7f, 0xc0,
/* U+0059 "Y" */
0xc, 0xf5, 0x0, 0x0, 0x0, 0x4, 0xfb, 0x0,
0x2f, 0xe1, 0x0, 0x0, 0x0, 0xdf, 0x20, 0x0,
0x8f, 0x90, 0x0, 0x0, 0x7f, 0x70, 0x0, 0x0,
0xef, 0x30, 0x0, 0x2f, 0xd0, 0x0, 0x0, 0x5,
0xfc, 0x0, 0xb, 0xf4, 0x0, 0x0, 0x0, 0xb,
0xf6, 0x5, 0xfa, 0x0, 0x0, 0x0, 0x0, 0x2f,
0xe1, 0xef, 0x10, 0x0, 0x0, 0x0, 0x0, 0x8f,
0xef, 0x70, 0x0, 0x0, 0x0, 0x0, 0x0, 0xdf,
0xd0, 0x0, 0x0, 0x0, 0x0, 0x0, 0x8, 0xf7,
0x0, 0x0, 0x0, 0x0, 0x0, 0x0, 0x8f, 0x70,
0x0, 0x0, 0x0, 0x0, 0x0, 0x8, 0xf7, 0x0,
0x0, 0x0, 0x0, 0x0, 0x0, 0x8f, 0x70, 0x0,
0x0, 0x0, 0x0, 0x0, 0x8, 0xf7, 0x0, 0x0,
0x0,
/* U+005A "Z" */
0xf, 0xff, 0xff, 0xff, 0xff, 0xff, 0x40, 0xcc,
0xcc, 0xcc, 0xcc, 0xef, 0xf2, 0x0, 0x0, 0x0,
0x0, 0x1d, 0xf6, 0x0, 0x0, 0x0, 0x0, 0xb,
0xf9, 0x0, 0x0, 0x0, 0x0, 0x8, 0xfc, 0x0,
0x0, 0x0, 0x0, 0x5, 0xfe, 0x10, 0x0, 0x0,
0x0, 0x3, 0xff, 0x30, 0x0, 0x0, 0x0, 0x1,
0xef, 0x50, 0x0, 0x0, 0x0, 0x0, 0xcf, 0x80,
0x0, 0x0, 0x0, 0x0, 0x9f, 0xb0, 0x0, 0x0,
0x0, 0x0, 0x6f, 0xd1, 0x0, 0x0, 0x0, 0x0,
0x4f, 0xf2, 0x0, 0x0, 0x0, 0x0, 0x1e, 0xfe,
0xcc, 0xcc, 0xcc, 0xcc, 0x72, 0xff, 0xff, 0xff,
0xff, 0xff, 0xf9,
/* U+005B "[" */
0xef, 0xff, 0x4e, 0xfa, 0xa2, 0xef, 0x0, 0xe,
0xf0, 0x0, 0xef, 0x0, 0xe, 0xf0, 0x0, 0xef,
0x0, 0xe, 0xf0, 0x0, 0xef, 0x0, 0xe, 0xf0,
0x0, 0xef, 0x0, 0xe, 0xf0, 0x0, 0xef, 0x0,
0xe, 0xf0, 0x0, 0xef, 0x0, 0xe, 0xf0, 0x0,
0xef, 0x0, 0xe, 0xfa, 0xa2, 0xef, 0xff, 0x40,
/* U+005C "\\" */
0x57, 0x0, 0x0, 0x0, 0x6, 0xf5, 0x0, 0x0,
0x0, 0x1f, 0xa0, 0x0, 0x0, 0x0, 0xcf, 0x0,
0x0, 0x0, 0x6, 0xf5, 0x0, 0x0, 0x0, 0x1f,
0xa0, 0x0, 0x0, 0x0, 0xbf, 0x0, 0x0, 0x0,
0x6, 0xf5, 0x0, 0x0, 0x0, 0x1f, 0xb0, 0x0,
0x0, 0x0, 0xbf, 0x0, 0x0, 0x0, 0x6, 0xf5,
0x0, 0x0, 0x0, 0x1f, 0xb0, 0x0, 0x0, 0x0,
0xbf, 0x10, 0x0, 0x0, 0x5, 0xf6, 0x0, 0x0,
0x0, 0xf, 0xb0, 0x0, 0x0, 0x0, 0xaf, 0x10,
0x0, 0x0, 0x5, 0xf6, 0x0, 0x0, 0x0, 0xf,
0xb0, 0x0, 0x0, 0x0, 0xaf, 0x10, 0x0, 0x0,
0x5, 0xf6,
/* U+005D "]" */
0xaf, 0xff, 0x96, 0xac, 0xf9, 0x0, 0x5f, 0x90,
0x5, 0xf9, 0x0, 0x5f, 0x90, 0x5, 0xf9, 0x0,
0x5f, 0x90, 0x5, 0xf9, 0x0, 0x5f, 0x90, 0x5,
0xf9, 0x0, 0x5f, 0x90, 0x5, 0xf9, 0x0, 0x5f,
0x90, 0x5, 0xf9, 0x0, 0x5f, 0x90, 0x5, 0xf9,
0x0, 0x5f, 0x96, 0xac, 0xf9, 0xaf, 0xff, 0x90,
/* U+005E "^" */
0x0, 0x0, 0x75, 0x0, 0x0, 0x0, 0x5, 0xff,
0x10, 0x0, 0x0, 0xc, 0xbf, 0x70, 0x0, 0x0,
0x3f, 0x49, 0xd0, 0x0, 0x0, 0x9d, 0x3, 0xf4,
0x0, 0x1, 0xf7, 0x0, 0xcb, 0x0, 0x7, 0xf1,
0x0, 0x6f, 0x20, 0xd, 0xa0, 0x0, 0xf, 0x80,
0x4f, 0x30, 0x0, 0x9, 0xe0,
/* U+005F "_" */
0x0, 0x0, 0x0, 0x0, 0x0, 0xff, 0xff, 0xff,
0xff, 0xff, 0x33, 0x33, 0x33, 0x33, 0x33,
/* U+0060 "`" */
0x27, 0x70, 0x0, 0x5, 0xfc, 0x10, 0x0, 0x2d,
0xd1,
/* U+0061 "a" */
0x5, 0xbe, 0xfe, 0xb4, 0x0, 0x7f, 0xfd, 0xbd,
0xff, 0x50, 0x2a, 0x10, 0x0, 0x7f, 0xe0, 0x0,
0x0, 0x0, 0xd, 0xf2, 0x0, 0x1, 0x11, 0x1c,
0xf3, 0x8, 0xef, 0xff, 0xff, 0xf3, 0x9f, 0xc6,
0x44, 0x4c, 0xf3, 0xff, 0x0, 0x0, 0xb, 0xf3,
0xef, 0x10, 0x0, 0x3f, 0xf3, 0x8f, 0xd7, 0x69,
0xfe, 0xf3, 0x6, 0xcf, 0xfc, 0x59, 0xf3,
/* U+0062 "b" */
0x3f, 0xb0, 0x0, 0x0, 0x0, 0x0, 0x3f, 0xb0,
0x0, 0x0, 0x0, 0x0, 0x3f, 0xb0, 0x0, 0x0,
0x0, 0x0, 0x3f, 0xb0, 0x0, 0x0, 0x0, 0x0,
0x3f, 0xb1, 0x9e, 0xfd, 0x92, 0x0, 0x3f, 0xde,
0xfd, 0xce, 0xfe, 0x40, 0x3f, 0xfe, 0x30, 0x0,
0x8f, 0xe1, 0x3f, 0xf3, 0x0, 0x0, 0xa, 0xf7,
0x3f, 0xd0, 0x0, 0x0, 0x4, 0xfa, 0x3f, 0xb0,
0x0, 0x0, 0x2, 0xfc, 0x3f, 0xd0, 0x0, 0x0,
0x4, 0xfa, 0x3f, 0xf3, 0x0, 0x0, 0xa, 0xf7,
0x3f, 0xfe, 0x30, 0x0, 0x8f, 0xe1, 0x3f, 0xce,
0xfd, 0xce, 0xff, 0x40, 0x3f, 0xa1, 0x9e, 0xfe,
0x92, 0x0,
/* U+0063 "c" */
0x0, 0x3, 0xae, 0xfe, 0x91, 0x0, 0x7, 0xff,
0xdc, 0xef, 0xe2, 0x4, 0xfe, 0x40, 0x0, 0x7f,
0x60, 0xcf, 0x40, 0x0, 0x0, 0x10, 0xf, 0xe0,
0x0, 0x0, 0x0, 0x2, 0xfc, 0x0, 0x0, 0x0,
0x0, 0xf, 0xe0, 0x0, 0x0, 0x0, 0x0, 0xcf,
0x40, 0x0, 0x0, 0x10, 0x4, 0xfe, 0x40, 0x0,
0x7f, 0x60, 0x7, 0xff, 0xdc, 0xef, 0xe2, 0x0,
0x3, 0xae, 0xfe, 0x91, 0x0,
/* U+0064 "d" */
0x0, 0x0, 0x0, 0x0, 0x1, 0xfd, 0x0, 0x0,
0x0, 0x0, 0x1, 0xfd, 0x0, 0x0, 0x0, 0x0,
0x1, 0xfd, 0x0, 0x0, 0x0, 0x0, 0x1, 0xfd,
0x0, 0x4, 0xbe, 0xfc, 0x61, 0xfd, 0x0, 0x8f,
0xfd, 0xce, 0xfb, 0xfd, 0x5, 0xfe, 0x40, 0x0,
0x7f, 0xfd, 0xc, 0xf5, 0x0, 0x0, 0x9, 0xfd,
0xf, 0xe0, 0x0, 0x0, 0x3, 0xfd, 0x2f, 0xc0,
0x0, 0x0, 0x1, 0xfd, 0xf, 0xe0, 0x0, 0x0,
0x3, 0xfd, 0xc, 0xf4, 0x0, 0x0, 0x8, 0xfd,
0x5, 0xfe, 0x20, 0x0, 0x5f, 0xfd, 0x0, 0x8f,
0xfb, 0xad, 0xfb, 0xfd, 0x0, 0x4, 0xbe, 0xfd,
0x70, 0xfd,
/* U+0065 "e" */
0x0, 0x4, 0xbe, 0xfc, 0x60, 0x0, 0x0, 0x8f,
0xfc, 0xbe, 0xfc, 0x0, 0x5, 0xfd, 0x20, 0x0,
0xaf, 0x80, 0xc, 0xf3, 0x0, 0x0, 0xd, 0xf0,
0xf, 0xe1, 0x11, 0x11, 0x19, 0xf4, 0x2f, 0xff,
0xff, 0xff, 0xff, 0xf6, 0xf, 0xe4, 0x44, 0x44,
0x44, 0x41, 0xc, 0xf3, 0x0, 0x0, 0x0, 0x0,
0x4, 0xfe, 0x40, 0x0, 0x2b, 0x20, 0x0, 0x7f,
0xfe, 0xcd, 0xff, 0x60, 0x0, 0x3, 0xae, 0xfe,
0xa3, 0x0,
/* U+0066 "f" */
0x0, 0x6, 0xdf, 0xd6, 0x0, 0x6f, 0xea, 0xc6,
0x0, 0xcf, 0x20, 0x0, 0x0, 0xef, 0x0, 0x0,
0xbf, 0xff, 0xff, 0xf1, 0x7a, 0xff, 0xaa, 0xa0,
0x0, 0xef, 0x0, 0x0, 0x0, 0xef, 0x0, 0x0,
0x0, 0xef, 0x0, 0x0, 0x0, 0xef, 0x0, 0x0,
0x0, 0xef, 0x0, 0x0, 0x0, 0xef, 0x0, 0x0,
0x0, 0xef, 0x0, 0x0, 0x0, 0xef, 0x0, 0x0,
0x0, 0xef, 0x0, 0x0,
/* U+0067 "g" */
0x0, 0x4, 0xbe, 0xfd, 0x70, 0xdf, 0x0, 0x8f,
0xfd, 0xce, 0xfc, 0xef, 0x5, 0xfe, 0x40, 0x0,
0x5f, 0xff, 0xc, 0xf4, 0x0, 0x0, 0x6, 0xff,
0xf, 0xe0, 0x0, 0x0, 0x0, 0xff, 0x2f, 0xc0,
0x0, 0x0, 0x0, 0xff, 0xf, 0xe0, 0x0, 0x0,
0x1, 0xff, 0xc, 0xf5, 0x0, 0x0, 0x7, 0xff,
0x5, 0xfe, 0x40, 0x0, 0x5f, 0xff, 0x0, 0x8f,
0xfd, 0xbe, 0xfc, 0xff, 0x0, 0x4, 0xbe, 0xfd,
0x71, 0xfe, 0x0, 0x0, 0x0, 0x0, 0x3, 0xfb,
0x1, 0xa4, 0x0, 0x0, 0x2d, 0xf5, 0x4, 0xff,
0xfc, 0xbd, 0xff, 0xa0, 0x0, 0x28, 0xce, 0xfe,
0xb5, 0x0,
/* U+0068 "h" */
0x3f, 0xb0, 0x0, 0x0, 0x0, 0x3, 0xfb, 0x0,
0x0, 0x0, 0x0, 0x3f, 0xb0, 0x0, 0x0, 0x0,
0x3, 0xfb, 0x0, 0x0, 0x0, 0x0, 0x3f, 0xb1,
0x9e, 0xfe, 0x91, 0x3, 0xfd, 0xef, 0xdd, 0xff,
0xd0, 0x3f, 0xfd, 0x20, 0x2, 0xdf, 0x73, 0xff,
0x20, 0x0, 0x4, 0xfc, 0x3f, 0xd0, 0x0, 0x0,
0x1f, 0xd3, 0xfb, 0x0, 0x0, 0x0, 0xfe, 0x3f,
0xb0, 0x0, 0x0, 0xf, 0xe3, 0xfb, 0x0, 0x0,
0x0, 0xfe, 0x3f, 0xb0, 0x0, 0x0, 0xf, 0xe3,
0xfb, 0x0, 0x0, 0x0, 0xfe, 0x3f, 0xb0, 0x0,
0x0, 0xf, 0xe0,
/* U+0069 "i" */
0x3e, 0xb0, 0x7f, 0xf0, 0x8, 0x40, 0x0, 0x0,
0x3f, 0xb0, 0x3f, 0xb0, 0x3f, 0xb0, 0x3f, 0xb0,
0x3f, 0xb0, 0x3f, 0xb0, 0x3f, 0xb0, 0x3f, 0xb0,
0x3f, 0xb0, 0x3f, 0xb0, 0x3f, 0xb0,
/* U+006A "j" */
0x0, 0x2, 0xec, 0x0, 0x0, 0x5f, 0xf1, 0x0,
0x0, 0x75, 0x0, 0x0, 0x0, 0x0, 0x0, 0x1,
0xfd, 0x0, 0x0, 0x1f, 0xd0, 0x0, 0x1, 0xfd,
0x0, 0x0, 0x1f, 0xd0, 0x0, 0x1, 0xfd, 0x0,
0x0, 0x1f, 0xd0, 0x0, 0x1, 0xfd, 0x0, 0x0,
0x1f, 0xd0, 0x0, 0x1, 0xfd, 0x0, 0x0, 0x1f,
0xd0, 0x0, 0x1, 0xfd, 0x0, 0x0, 0x1f, 0xd0,
0x0, 0x5, 0xfa, 0x7, 0xdb, 0xff, 0x40, 0x7e,
0xfd, 0x50, 0x0,
/* U+006B "k" */
0x3f, 0xb0, 0x0, 0x0, 0x0, 0x0, 0x3f, 0xb0,
0x0, 0x0, 0x0, 0x0, 0x3f, 0xb0, 0x0, 0x0,
0x0, 0x0, 0x3f, 0xb0, 0x0, 0x0, 0x0, 0x0,
0x3f, 0xb0, 0x0, 0x2, 0xdf, 0x50, 0x3f, 0xb0,
0x0, 0x2e, 0xf6, 0x0, 0x3f, 0xb0, 0x3, 0xef,
0x60, 0x0, 0x3f, 0xb0, 0x3f, 0xf6, 0x0, 0x0,
0x3f, 0xb4, 0xff, 0x90, 0x0, 0x0, 0x3f, 0xef,
0xff, 0xf2, 0x0, 0x0, 0x3f, 0xff, 0x59, 0xfd,
0x0, 0x0, 0x3f, 0xf4, 0x0, 0xcf, 0x90, 0x0,
0x3f, 0xb0, 0x0, 0x1e, 0xf6, 0x0, 0x3f, 0xb0,
0x0, 0x4, 0xff, 0x20, 0x3f, 0xb0, 0x0, 0x0,
0x7f, 0xd0,
/* U+006C "l" */
0x3f, 0xb3, 0xfb, 0x3f, 0xb3, 0xfb, 0x3f, 0xb3,
0xfb, 0x3f, 0xb3, 0xfb, 0x3f, 0xb3, 0xfb, 0x3f,
0xb3, 0xfb, 0x3f, 0xb3, 0xfb, 0x3f, 0xb0,
/* U+006D "m" */
0x3f, 0xa3, 0xae, 0xfd, 0x70, 0x5, 0xcf, 0xfc,
0x50, 0x3, 0xfd, 0xfe, 0xbc, 0xff, 0xaa, 0xfe,
0xbc, 0xff, 0x70, 0x3f, 0xfb, 0x10, 0x3, 0xff,
0xf9, 0x0, 0x4, 0xff, 0x13, 0xff, 0x10, 0x0,
0x9, 0xfe, 0x0, 0x0, 0xb, 0xf4, 0x3f, 0xd0,
0x0, 0x0, 0x6f, 0xb0, 0x0, 0x0, 0x8f, 0x63,
0xfb, 0x0, 0x0, 0x5, 0xf9, 0x0, 0x0, 0x8,
0xf6, 0x3f, 0xb0, 0x0, 0x0, 0x5f, 0x90, 0x0,
0x0, 0x8f, 0x63, 0xfb, 0x0, 0x0, 0x5, 0xf9,
0x0, 0x0, 0x8, 0xf6, 0x3f, 0xb0, 0x0, 0x0,
0x5f, 0x90, 0x0, 0x0, 0x8f, 0x63, 0xfb, 0x0,
0x0, 0x5, 0xf9, 0x0, 0x0, 0x8, 0xf6, 0x3f,
0xb0, 0x0, 0x0, 0x5f, 0x90, 0x0, 0x0, 0x8f,
0x60,
/* U+006E "n" */
0x3f, 0xa2, 0xae, 0xfe, 0x91, 0x3, 0xfd, 0xff,
0xcb, 0xef, 0xd0, 0x3f, 0xfc, 0x10, 0x1, 0xcf,
0x73, 0xff, 0x20, 0x0, 0x4, 0xfc, 0x3f, 0xd0,
0x0, 0x0, 0x1f, 0xd3, 0xfb, 0x0, 0x0, 0x0,
0xfe, 0x3f, 0xb0, 0x0, 0x0, 0xf, 0xe3, 0xfb,
0x0, 0x0, 0x0, 0xfe, 0x3f, 0xb0, 0x0, 0x0,
0xf, 0xe3, 0xfb, 0x0, 0x0, 0x0, 0xfe, 0x3f,
0xb0, 0x0, 0x0, 0xf, 0xe0,
/* U+006F "o" */
0x0, 0x3, 0xae, 0xfd, 0x91, 0x0, 0x0, 0x7f,
0xfd, 0xce, 0xfe, 0x30, 0x5, 0xfe, 0x40, 0x0,
0x7f, 0xe1, 0xc, 0xf4, 0x0, 0x0, 0x9, 0xf7,
0xf, 0xe0, 0x0, 0x0, 0x3, 0xfb, 0x2f, 0xc0,
0x0, 0x0, 0x1, 0xfd, 0xf, 0xe0, 0x0, 0x0,
0x3, 0xfb, 0xc, 0xf4, 0x0, 0x0, 0x9, 0xf7,
0x4, 0xfe, 0x40, 0x0, 0x7f, 0xe1, 0x0, 0x7f,
0xfd, 0xce, 0xfe, 0x30, 0x0, 0x3, 0xae, 0xfd,
0x91, 0x0,
/* U+0070 "p" */
0x3f, 0xa2, 0x9e, 0xfd, 0x92, 0x0, 0x3f, 0xce,
0xfb, 0xad, 0xfe, 0x40, 0x3f, 0xfd, 0x20, 0x0,
0x6f, 0xe1, 0x3f, 0xf3, 0x0, 0x0, 0x9, 0xf7,
0x3f, 0xd0, 0x0, 0x0, 0x4, 0xfa, 0x3f, 0xb0,
0x0, 0x0, 0x2, 0xfc, 0x3f, 0xd0, 0x0, 0x0,
0x4, 0xfa, 0x3f, 0xf3, 0x0, 0x0, 0xa, 0xf7,
0x3f, 0xfe, 0x30, 0x0, 0x8f, 0xe1, 0x3f, 0xde,
0xfd, 0xce, 0xff, 0x40, 0x3f, 0xb1, 0x9e, 0xfe,
0x92, 0x0, 0x3f, 0xb0, 0x0, 0x0, 0x0, 0x0,
0x3f, 0xb0, 0x0, 0x0, 0x0, 0x0, 0x3f, 0xb0,
0x0, 0x0, 0x0, 0x0, 0x3f, 0xb0, 0x0, 0x0,
0x0, 0x0,
/* U+0071 "q" */
0x0, 0x4, 0xbe, 0xfc, 0x60, 0xfd, 0x0, 0x8f,
0xfd, 0xce, 0xfa, 0xfd, 0x5, 0xfe, 0x40, 0x0,
0x7f, 0xfd, 0xc, 0xf4, 0x0, 0x0, 0x9, 0xfd,
0xf, 0xe0, 0x0, 0x0, 0x3, 0xfd, 0x2f, 0xc0,
0x0, 0x0, 0x1, 0xfd, 0xf, 0xe0, 0x0, 0x0,
0x3, 0xfd, 0xc, 0xf4, 0x0, 0x0, 0x9, 0xfd,
0x5, 0xfe, 0x40, 0x0, 0x7f, 0xfd, 0x0, 0x8f,
0xfd, 0xce, 0xfb, 0xfd, 0x0, 0x4, 0xbe, 0xfc,
0x61, 0xfd, 0x0, 0x0, 0x0, 0x0, 0x1, 0xfd,
0x0, 0x0, 0x0, 0x0, 0x1, 0xfd, 0x0, 0x0,
0x0, 0x0, 0x1, 0xfd, 0x0, 0x0, 0x0, 0x0,
0x1, 0xfd,
/* U+0072 "r" */
0x3f, 0xa1, 0x9e, 0x83, 0xfc, 0xef, 0xf7, 0x3f,
0xfe, 0x40, 0x3, 0xff, 0x40, 0x0, 0x3f, 0xe0,
0x0, 0x3, 0xfc, 0x0, 0x0, 0x3f, 0xb0, 0x0,
0x3, 0xfb, 0x0, 0x0, 0x3f, 0xb0, 0x0, 0x3,
0xfb, 0x0, 0x0, 0x3f, 0xb0, 0x0, 0x0,
/* U+0073 "s" */
0x0, 0x5c, 0xef, 0xea, 0x50, 0x9, 0xff, 0xcb,
0xdf, 0xd0, 0x1f, 0xe1, 0x0, 0x2, 0x30, 0x2f,
0xd0, 0x0, 0x0, 0x0, 0xd, 0xfc, 0x63, 0x0,
0x0, 0x2, 0xcf, 0xff, 0xfb, 0x30, 0x0, 0x1,
0x47, 0xbf, 0xf2, 0x0, 0x0, 0x0, 0x9, 0xf6,
0x9, 0x30, 0x0, 0xb, 0xf5, 0x5f, 0xfe, 0xbb,
0xef, 0xc0, 0x5, 0xae, 0xfe, 0xc7, 0x0,
/* U+0074 "t" */
0x0, 0x78, 0x0, 0x0, 0x0, 0xef, 0x0, 0x0,
0x0, 0xef, 0x0, 0x0, 0xbf, 0xff, 0xff, 0xf1,
0x7a, 0xff, 0xaa, 0xa0, 0x0, 0xef, 0x0, 0x0,
0x0, 0xef, 0x0, 0x0, 0x0, 0xef, 0x0, 0x0,
0x0, 0xef, 0x0, 0x0, 0x0, 0xef, 0x0, 0x0,
0x0, 0xef, 0x0, 0x0, 0x0, 0xcf, 0x40, 0x0,
0x0, 0x6f, 0xfb, 0xd7, 0x0, 0x7, 0xdf, 0xd5,
/* U+0075 "u" */
0x4f, 0xa0, 0x0, 0x0, 0x3f, 0xb4, 0xfa, 0x0,
0x0, 0x3, 0xfb, 0x4f, 0xa0, 0x0, 0x0, 0x3f,
0xb4, 0xfa, 0x0, 0x0, 0x3, 0xfb, 0x4f, 0xa0,
0x0, 0x0, 0x3f, 0xb4, 0xfa, 0x0, 0x0, 0x3,
0xfb, 0x4f, 0xb0, 0x0, 0x0, 0x5f, 0xb2, 0xfd,
0x0, 0x0, 0x9, 0xfb, 0xd, 0xf7, 0x0, 0x5,
0xff, 0xb0, 0x4f, 0xfd, 0xad, 0xfc, 0xfb, 0x0,
0x3b, 0xef, 0xd7, 0x2f, 0xb0,
/* U+0076 "v" */
0xd, 0xf2, 0x0, 0x0, 0x0, 0xef, 0x0, 0x6f,
0x90, 0x0, 0x0, 0x5f, 0x90, 0x0, 0xff, 0x0,
0x0, 0xb, 0xf2, 0x0, 0x9, 0xf6, 0x0, 0x2,
0xfb, 0x0, 0x0, 0x2f, 0xc0, 0x0, 0x9f, 0x40,
0x0, 0x0, 0xbf, 0x30, 0xf, 0xd0, 0x0, 0x0,
0x4, 0xfa, 0x6, 0xf7, 0x0, 0x0, 0x0, 0xd,
0xf1, 0xdf, 0x10, 0x0, 0x0, 0x0, 0x7f, 0xbf,
0x90, 0x0, 0x0, 0x0, 0x1, 0xff, 0xf3, 0x0,
0x0, 0x0, 0x0, 0x9, 0xfc, 0x0, 0x0, 0x0,
/* U+0077 "w" */
0xbf, 0x10, 0x0, 0x0, 0xef, 0x0, 0x0, 0x1,
0xfa, 0x5f, 0x70, 0x0, 0x5, 0xff, 0x60, 0x0,
0x6, 0xf5, 0xf, 0xd0, 0x0, 0xb, 0xff, 0xb0,
0x0, 0xc, 0xe0, 0xa, 0xf2, 0x0, 0x1f, 0xab,
0xf1, 0x0, 0x1f, 0x90, 0x4, 0xf8, 0x0, 0x6f,
0x55, 0xf7, 0x0, 0x7f, 0x30, 0x0, 0xed, 0x0,
0xce, 0x0, 0xec, 0x0, 0xde, 0x0, 0x0, 0x8f,
0x32, 0xf9, 0x0, 0x9f, 0x23, 0xf8, 0x0, 0x0,
0x3f, 0x98, 0xf3, 0x0, 0x3f, 0x88, 0xf2, 0x0,
0x0, 0xd, 0xee, 0xd0, 0x0, 0xd, 0xde, 0xc0,
0x0, 0x0, 0x7, 0xff, 0x70, 0x0, 0x7, 0xff,
0x70, 0x0, 0x0, 0x1, 0xff, 0x10, 0x0, 0x2,
0xff, 0x10, 0x0,
/* U+0078 "x" */
0x2f, 0xe1, 0x0, 0x0, 0xdf, 0x30, 0x6f, 0xb0,
0x0, 0xaf, 0x60, 0x0, 0xaf, 0x70, 0x6f, 0xa0,
0x0, 0x0, 0xdf, 0x5f, 0xd1, 0x0, 0x0, 0x3,
0xff, 0xf3, 0x0, 0x0, 0x0, 0xb, 0xfb, 0x0,
0x0, 0x0, 0x6, 0xff, 0xf6, 0x0, 0x0, 0x2,
0xfe, 0x2e, 0xf2, 0x0, 0x0, 0xdf, 0x40, 0x3f,
0xd0, 0x0, 0x9f, 0x80, 0x0, 0x8f, 0xa0, 0x5f,
0xc0, 0x0, 0x0, 0xcf, 0x60,
/* U+0079 "y" */
0xd, 0xf2, 0x0, 0x0, 0x0, 0xef, 0x0, 0x6f,
0x90, 0x0, 0x0, 0x5f, 0x80, 0x0, 0xef, 0x0,
0x0, 0xb, 0xf2, 0x0, 0x8, 0xf7, 0x0, 0x2,
0xfb, 0x0, 0x0, 0x1f, 0xd0, 0x0, 0x9f, 0x40,
0x0, 0x0, 0xaf, 0x40, 0xf, 0xd0, 0x0, 0x0,
0x3, 0xfb, 0x6, 0xf6, 0x0, 0x0, 0x0, 0xd,
0xf2, 0xdf, 0x0, 0x0, 0x0, 0x0, 0x6f, 0xcf,
0x80, 0x0, 0x0, 0x0, 0x0, 0xef, 0xf2, 0x0,
0x0, 0x0, 0x0, 0x8, 0xfb, 0x0, 0x0, 0x0,
0x0, 0x0, 0xaf, 0x40, 0x0, 0x0, 0x3, 0x0,
0x3f, 0xc0, 0x0, 0x0, 0x2, 0xfd, 0xbf, 0xf3,
0x0, 0x0, 0x0, 0x8, 0xef, 0xc4, 0x0, 0x0,
0x0, 0x0,
/* U+007A "z" */
0x1f, 0xff, 0xff, 0xff, 0xf8, 0xa, 0xaa, 0xaa,
0xaf, 0xf5, 0x0, 0x0, 0x0, 0x9f, 0x90, 0x0,
0x0, 0x6, 0xfc, 0x0, 0x0, 0x0, 0x3f, 0xe1,
0x0, 0x0, 0x1, 0xdf, 0x40, 0x0, 0x0, 0xb,
0xf7, 0x0, 0x0, 0x0, 0x7f, 0xb0, 0x0, 0x0,
0x4, 0xfd, 0x10, 0x0, 0x0, 0x1e, 0xfc, 0xaa,
0xaa, 0xa6, 0x3f, 0xff, 0xff, 0xff, 0xfb,
/* U+007B "{" */
0x0, 0x3c, 0xfa, 0x0, 0xef, 0xc6, 0x3, 0xfc,
0x0, 0x4, 0xfa, 0x0, 0x4, 0xfa, 0x0, 0x4,
0xfa, 0x0, 0x4, 0xfa, 0x0, 0x5, 0xfa, 0x0,
0x8e, 0xf6, 0x0, 0xdf, 0xe2, 0x0, 0x7, 0xf9,
0x0, 0x4, 0xfa, 0x0, 0x4, 0xfa, 0x0, 0x4,
0xfa, 0x0, 0x4, 0xfa, 0x0, 0x4, 0xfa, 0x0,
0x2, 0xfd, 0x0, 0x0, 0xef, 0xc6, 0x0, 0x3c,
0xfa,
/* U+007C "|" */
0xee, 0xee, 0xee, 0xee, 0xee, 0xee, 0xee, 0xee,
0xee, 0xee, 0xee, 0xee, 0xee, 0xee, 0xee, 0xee,
0xee, 0xee, 0xee,
/* U+007D "}" */
0xaf, 0xc3, 0x0, 0x6c, 0xfe, 0x0, 0x0, 0xcf,
0x30, 0x0, 0xaf, 0x40, 0x0, 0xaf, 0x40, 0x0,
0xaf, 0x40, 0x0, 0xaf, 0x40, 0x0, 0x9f, 0x50,
0x0, 0x5f, 0xe8, 0x0, 0x2e, 0xfd, 0x0, 0x9f,
0x70, 0x0, 0x9f, 0x40, 0x0, 0xaf, 0x40, 0x0,
0xaf, 0x40, 0x0, 0xaf, 0x40, 0x0, 0xaf, 0x40,
0x0, 0xcf, 0x30, 0x6c, 0xfe, 0x0, 0xaf, 0xc3,
0x0,
/* U+007E "~" */
0x9, 0xee, 0x60, 0x0, 0xd6, 0x7f, 0xab, 0xfb,
0x26, 0xf3, 0xb9, 0x0, 0x5e, 0xff, 0x90, 0x31,
0x0, 0x0, 0x32, 0x0
};
/*---------------------
* GLYPH DESCRIPTION
*--------------------*/
static const lv_font_fmt_txt_glyph_dsc_t glyph_dsc[] = {
{.bitmap_index = 0, .adv_w = 0, .box_w = 0, .box_h = 0, .ofs_x = 0, .ofs_y = 0} /* id = 0 reserved */,
{.bitmap_index = 0, .adv_w = 86, .box_w = 0, .box_h = 0, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 0, .adv_w = 86, .box_w = 3, .box_h = 14, .ofs_x = 1, .ofs_y = 0},
{.bitmap_index = 21, .adv_w = 125, .box_w = 6, .box_h = 6, .ofs_x = 1, .ofs_y = 8},
{.bitmap_index = 39, .adv_w = 225, .box_w = 14, .box_h = 14, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 137, .adv_w = 199, .box_w = 12, .box_h = 20, .ofs_x = 0, .ofs_y = -3},
{.bitmap_index = 257, .adv_w = 270, .box_w = 17, .box_h = 14, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 376, .adv_w = 220, .box_w = 14, .box_h = 15, .ofs_x = 0, .ofs_y = -1},
{.bitmap_index = 481, .adv_w = 67, .box_w = 2, .box_h = 6, .ofs_x = 1, .ofs_y = 8},
{.bitmap_index = 487, .adv_w = 108, .box_w = 6, .box_h = 19, .ofs_x = 1, .ofs_y = -4},
{.bitmap_index = 544, .adv_w = 108, .box_w = 5, .box_h = 19, .ofs_x = 0, .ofs_y = -4},
{.bitmap_index = 592, .adv_w = 128, .box_w = 8, .box_h = 8, .ofs_x = 0, .ofs_y = 7},
{.bitmap_index = 624, .adv_w = 186, .box_w = 10, .box_h = 10, .ofs_x = 1, .ofs_y = 3},
{.bitmap_index = 674, .adv_w = 73, .box_w = 4, .box_h = 6, .ofs_x = 0, .ofs_y = -3},
{.bitmap_index = 686, .adv_w = 123, .box_w = 6, .box_h = 2, .ofs_x = 1, .ofs_y = 5},
{.bitmap_index = 692, .adv_w = 73, .box_w = 4, .box_h = 3, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 698, .adv_w = 113, .box_w = 9, .box_h = 20, .ofs_x = -1, .ofs_y = -2},
{.bitmap_index = 788, .adv_w = 213, .box_w = 13, .box_h = 14, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 879, .adv_w = 118, .box_w = 6, .box_h = 14, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 921, .adv_w = 184, .box_w = 11, .box_h = 14, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 998, .adv_w = 183, .box_w = 11, .box_h = 14, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 1075, .adv_w = 214, .box_w = 14, .box_h = 14, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 1173, .adv_w = 184, .box_w = 11, .box_h = 14, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 1250, .adv_w = 197, .box_w = 12, .box_h = 14, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 1334, .adv_w = 191, .box_w = 12, .box_h = 14, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 1418, .adv_w = 206, .box_w = 12, .box_h = 14, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 1502, .adv_w = 197, .box_w = 12, .box_h = 14, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 1586, .adv_w = 73, .box_w = 4, .box_h = 11, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 1608, .adv_w = 73, .box_w = 4, .box_h = 14, .ofs_x = 0, .ofs_y = -3},
{.bitmap_index = 1636, .adv_w = 186, .box_w = 10, .box_h = 10, .ofs_x = 1, .ofs_y = 2},
{.bitmap_index = 1686, .adv_w = 186, .box_w = 10, .box_h = 7, .ofs_x = 1, .ofs_y = 4},
{.bitmap_index = 1721, .adv_w = 186, .box_w = 10, .box_h = 10, .ofs_x = 1, .ofs_y = 2},
{.bitmap_index = 1771, .adv_w = 183, .box_w = 11, .box_h = 14, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 1848, .adv_w = 331, .box_w = 20, .box_h = 18, .ofs_x = 0, .ofs_y = -4},
{.bitmap_index = 2028, .adv_w = 234, .box_w = 16, .box_h = 14, .ofs_x = -1, .ofs_y = 0},
{.bitmap_index = 2140, .adv_w = 242, .box_w = 13, .box_h = 14, .ofs_x = 2, .ofs_y = 0},
{.bitmap_index = 2231, .adv_w = 231, .box_w = 14, .box_h = 14, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 2329, .adv_w = 264, .box_w = 14, .box_h = 14, .ofs_x = 2, .ofs_y = 0},
{.bitmap_index = 2427, .adv_w = 214, .box_w = 11, .box_h = 14, .ofs_x = 2, .ofs_y = 0},
{.bitmap_index = 2504, .adv_w = 203, .box_w = 10, .box_h = 14, .ofs_x = 2, .ofs_y = 0},
{.bitmap_index = 2574, .adv_w = 247, .box_w = 14, .box_h = 14, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 2672, .adv_w = 260, .box_w = 13, .box_h = 14, .ofs_x = 2, .ofs_y = 0},
{.bitmap_index = 2763, .adv_w = 99, .box_w = 3, .box_h = 14, .ofs_x = 2, .ofs_y = 0},
{.bitmap_index = 2784, .adv_w = 164, .box_w = 10, .box_h = 14, .ofs_x = -1, .ofs_y = 0},
{.bitmap_index = 2854, .adv_w = 230, .box_w = 13, .box_h = 14, .ofs_x = 2, .ofs_y = 0},
{.bitmap_index = 2945, .adv_w = 190, .box_w = 10, .box_h = 14, .ofs_x = 2, .ofs_y = 0},
{.bitmap_index = 3015, .adv_w = 306, .box_w = 15, .box_h = 14, .ofs_x = 2, .ofs_y = 0},
{.bitmap_index = 3120, .adv_w = 260, .box_w = 13, .box_h = 14, .ofs_x = 2, .ofs_y = 0},
{.bitmap_index = 3211, .adv_w = 269, .box_w = 16, .box_h = 14, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 3323, .adv_w = 231, .box_w = 12, .box_h = 14, .ofs_x = 2, .ofs_y = 0},
{.bitmap_index = 3407, .adv_w = 269, .box_w = 17, .box_h = 17, .ofs_x = 0, .ofs_y = -3},
{.bitmap_index = 3552, .adv_w = 233, .box_w = 12, .box_h = 14, .ofs_x = 2, .ofs_y = 0},
{.bitmap_index = 3636, .adv_w = 199, .box_w = 12, .box_h = 14, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 3720, .adv_w = 188, .box_w = 12, .box_h = 14, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 3804, .adv_w = 253, .box_w = 13, .box_h = 14, .ofs_x = 1, .ofs_y = 0},
{.bitmap_index = 3895, .adv_w = 228, .box_w = 16, .box_h = 14, .ofs_x = -1, .ofs_y = 0},
{.bitmap_index = 4007, .adv_w = 360, .box_w = 22, .box_h = 14, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 4161, .adv_w = 215, .box_w = 14, .box_h = 14, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 4259, .adv_w = 207, .box_w = 15, .box_h = 14, .ofs_x = -1, .ofs_y = 0},
{.bitmap_index = 4364, .adv_w = 210, .box_w = 13, .box_h = 14, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 4455, .adv_w = 107, .box_w = 5, .box_h = 19, .ofs_x = 2, .ofs_y = -4},
{.bitmap_index = 4503, .adv_w = 113, .box_w = 9, .box_h = 20, .ofs_x = -1, .ofs_y = -2},
{.bitmap_index = 4593, .adv_w = 107, .box_w = 5, .box_h = 19, .ofs_x = 0, .ofs_y = -4},
{.bitmap_index = 4641, .adv_w = 187, .box_w = 10, .box_h = 9, .ofs_x = 1, .ofs_y = 3},
{.bitmap_index = 4686, .adv_w = 160, .box_w = 10, .box_h = 3, .ofs_x = 0, .ofs_y = -2},
{.bitmap_index = 4701, .adv_w = 192, .box_w = 6, .box_h = 3, .ofs_x = 2, .ofs_y = 12},
{.bitmap_index = 4710, .adv_w = 191, .box_w = 10, .box_h = 11, .ofs_x = 1, .ofs_y = 0},
{.bitmap_index = 4765, .adv_w = 218, .box_w = 12, .box_h = 15, .ofs_x = 1, .ofs_y = 0},
{.bitmap_index = 4855, .adv_w = 183, .box_w = 11, .box_h = 11, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 4916, .adv_w = 218, .box_w = 12, .box_h = 15, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 5006, .adv_w = 196, .box_w = 12, .box_h = 11, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 5072, .adv_w = 113, .box_w = 8, .box_h = 15, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 5132, .adv_w = 221, .box_w = 12, .box_h = 15, .ofs_x = 0, .ofs_y = -4},
{.bitmap_index = 5222, .adv_w = 218, .box_w = 11, .box_h = 15, .ofs_x = 1, .ofs_y = 0},
{.bitmap_index = 5305, .adv_w = 89, .box_w = 4, .box_h = 15, .ofs_x = 1, .ofs_y = 0},
{.bitmap_index = 5335, .adv_w = 91, .box_w = 7, .box_h = 19, .ofs_x = -2, .ofs_y = -4},
{.bitmap_index = 5402, .adv_w = 197, .box_w = 12, .box_h = 15, .ofs_x = 1, .ofs_y = 0},
{.bitmap_index = 5492, .adv_w = 89, .box_w = 3, .box_h = 15, .ofs_x = 1, .ofs_y = 0},
{.bitmap_index = 5515, .adv_w = 338, .box_w = 19, .box_h = 11, .ofs_x = 1, .ofs_y = 0},
{.bitmap_index = 5620, .adv_w = 218, .box_w = 11, .box_h = 11, .ofs_x = 1, .ofs_y = 0},
{.bitmap_index = 5681, .adv_w = 203, .box_w = 12, .box_h = 11, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 5747, .adv_w = 218, .box_w = 12, .box_h = 15, .ofs_x = 1, .ofs_y = -4},
{.bitmap_index = 5837, .adv_w = 218, .box_w = 12, .box_h = 15, .ofs_x = 0, .ofs_y = -4},
{.bitmap_index = 5927, .adv_w = 131, .box_w = 7, .box_h = 11, .ofs_x = 1, .ofs_y = 0},
{.bitmap_index = 5966, .adv_w = 160, .box_w = 10, .box_h = 11, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 6021, .adv_w = 132, .box_w = 8, .box_h = 14, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 6077, .adv_w = 217, .box_w = 11, .box_h = 11, .ofs_x = 1, .ofs_y = 0},
{.bitmap_index = 6138, .adv_w = 179, .box_w = 13, .box_h = 11, .ofs_x = -1, .ofs_y = 0},
{.bitmap_index = 6210, .adv_w = 288, .box_w = 18, .box_h = 11, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 6309, .adv_w = 177, .box_w = 11, .box_h = 11, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 6370, .adv_w = 179, .box_w = 13, .box_h = 15, .ofs_x = -1, .ofs_y = -4},
{.bitmap_index = 6468, .adv_w = 167, .box_w = 10, .box_h = 11, .ofs_x = 0, .ofs_y = 0},
{.bitmap_index = 6523, .adv_w = 112, .box_w = 6, .box_h = 19, .ofs_x = 1, .ofs_y = -4},
{.bitmap_index = 6580, .adv_w = 96, .box_w = 2, .box_h = 19, .ofs_x = 2, .ofs_y = -4},
{.bitmap_index = 6599, .adv_w = 112, .box_w = 6, .box_h = 19, .ofs_x = 0, .ofs_y = -4},
{.bitmap_index = 6656, .adv_w = 186, .box_w = 10, .box_h = 4, .ofs_x = 1, .ofs_y = 5}
};
/*---------------------
* CHARACTER MAPPING
*--------------------*/
/*Collect the unicode lists and glyph_id offsets*/
static const lv_font_fmt_txt_cmap_t cmaps[] = {
{
.range_start = 32, .range_length = 95, .glyph_id_start = 1,
.unicode_list = NULL, .glyph_id_ofs_list = NULL, .list_length = 0, .type = LV_FONT_FMT_TXT_CMAP_FORMAT0_TINY
}
};
/*-----------------
* KERNING
*----------------*/
/*Map glyph_ids to kern left classes*/
static const uint8_t kern_left_class_mapping[] = {
0, 0, 1, 2, 0, 3, 4, 5,
2, 6, 7, 8, 9, 10, 9, 10,
11, 12, 0, 13, 14, 15, 16, 17,
18, 19, 12, 20, 20, 0, 0, 0,
21, 22, 23, 24, 25, 22, 26, 27,
28, 29, 29, 30, 31, 32, 29, 29,
22, 33, 34, 35, 3, 36, 30, 37,
37, 38, 39, 40, 41, 42, 43, 0,
44, 0, 45, 46, 47, 48, 49, 50,
51, 45, 52, 52, 53, 48, 45, 45,
46, 46, 54, 55, 56, 57, 51, 58,
58, 59, 58, 60, 41, 0, 0, 9
};
/*Map glyph_ids to kern right classes*/
static const uint8_t kern_right_class_mapping[] = {
0, 0, 1, 2, 0, 3, 4, 5,
2, 6, 7, 8, 9, 10, 9, 10,
11, 12, 13, 14, 15, 16, 17, 12,
18, 19, 20, 21, 21, 0, 0, 0,
22, 23, 24, 25, 23, 25, 25, 25,
23, 25, 25, 26, 25, 25, 25, 25,
23, 25, 23, 25, 3, 27, 28, 29,
29, 30, 31, 32, 33, 34, 35, 0,
36, 0, 37, 38, 39, 39, 39, 0,
39, 38, 40, 41, 38, 38, 42, 42,
39, 42, 39, 42, 43, 44, 45, 46,
46, 47, 46, 48, 0, 0, 35, 9
};
/*Kern values between classes*/
static const int8_t kern_class_values[] = {
0, 1, 0, 0, 0, 0, 0, 0,
0, 1, 0, 0, 3, 0, 0, 0,
0, 2, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 1, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
1, 14, 0, 9, -7, 0, 0, 0,
0, -18, -19, 2, 15, 7, 5, -13,
2, 16, 1, 13, 3, 10, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 19, 3, -2, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, -10, 0, 0, 0, 0, 0, -6,
5, 6, 0, 0, -3, 0, -2, 3,
0, -3, 0, -3, -2, -6, 0, 0,
0, 0, -3, 0, 0, -4, -5, 0,
0, -3, 0, -6, 0, 0, 0, 0,
0, 0, 0, 0, 0, -3, -3, 0,
0, -9, 0, -39, 0, 0, -6, 0,
6, 10, 0, 0, -6, 3, 3, 11,
6, -5, 6, 0, 0, -18, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, -12, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
-4, -16, 0, -13, -2, 0, 0, 0,
0, 1, 12, 0, -10, -3, -1, 1,
0, -5, 0, 0, -2, -24, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, -26, -3, 12, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 11, 0, 3, 0, 0, -6,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 12, 3, 1, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, -12, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
2, 6, 3, 10, -3, 0, 0, 6,
-3, -11, -44, 2, 9, 6, 1, -4,
0, 12, 0, 10, 0, 10, 0, -30,
0, -4, 10, 0, 11, -3, 6, 3,
0, 0, 1, -3, 0, 0, -5, 26,
0, 26, 0, 10, 0, 13, 4, 5,
0, 0, 0, -12, 0, 0, 0, 0,
1, -2, 0, 2, -6, -4, -6, 2,
0, -3, 0, 0, 0, -13, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, -21, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
1, -18, 0, -20, 0, 0, 0, 0,
-2, 0, 32, -4, -4, 3, 3, -3,
0, -4, 3, 0, 0, -17, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, -31, 0, 3, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 19, 0, 0, -12, 0, 11, 0,
-22, -31, -22, -6, 10, 0, 0, -21,
0, 4, -7, 0, -5, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 8, 10, -39, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 2, 0, 0, 0, 0, 0, 2,
2, -4, -6, 0, -1, -1, -3, 0,
0, -2, 0, 0, 0, -6, 0, -3,
0, -7, -6, 0, -8, -11, -11, -6,
0, -6, 0, -6, 0, 0, 0, 0,
-3, 0, 0, 3, 0, 2, -3, 0,
0, 0, 0, 3, -2, 0, 0, 0,
-2, 3, 3, -1, 0, 0, 0, -6,
0, -1, 0, 0, 0, 0, 0, 1,
0, 4, -2, 0, -4, 0, -5, 0,
0, -2, 0, 10, 0, 0, -3, 0,
0, 0, 0, 0, -1, 1, -2, -2,
0, -3, 0, -3, 0, 0, 0, 0,
0, 0, 0, 0, 0, -2, -2, 0,
-3, -4, 0, 0, 0, 0, 0, 1,
0, 0, -2, 0, -3, -3, -3, 0,
0, 0, 0, 0, 0, 0, 0, 0,
-2, 0, 0, 0, 0, -2, -4, 0,
0, -10, -2, -10, 6, 0, 0, -6,
3, 6, 9, 0, -8, -1, -4, 0,
-1, -15, 3, -2, 2, -17, 3, 0,
0, 1, -17, 0, -17, -3, -28, -2,
0, -16, 0, 6, 9, 0, 4, 0,
0, 0, 0, 1, 0, -6, -4, 0,
0, 0, 0, -3, 0, 0, 0, -3,
0, 0, 0, 0, 0, -2, -2, 0,
-2, -4, 0, 0, 0, 0, 0, 0,
0, -3, -3, 0, -2, -4, -3, 0,
0, -3, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, -3, -3, 0,
0, -2, 0, -6, 3, 0, 0, -4,
2, 3, 3, 0, 0, 0, 0, 0,
0, -2, 0, 0, 0, 0, 0, 2,
0, 0, -3, 0, -3, -2, -4, 0,
0, 0, 0, 0, 0, 0, 3, 0,
-3, 0, 0, 0, 0, -4, -5, 0,
0, 10, -2, 1, -10, 0, 0, 9,
-16, -17, -13, -6, 3, 0, -3, -21,
-6, 0, -6, 0, -6, 5, -6, -20,
0, -9, 0, 0, 2, -1, 3, -2,
0, 3, 0, -10, -12, 0, -16, -8,
-7, -8, -10, -4, -9, -1, -6, -9,
0, 1, 0, -3, 0, 0, 0, 2,
0, 3, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, -3, 0, -2,
0, -1, -3, 0, -5, -7, -7, -1,
0, -10, 0, 0, 0, 0, 0, 0,
-3, 0, 0, 0, 0, 1, -2, 0,
0, 3, 0, 0, 0, 0, 0, 0,
0, 0, 15, 0, 0, 0, 0, 0,
0, 2, 0, 0, 0, -3, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, -6, 0, 3, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
-2, 0, 0, 0, -6, 0, 0, 0,
0, -16, -10, 0, 0, 0, -5, -16,
0, 0, -3, 3, 0, -9, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
-5, 0, 0, -6, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, -6, 0, 0, 0, 0, 4, 0,
2, -6, -6, 0, -3, -3, -4, 0,
0, 0, 0, 0, 0, -10, 0, -3,
0, -5, -3, 0, -7, -8, -10, -3,
0, -6, 0, -10, 0, 0, 0, 0,
26, 0, 0, 2, 0, 0, -4, 0,
0, -14, 0, 0, 0, 0, 0, -30,
-6, 11, 10, -3, -13, 0, 3, -5,
0, -16, -2, -4, 3, -22, -3, 4,
0, 5, -11, -5, -12, -11, -13, 0,
0, -19, 0, 18, 0, 0, -2, 0,
0, 0, -2, -2, -3, -9, -11, -1,
0, 0, 0, 0, 0, 0, 0, 0,
0, 1, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, -3, 0, -2, -3, -5, 0,
0, -6, 0, -3, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, -1, 0, -6, 0, 0, 6,
-1, 4, 0, -7, 3, -2, -1, -8,
-3, 0, -4, -3, -2, 0, -5, -5,
0, 0, -3, -1, -2, -5, -4, 0,
0, -3, 0, 3, -2, 0, -7, 0,
0, 0, -6, 0, -5, 0, -5, -5,
0, 0, 0, 0, 0, 0, 0, 0,
-6, 3, 0, -4, 0, -2, -4, -10,
-2, -2, -2, -1, -2, -4, -1, 0,
0, 0, 0, 0, -3, -3, -3, 0,
0, 0, 0, 4, -2, 0, -2, 0,
0, 0, -2, -4, -2, -3, -4, -3,
3, 13, -1, 0, -9, 0, -2, 6,
0, -3, -13, -4, 5, 0, 0, -15,
-5, 3, -5, 2, 0, -2, -3, -10,
0, -5, 2, 0, 0, -5, 0, 0,
0, 3, 3, -6, -6, 0, -5, -3,
-5, -3, -3, 0, -5, 2, -6, -5,
0, 0, 0, 0, 0, 0, 0, 0,
0, 3, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, -5, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, -2, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, -3, -3, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, -5,
0, 0, -4, 0, 0, -3, -3, 0,
0, 0, 0, -3, 0, 0, 0, 0,
-2, 0, 0, 0, 0, 0, -2, 0,
0, 0, -5, 0, -6, 0, 0, 0,
-11, 0, 2, -7, 6, 1, -2, -15,
0, 0, -7, -3, 0, -13, -8, -9,
0, 0, -14, -3, -13, -12, -15, 0,
-8, 0, 3, 21, -4, 0, -7, -3,
-1, -3, -5, -9, -6, -12, -13, -7,
0, 0, -2, 0, 1, 0, 0, -22,
-3, 10, 7, -7, -12, 0, 1, -10,
0, -16, -2, -3, 6, -29, -4, 1,
0, 0, -21, -4, -17, -3, -23, 0,
0, -22, 0, 19, 1, 0, -2, 0,
0, 0, 0, -2, -2, -12, -2, 0,
0, 0, 0, 0, -10, 0, -3, 0,
-1, -9, -15, 0, 0, -2, -5, -10,
-3, 0, -2, 0, 0, 0, 0, -14,
-3, -11, -10, -3, -5, -8, -3, -5,
0, -6, -3, -11, -5, 0, -4, -6,
-3, -6, 0, 2, 0, -2, -11, 0,
0, -6, 0, 0, 0, 0, 4, 0,
2, -6, 13, 0, -3, -3, -4, 0,
0, 0, 0, 0, 0, -10, 0, -3,
0, -5, -3, 0, -7, -8, -10, -3,
0, -6, 3, 13, 0, 0, 0, 0,
26, 0, 0, 2, 0, 0, -4, 0,
0, 0, 0, 0, 0, 0, 0, 0,
-1, 0, 0, 0, 0, 0, -2, -6,
0, 0, 0, 0, 0, -2, 0, 0,
0, -3, -3, 0, 0, -6, -3, 0,
0, -6, 0, 5, -2, 0, 0, 0,
0, 0, 0, 2, 0, 0, 0, 0,
6, 3, -3, 0, -10, -5, 0, 10,
-11, -10, -6, -6, 13, 6, 3, -28,
-2, 6, -3, 0, -3, 4, -3, -11,
0, -3, 3, -4, -3, -10, -3, 0,
0, 10, 6, 0, -9, 0, -18, -4,
9, -4, -12, 1, -4, -11, -11, -3,
3, 0, -5, 0, -9, 0, 3, 11,
-7, -12, -13, -8, 10, 0, 1, -23,
-3, 3, -5, -2, -7, 0, -7, -12,
-5, -5, -3, 0, 0, -7, -7, -3,
0, 10, 7, -3, -18, 0, -18, -4,
0, -11, -19, -1, -10, -5, -11, -9,
0, 0, -4, 0, -6, -3, 0, -3,
-6, 0, 5, -11, 3, 0, 0, -17,
0, -3, -7, -5, -2, -10, -8, -11,
-7, 0, -10, -3, -7, -6, -10, -3,
0, 0, 1, 15, -5, 0, -10, -3,
0, -3, -6, -7, -9, -9, -12, -4,
6, 0, -5, 0, -16, -4, 2, 6,
-10, -12, -6, -11, 11, -3, 2, -30,
-6, 6, -7, -5, -12, 0, -10, -13,
-4, -3, -3, -3, -7, -10, -1, 0,
0, 10, 9, -2, -21, 0, -19, -7,
8, -12, -22, -6, -11, -13, -16, -11,
0, 0, 0, 0, -4, 0, 0, 3,
-4, 6, 2, -6, 6, 0, 0, -10,
-1, 0, -1, 0, 1, 1, -3, 0,
0, 0, 0, 0, 0, -3, 0, 0,
0, 0, 3, 10, 1, 0, -4, 0,
0, 0, 0, -2, -2, -4, 0, 0,
1, 3, 0, 0, 0, 0, 3, 0,
-3, 0, 12, 0, 6, 1, 1, -4,
0, 6, 0, 0, 0, 3, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 10, 0, 9, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, -19, 0, -3, 5, 0, 10, 0,
0, 32, 4, -6, -6, 3, 3, -2,
1, -16, 0, 0, 15, -19, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, -22, 12, 45, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, -5, 0, 0, -6, -3, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, -2, 0, -9, 0, 0, 1, 0,
0, 3, 41, -6, -3, 10, 9, -9,
3, 0, 0, 3, 3, -4, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, -42, 9, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, -9, 0, 0, 0, -9,
0, 0, 0, 0, -7, -2, 0, 0,
0, -7, 0, -4, 0, -15, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, -21, 0, 0, 0, 0, 1, 0,
0, 0, 0, 0, 0, -3, 0, 0,
0, -5, 0, -9, 0, 0, 0, -5,
3, -4, 0, 0, -9, -3, -7, 0,
0, -9, 0, -3, 0, -15, 0, -4,
0, 0, -26, -6, -13, -4, -12, 0,
0, -21, 0, -9, -2, 0, 0, 0,
0, 0, 0, 0, 0, -5, -6, -3,
0, 0, 0, 0, -7, 0, -7, 4,
-4, 6, 0, -2, -7, -2, -5, -6,
0, -4, -2, -2, 2, -9, -1, 0,
0, 0, -28, -3, -4, 0, -7, 0,
-2, -15, -3, 0, 0, -2, -3, 0,
0, 0, 0, 2, 0, -2, -5, -2,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 4, 0, 0, 0, 0,
0, -7, 0, -2, 0, 0, 0, -6,
3, 0, 0, 0, -9, -3, -6, 0,
0, -9, 0, -3, 0, -15, 0, 0,
0, 0, -31, 0, -6, -12, -16, 0,
0, -21, 0, -2, -5, 0, 0, 0,
0, 0, 0, 0, 0, -3, -5, -2,
1, 0, 0, 5, -4, 0, 10, 16,
-3, -3, -10, 4, 16, 5, 7, -9,
4, 13, 4, 9, 7, 9, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 20, 15, -6, -3, 0, -3, 26,
14, 26, 0, 0, 0, 3, 0, 0,
0, 0, -5, 0, 0, 0, 0, 0,
0, 0, 0, 0, -2, 0, 0, 0,
0, 0, 0, 0, 0, 4, 0, 0,
0, 0, -27, -4, -3, -13, -16, 0,
0, -21, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, -5, 0, 0, 0, 0, 0,
0, 0, 0, 0, -2, 0, 0, 0,
0, 0, 0, 0, 0, 4, 0, 0,
0, 0, -27, -4, -3, -13, -16, 0,
0, -13, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, -3, 0, 0, 0,
-7, 3, 0, -3, 3, 6, 3, -10,
0, -1, -3, 3, 0, 3, 0, 0,
0, 0, -8, 0, -3, -2, -6, 0,
-3, -13, 0, 20, -3, 0, -7, -2,
0, -2, -5, 0, -3, -9, -6, -4,
0, 0, -5, 0, 0, 0, 0, 0,
0, 0, 0, 0, -2, 0, 0, 0,
0, 0, 0, 0, 0, 4, 0, 0,
0, 0, -27, -4, -3, -13, -16, 0,
0, -21, 0, 0, 0, 0, 0, 0,
16, 0, 0, 0, 0, 0, 0, 0,
0, 0, -5, 0, -10, -4, -3, 10,
-3, -3, -13, 1, -2, 1, -2, -9,
1, 7, 1, 3, 1, 3, -8, -13,
-4, 0, -12, -6, -9, -13, -12, 0,
-5, -6, -4, -4, -3, -2, -4, -2,
0, -2, -1, 5, 0, 5, -2, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, -2, -3, -3, 0,
0, -9, 0, -2, 0, -5, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, -19, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, -3, -3, 0,
0, 0, 0, 0, -3, 0, 0, -5,
-3, 3, 0, -5, -6, -2, 0, -9,
-2, -7, -2, -4, 0, -5, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, -21, 0, 10, 0, 0, -6, 0,
0, 0, 0, -4, 0, -3, 0, 0,
0, 0, -2, 0, -7, 0, 0, 13,
-4, -11, -10, 2, 4, 4, -1, -9,
2, 5, 2, 10, 2, 11, -2, -9,
0, 0, -13, 0, 0, -10, -9, 0,
0, -6, 0, -4, -5, 0, -5, 0,
-5, 0, -2, 5, 0, -3, -10, -3,
0, 0, -3, 0, -6, 0, 0, 4,
-7, 0, 3, -3, 3, 0, 0, -11,
0, -2, -1, 0, -3, 4, -3, 0,
0, 0, -13, -4, -7, 0, -10, 0,
0, -15, 0, 12, -3, 0, -6, 0,
2, 0, -3, 0, -3, -10, 0, -3,
0, 0, 0, 0, -2, 0, 0, 3,
-4, 1, 0, 0, -4, -2, 0, -4,
0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0,
0, -20, 0, 7, 0, 0, -3, 0,
0, 0, 0, 1, 0, -3, -3, 0
};
/*Collect the kern class' data in one place*/
static const lv_font_fmt_txt_kern_classes_t kern_classes = {
.class_pair_values = kern_class_values,
.left_class_mapping = kern_left_class_mapping,
.right_class_mapping = kern_right_class_mapping,
.left_class_cnt = 60,
.right_class_cnt = 48,
};
/*--------------------
* ALL CUSTOM DATA
*--------------------*/
#if LV_VERSION_CHECK(8, 0, 0)
/*Store all the custom data of the font*/
static const lv_font_fmt_txt_dsc_t font_dsc = {
#else
static lv_font_fmt_txt_dsc_t font_dsc = {
#endif
.glyph_bitmap = glyph_bitmap,
.glyph_dsc = glyph_dsc,
.cmaps = cmaps,
.kern_dsc = &kern_classes,
.kern_scale = 16,
.cmap_num = 1,
.bpp = 4,
.kern_classes = 1,
.bitmap_format = 0,
#if LV_VERSION_CHECK(8, 0, 0)
.cache = &cache
#endif
};
/*-----------------
* PUBLIC FONT
*----------------*/
/*Initialize a public general font descriptor*/
#if LV_VERSION_CHECK(8, 0, 0)
const lv_font_t test_font_montserrat_ascii_4bpp = {
#else
lv_font_t test_font_montserrat_ascii_4bpp = {
#endif
.get_glyph_dsc = lv_font_get_glyph_dsc_fmt_txt, /*Function pointer to get glyph's data*/
.get_glyph_bitmap = lv_font_get_bitmap_fmt_txt, /*Function pointer to get glyph's bitmap*/
.line_height = 22, /*The maximum line height required by the font*/
.base_line = 4, /*Baseline measured from the bottom of the line*/
#if !(LVGL_VERSION_MAJOR == 6 && LVGL_VERSION_MINOR == 0)
.subpx = LV_FONT_SUBPX_NONE,
#endif
#if LV_VERSION_CHECK(7, 4, 0) || LVGL_VERSION_MAJOR >= 8
.underline_position = -1,
.underline_thickness = 1,
#endif
.dsc = &font_dsc /*The custom font data. Will be accessed by `get_glyph_bitmap/dsc` */
};
#endif /*#if TEST_FONT_MONTSERRAT_ASCII_4BPP*/
#endif /*LV_BUILD_TEST*/
``` |
Lost and Found is the second of 3 mixtapes by Tinchy Stryder, It was released on 24 October 2006 on the label Boy Better Know. The mixtape sees Stryder rapping with Wiley, who featured on Stryders first mixtape, I'm Back U Know, and the mixtape also features a few members of Ruff Sqwad. It features a collection of 14 unreleased tracks that had never been heard before the release of the mixtape, and Underground which was released in 2005.
Track listing
References
External links
2006 albums
Tinchy Stryder albums |
S. Scott Crump (born Steven Scott Crump) is the inventor of fused deposition modeling (FDM) and co-founder of Stratasys, Ltd. Crump invented and patented FDM technology in 1989 with his wife and Stratasys co-founder Lisa Crump. He is currently the chairman of the board of directors of Stratasys, which produces additive manufacturing machines for direct digital manufacturing (a.k.a. rapid manufacturing); these machines are popularly called “3D printers.” He took the manufacturing company public in 1994 (Nasdaq:SSYS). He also runs Fortus, RedEye on Demand, and Dimension Printing – business units of Stratasys.
Crump managed the early work on another innovation used by FDM machines, the ABS plastic filament, which allows engineers to formulate fully functional parts that have up to 75% of the strength of an actual molded part. In addition, Crump is responsible for other innovations, including: Breakaway Support System (BASS), WaterWorks Support System, the coupling to the CAD/CAM industry for CNC tool path software, a baffled oven for high-temperature build environments and a benchtop 3D Printer (Dimension).
Philanthropy
Through Stratasys, Crump has provided financial support to the SME Bright Minds Mentor Program, affording opportunities for high school students to attend the annual Society of Manufacturing Education (SME) RAPID Conference and Exposition. Stratasys has also donated 3D printers to schools participating in the RAPID event.
Awards and accolades
Crump was ranked among the best CEOs in the United States by DeMarche Associates in 2007.
In addition, he has received the following awards and accolades:
Winner of the Ernst & Young Entrepreneur of the Year Award, 2005.
Voted one of the top five most influential individuals in rapid product development and rapid manufacturing by Time-Compression Technologies, European edition, TCT Top 25 Influential People survey, 2007.
Finalist, Minnesota High Tech Association Tekne Awards
Inducted into the TCT Hall of Fame in September 2017.
Patents
, June 9, 1989, "Apparatus and Method for Creating Three-Dimensional Objects" (A system and a method for building three-dimensional objects in a layer-by-layer manner via fused deposition modeling)
, August 23, 1994, "Modeling Apparatus for Three-Dimensional Objects" (An apparatus for building three-dimensional objects via fused deposition modeling)
, April 2, 1996, "Process of Support Removal for Fused Deposition Modeling", S. Scott Crump; Sam Batchelder; William Priedeman, Jr.; and Robert Zinniel. (A process for building three-dimensional objects with break-away support structures)
, February 2, 1999, "Method for Rapid Prototyping of Solid Models", Sam Batchelder; Scott Crump. (A method for building three-dimensional physical objects with reduced levels of curl and distortion)
, October 24, 2006, "Rapid Prototype Injection Molding", S. Scott Crump; William Priedeman, Jr.; and Jeffery Hanson. (A method for making a prototype injection molded part by extruding a thermoplastic material into a plastic mold tool at a low pressure)
, August 14, 2007, "Layered Deposition Bridge Tooling", William Priedeman, Jr.; and S. Scott Crump. (A method for making a prototype plastic injection molded part using a mold tool made by a fused deposition modeling technique)
See also
Additive manufacturing
Desktop manufacturing
Digital fabricator
Direct digital manufacturing
Instant manufacturing
Rapid manufacturing
Rapid prototyping
References
http://www.stratasys.com/corporate/about-us
External links
https://web.archive.org/web/20060113035436/http://www.redeyerpm.com/
https://web.archive.org/web/20070224011719/http://www.dimensionprinting.com/
20th-century American inventors
21st-century American inventors
American manufacturing businesspeople
21st-century American engineers
Living people
Fused filament fabrication
Year of birth missing (living people) |
The 1975–76 Western Kentucky Hilltoppers men's basketball team represented Western Kentucky University during the 1975–76 NCAA Division I men's basketball season. The Hilltoppers were led by Ohio Valley Conference Coach of the Year Jim Richards and OVC Player of the Year Johnny Britt. WKU won the OVC regular season and tournament championships, as well as the conference's automatic bid to the 1976 NCAA Division I Basketball Tournament. Wilson James joined Britt on the All-OVC Team; they were also selected to the OVC Tournament team and Britt was tournament MVP.
Schedule
|-
!colspan=6| Regular season
|-
|-
!colspan=6| 1976 Ohio Valley Conference Men's Basketball Tournament
|-
!colspan=6| 1976 NCAA Division I Basketball Tournament
References
Western Kentucky Hilltoppers basketball seasons
Western Kentucky
Western Kentucky
Western Kentucky Basketball, Men's
Western Kentucky Basketball, Men's |
Salobe is a town and commune () in southwest Madagascar. It belongs to the district of Betioky Sud, which is a part of Atsimo-Andrefana Region. The population of the commune was estimated to be approximately 9,000 in 2001 commune census.
Only primary schooling is currently available. The majority 55% of the population of the commune are farmers, while an additional 40% receives their livelihood from raising livestock. The most important crop is rice, while other important products are cassava, sweet potatoes and tomato. Services provide employment for 5% of the population.
References and notes
Populated places in Atsimo-Andrefana |
Abramovka () is a rural locality (a selo) in Izvestkovskoye Urban Settlement of Obluchensky District, Jewish Autonomous Oblast, Russia. The population was 1 as of 2010.
Geography
The village is located on Trans-Siberian Railway, 52 km east of Obluchye (the district's administrative centre) by road. Snarsky is the nearest rural locality.
References
Rural localities in the Jewish Autonomous Oblast |
```smalltalk
"
I represent the callback invocation.
I have information about the activation of a given callback.
"
Class {
#name : 'TFCallbackInvocation',
#superclass : 'FFIExternalObject',
#instVars : [
'callback'
],
#category : 'ThreadedFFI-Callbacks',
#package : 'ThreadedFFI',
#tag : 'Callbacks'
}
{ #category : 'operations' }
TFCallbackInvocation >> arguments [
| parameterTypes argumentsAddress |
parameterTypes := self callback parameterTypes.
argumentsAddress := self argumentsAddress.
^ parameterTypes withIndexCollect: [ :type :idx |
type callbackReadValue: (argumentsAddress pointerAt: 1 + ((idx - 1) * Smalltalk wordSize)) ]
]
{ #category : 'accessing' }
TFCallbackInvocation >> argumentsAddress [
^ TFBasicType pointer
readValue: handle
offset: 1 + (TFBasicType pointer byteSize * 2)
]
{ #category : 'accessing' }
TFCallbackInvocation >> callback [
^ callback
]
{ #category : 'accessing' }
TFCallbackInvocation >> callback: aTFCallback [
callback := aTFCallback
]
{ #category : 'accessing' }
TFCallbackInvocation >> callbackData [
^ TFBasicType pointer callbackReadValue: handle
]
{ #category : 'operations' }
TFCallbackInvocation >> execute [
| returnValue transformedArguments |
transformedArguments := [ self arguments
with: callback parameterTypes
collect: [ :anArgument :aType | aType marshallFromPrimitive: anArgument ] ]
on: Exception
fork: [ :e | e debug ]
return: [ self arguments ].
[ returnValue := callback frontendCallback valueWithArguments: transformedArguments ]
ensure: [
returnValue := callback returnType marshallToPrimitive: (callback isSuccess
ifTrue: [ returnValue ]
ifFalse: [ callback frontendCallback returnOnError ]).
self isNull ifFalse: [
callback returnType isVoid
ifFalse: [ self writeReturnValue: returnValue ].
self runner returnCallback: self ] ]
]
{ #category : 'private' }
TFCallbackInvocation >> primCallbackReturn [
<primitive: 'primitiveCallbackReturn'>
"It returns true if the callback can return, and false if the order is not correct and should
retry later"
^ self primitiveFailed
]
{ #category : 'operations' }
TFCallbackInvocation >> returnExecution [
"It returns true if the callback can return, and false if the order is not correct and should retry later"
^ self primCallbackReturn
ifTrue: [ handle beNull. true ]
ifFalse: [ false ]
]
{ #category : 'accessing' }
TFCallbackInvocation >> returnHolder [
^ TFBasicType pointer readValue: handle offset: 1 + TFBasicType pointer byteSize
]
{ #category : 'accessing' }
TFCallbackInvocation >> runner [
^ self callback runner
]
{ #category : 'operations' }
TFCallbackInvocation >> writeReturnValue: aValue [
self callback returnType
callbackWrite: aValue
into: self returnHolder
]
``` |
John Mercer Thorp, Jr. (born 1957 or 1958) is an American obstetrician-gynecologist a Faculty Fellow at the Carolina Population Center, and the Hugh McAllister Distinguished Professor in the Department of Obstetrics and Gynecology at the University of North Carolina at Chapel Hill (UNC), where he directs the Division of General Obstetrics and Gynecology and serves as Vice Chair of Research.
Education
Originally from Rocky Mount, North Carolina, Thorp attended the University of North Carolina at Chapel Hill and the Brody School of Medicine at East Carolina University. He went on to complete his residency and fellowship training at the University of North Carolina in Chapel Hill.
Academic career
In addition to his positions at UNC, Thorp is also the medical director of Reply OB/GYN & Fertility in Cary, North Carolina. At UNC, he has helped the Department of Obstetrics and Gynecology establish a clinical training program in Lilongwe, Malawi.
Research
Thorp's research interests include preterm birth and cervical insufficiency. He also serves as the principal investigator for UNC in the National Institutes of Health's Maternal-Fetal Medicine Units Network. He has researched the ability of progestins to prevent preterm births, and the neuroprotective effects of magnesium in premature infants. He was also a principal investigator in the clinical trials conducted on flibanserin in the United States.
Testimony in abortion cases
Thorp has testified on behalf of Alabama and Wisconsin in court cases regarding admitting-privileges laws enacted in those states. In Wisconsin, Thorp testified that there were no reliable data regarding maternal deaths from abortion in the United States, to which judge William M. Conley replied by invoking Mark Twain's quote that there are "lies, damn lies and statistics". Conley later struck down Wisconsin's admitting-privileges law, writing in his decision that it had little, if any, benefit to women's health. His decision also stated, "In light of the deep flaws in his analysis and his testimony, which often came off more as advocacy then expert opinion, the court finds little to credit in Dr. Thorp’s opinions of the relative risks of abortions to child birth or comparable invasive procedures." In 2014, U.S. district judge Myron H. Thompson rejected two of Thorp's arguments in an Alabama case regarding an admitting privileges requirement for abortion providers.
Personal life
Thorp and his wife, Joe Carol, live in Chapel Hill, North Carolina. They have four children and two grandchildren.
References
External links
Biography at Carolina Population Center
Living people
1950s births
American obstetricians
University of North Carolina at Chapel Hill faculty
University of North Carolina at Chapel Hill alumni
East Carolina University alumni
People from Rocky Mount, North Carolina |
The 2022 AFF Championship Final was the final of the 2022 AFF Championship, the 14th edition of the top-level Association of Southeast Asian Nations (ASEAN) football tournament organised by the ASEAN Football Federation (AFF).
The final was contested in two-legged home-and-away format between Vietnam and Thailand. The first leg was hosted by Vietnam at the Mỹ Đình National Stadium in Hanoi on 13 January 2023, while the second leg was hosted by Thailand at the Thammasat Stadium in Pathum Thani on 16 January 2023.
Background
This was the fourth AFF Championship final for Vietnam, having won in 2008 and 2018 finals, but lost in 1998 final.
This was the tenth AFF Championship final for Thailand, having won the 1996, 2000, 2002, 2014, 2016, and 2020 finals, and lost in 2007, 2008, and 2012 finals.
Both were the strongest-ranked AFF teams in the FIFA World Rankings; Vietnam was ranked first in Southeast Asia and 96th overall while Thailand was ranked 2nd in Southeast Asia and ranked 111th. Both teams have the second-highest win percentage in the AFF Championship finals behind Singapore (67% each). Thailand was leading the all-time championship table with six titles to their name while Vietnam, on the other hand, only won two in 2008 and 2018. They had met only in 2008 AFF Championship Final, where Vietnam won 3–2 on aggregate (won 2–1 in the first leg; and drew 1–1 in the second). In all competitions since Vietnam's reintegration, Thailand won 16 meetings, Vietnam won only 3, and 7 matches ended in draws.
This final between the two countries is highly anticipated after 15 years.
Route to the final
Matches
First leg
Second leg
References
External links
AFF Mitsubishi Electric Cup Official website
ASEAN Federation Official website
Final
Vietnam national football team matches
Thailand national football team matches
AFF Championship finals
AFF Championship Final
AFF Championship Final
2023 in Vietnamese football
2023 in Thai football |
An innuendo is a hint, insinuation or intimation about a person or thing, especially of a denigrating or derogatory nature. It can also be a remark or question, typically disparaging (also called insinuation), that works obliquely by allusion. In the latter sense, the intention is often to insult or accuse someone in such a way that one's words, taken literally, are innocent.
According to the Advanced Oxford Learner's Dictionary, an innuendo is "an indirect remark about somebody or something, usually suggesting something bad, mean or rude", such as: "innuendos about her private life" or "The song is full of sexual innuendo".
Sexual innuendo
The term sexual innuendo has acquired a specific meaning, namely that of a "risqué" double entendre by playing on a possibly sexual interpretation of an otherwise innocent uttering. For example: "We need to go deeper" can be seen as either a request for further inquiry or allude to sexual penetration.
Defamation Law
In the context of defamation law, an innuendo meaning is one which is not directly contained in the words that are illustrated, but which would be understood by those reading it based on specialized knowledge.
Film, television, and other media
Comedy film scripts have used innuendo since the beginning of sound film itself. A notable example is the Carry On film series (1958–1992) in which innuendo was a staple feature, often including the title of the film itself. British sitcoms and comedy shows such as Are You Being Served? and Round the Horne have also made extensive use of innuendo. Mild sexual innuendo is a staple of British pantomime.
Numerous television programs and animated films targeted at child audiences often use innuendos in an attempt to entertain adolescent/adult audiences without exceeding their network's censorship policies. For example, Rocko's Modern Life employed numerous innuendos over its run, such as alluding to masturbation by naming the fictional fast food chain in the show "Chokey Chicken". Over 20 percent of the show's audience were adults as a result.
On The Scott Mills Show on BBC Radio 1, listeners are asked to send in clips from radio and TV with innuendos in a humorous context, a feature known as "Innuendo Bingo". Presenters and special guests fill their mouths with water and listen to the clips, and the last person to spit the water out with laughter wins the game.
See also
Blind item
Doublespeak
Euphemism
Roman à clef
References
Comedy
Rhetorical techniques
Sociolinguistics
Harassment and bullying |
Caterziane Fonseca Ferreira (born 8 March 1979), known as Cate Fonseca, is Brazilian footballer who currently plays for Adriatiku Mamurrasi in the Albanian First Division.
References
1979 births
Living people
Brazilian men's footballers
Kategoria Superiore players
Men's association football midfielders
Brazilian expatriate sportspeople in Albania
Expatriate men's footballers in Albania
KF Lushnja players
KF Luftëtari players
Olympiacos Volos F.C. players
KS Kastrioti players
KF Adriatiku Mamurras players
Footballers from Maranhão |
Karl Moser (August 10, 1860 – February 28, 1936) was an architect from Switzerland.
Between 1887 and 1915 he worked together with Robert Curjel in Karlsruhe, setting up the architecture firm Curjel and Moser. Some of their works are:
Kunsthaus Zurich
University of Zurich
Basel Badischer Bahnhof
St. Paul's Church, Bern
St. Anthony's (Antoniuskirche), Basel
several Protestant churches
From 1915 to 1928 he was professor at ETH Zurich.
In 1928 he was president of the newly founded Congrès International d'Architecture Moderne, an organisation, steered prominently by the pioneers of modernism, architects Le Corbusier and Walter Gropius, which championed rational and functionalist architecture, while critiquing the type of revivalist architecture typified by Moser's own work. Indeed, at was at this time that Moser's own work changed radically towards modernism, exemplified in the St. Anthony's (Antoniuskirche) in Basel (1925–27), built in reinforced concrete rather than brick and stone typical for his earlier works.
His son Werner M. Moser also became a notable architect.
References
Leonardo Benevolo. History of Modern Architecture, Volume 2. MIT Press, 1977 pg. 618
1860 births
1936 deaths
Swiss architects
Congrès International d'Architecture Moderne members
ETH Zurich alumni
Academic staff of ETH Zurich |
```swift
import ConsoleKit
import NIOCore
import NIOPosix
import NIOConcurrencyHelpers
extension Application {
public var console: Console {
get { self.core.storage.console.withLockedValue { $0 } }
set { self.core.storage.console.withLockedValue { $0 = newValue } }
}
public var commands: Commands {
get { self.core.storage.commands.withLockedValue { $0 } }
set { self.core.storage.commands.withLockedValue { $0 = newValue } }
}
public var asyncCommands: AsyncCommands {
get { self.core.storage.asyncCommands.withLockedValue { $0 } }
set { self.core.storage.asyncCommands.withLockedValue { $0 = newValue } }
}
/// The application thread pool. Vapor provides a thread pool with 64 threads by default.
///
/// It's possible to configure the thread pool size by overriding this value with your own thread pool.
///
/// ```
/// application.threadPool = NIOThreadPool(numberOfThreads: 100)
/// ```
///
/// If overridden, Vapor will take ownership of the thread pool and automatically start it and shut it down when needed.
///
/// - Warning: Can only be set during application setup/initialization.
public var threadPool: NIOThreadPool {
get { self.core.storage.threadPool.withLockedValue { $0 } }
set {
guard !self.isBooted.withLockedValue({ $0 }) else {
self.logger.critical("Cannot replace thread pool after application has booted")
fatalError("Cannot replace thread pool after application has booted")
}
self.core.storage.threadPool.withLockedValue({
try! $0.syncShutdownGracefully()
$0 = newValue
$0.start()
})
}
}
public var fileio: NonBlockingFileIO {
.init(threadPool: self.threadPool)
}
public var allocator: ByteBufferAllocator {
self.core.storage.allocator
}
public var running: Running? {
get { self.core.storage.running.current.withLockedValue { $0 } }
set { self.core.storage.running.current.withLockedValue { $0 = newValue } }
}
public var directory: DirectoryConfiguration {
get { self.core.storage.directory.withLockedValue { $0 } }
set { self.core.storage.directory.withLockedValue { $0 = newValue } }
}
internal var core: Core {
.init(application: self)
}
public struct Core: Sendable {
final class Storage: Sendable {
let console: NIOLockedValueBox<Console>
let commands: NIOLockedValueBox<Commands>
let asyncCommands: NIOLockedValueBox<AsyncCommands>
let threadPool: NIOLockedValueBox<NIOThreadPool>
let allocator: ByteBufferAllocator
let running: Application.Running.Storage
let directory: NIOLockedValueBox<DirectoryConfiguration>
init() {
self.console = .init(Terminal())
self.commands = .init(Commands())
var asyncCommands = AsyncCommands()
asyncCommands.use(BootCommand(), as: "boot")
self.asyncCommands = .init(AsyncCommands())
let threadPool = NIOThreadPool(numberOfThreads: System.coreCount)
threadPool.start()
self.threadPool = .init(threadPool)
self.allocator = .init()
self.running = .init()
self.directory = .init(.detect())
}
}
struct LifecycleHandler: Vapor.LifecycleHandler {
func shutdown(_ application: Application) {
try! application.threadPool.syncShutdownGracefully()
}
}
struct AsyncLifecycleHandler: Vapor.LifecycleHandler {
func shutdownAsync(_ application: Application) async {
do {
try await application.threadPool.shutdownGracefully()
} catch {
application.logger.debug("Failed to shutdown threadpool", metadata: ["error": "\(error)"])
}
}
}
struct Key: StorageKey {
typealias Value = Storage
}
let application: Application
var storage: Storage {
guard let storage = self.application.storage[Key.self] else {
fatalError("Core not configured. Configure with app.core.initialize()")
}
return storage
}
func initialize(asyncEnvironment: Bool) {
self.application.storage[Key.self] = .init()
if asyncEnvironment {
self.application.lifecycle.use(AsyncLifecycleHandler())
} else {
self.application.lifecycle.use(LifecycleHandler())
}
}
}
}
``` |
DCTV may refer to:
DCTV (TV station), a station in Washington, D.C.
Digital cable television, the distribution method
Downtown Community Television Center, a community media center in Manhattan, New York City
Dublin Community Television
DC TV, was a part of DC Entertainment. |
```php
<?php
/*
* This file is part of the Kimai time-tracking app.
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace App\Tests\Timesheet\Calculator;
use App\Entity\Project;
use App\Entity\Timesheet;
use App\Entity\User;
use App\Entity\UserPreference;
use App\Timesheet\Calculator\RateResetCalculator;
use PHPUnit\Framework\TestCase;
/**
* @covers \App\Timesheet\Calculator\RateResetCalculator
*/
class RateResetCalculatorTest extends TestCase
{
public function testWithReset(): void
{
$record = new Timesheet();
$record->setRate(999.99);
$record->setHourlyRate(100);
$record->setFixedRate(123.45);
$record->setInternalRate(98.76);
$record->setBillableMode(Timesheet::BILLABLE_NO);
$user = new User();
$user->setPreferences([
new UserPreference(UserPreference::HOURLY_RATE, 75),
new UserPreference(UserPreference::INTERNAL_RATE, 25)
]);
$record->setUser($user);
self::assertEquals(999.99, $record->getRate());
self::assertEquals(100, $record->getHourlyRate());
self::assertEquals(123.45, $record->getFixedRate());
self::assertEquals(98.76, $record->getInternalRate());
self::assertEquals(Timesheet::BILLABLE_NO, $record->getBillableMode());
$sut = new RateResetCalculator();
// 0 = before, 1 = after
$sut->calculate($record, ['project' => [0 => new Project(), 1 => new Project()]]);
self::assertEquals(0.00, $record->getRate());
self::assertNull($record->getHourlyRate());
self::assertNull($record->getFixedRate());
self::assertNull($record->getInternalRate());
self::assertEquals(Timesheet::BILLABLE_AUTOMATIC, $record->getBillableMode());
}
}
``` |
Woolloongabba is a suburb in the City of Brisbane, Queensland, Australia. In the , Woolloongabba had a population of 5,631 people.
Geography
Woolloongabba is located south of the CBD. It contains the Brisbane Cricket Ground ('the Gabba') and the Princess Alexandra Hospital. It is crossed by several major roads including the Pacific Motorway, Logan Road and Ipswich Road. The suburb was once home to a large tram depot.
Buranda is a neighbourhood in the south of the suburb (). The name Buranda comes from Yuggera/Kabi/Bundjalung words buran meaning wind and da meaning place.
The Cleveland railway line enters the suburb from the west (Dutton Park) and exits to the east (Coorparoo) with Buranda railway station serving the suburb ().
History
Experts are divided regarding the Aboriginal meaning of the name, preferring either 'whirling waters' (woolloon and capemm) or 'fight talk place' (woolloon and gabba).
Because the area was low-lying and swampy, it was known as the One Mile Swamp. Although this name appears to be unofficial, it was in common use until the early 1890s.
The site of the current Princess Alexandra Hospital has had a long history, commencing in 1893 as the Diamantina Orphanage (named after Diamantina Bowen, wife of the first Queensland Governor). The first hospital to operate on the site was the Diamantina Hospital for Chronic Diseases from 1901, becoming the South Brisbane Auxiliary Hospital from 1943, then the South Brisbane Hospital from 1956, and then renamed Princess Alexandra Hospital in 1960 (to coincide with the visit of Princess Alexandra to Brisbane).
The suburb has a significant link to the history of transport in Brisbane. Between 1884 and 1969, the main railway locomotive depot for lines south of the Brisbane River was beside Stanley St. It was reached via a line that ran beside Stanley St, then crossing it, Logan Road and Ipswich Road to the main line at Dutton Park. By the 1960s, services from the depot were causing significant delays to traffic as they crossed these three major roads.
Woolloongabba Mixed State School opened on 1 September 1884. On 5 July 1885, the school was split into it was divided into Woolloongabba Boys State School and Woolloongabba Girls and Infants State School. In 1910, these schools were renamed Dutton Park Boys State School and Dutton Park Girls and Infants State School. In 1935 the two schools were re-united to create Dutton Park State School. In 1995 the Dutton Park Special School was closed as a separate school and became a special education unit within Dutton Park State School. The school is within the neighbouring suburb of Dutton Park.
The suburb was served by horse-drawn trams from 1885 to 1897, which were replaced by electric trams, which in turn ceased operation on 13 April 1969. All but one of Brisbane's trolleybus routes traversed the suburb, from 1953 to 1969. The Woolloongabba Fiveways (the intersection of Stanley Street, Main Street, Logan Road and Ipswich Road) was a complex junction with tram and railway lines, and tram and trolleybus overhead. Trams were controlled by a signalman, who operated the points (or switches) from a signal cabin near the eastern side of the junction. Trains were escorted across the junction by a flagman. Curiously, Queensland Railways always referred to the branch line as the Wooloongabba Branch, spelled with only one 'l'.
On 1 February 1893, the Brisbane Institution for the Instruction of the Blind, Deaf & Dumb was established on a site in Cornwall Street. By the end of 1893, 22 students were enrolled. On 4 February 1963, a separate school for blind students was established in Buranda as Narbethong School for the Blind, using the building previously occupied by the then-closed Buranda Infants School. It was later renamed Narbethong State Special School and moved to its current site in Salisbury Street in 1969. Deaf students continued to attend school at Cornwall Street which was then known as Queensland School for the Deaf, until it closed on 9 December 1988 and the deaf students transferred to mainstream schools.
On Saturday 12 October 1895, the foundation stone was laid for the Nazareth Lutheran Church in Hawthorne Road by Henry Norman, the Governor of Queensland. The church was to replace the congregation's existing church in South Brisbane, which was an old timber church in a location no longer convenient to the congregation. On Sunday 10 May 1896, the new church was opened and consecrated. It was built of brick (both inside and outside) in a Gothic design. The building was with a vestibule and chancel. It has a bell tower and spire on the front northern face. The architect was Charles McLay and the contractor W. Taylor.
On 4 March 1918, Buranda Girls and Infants State School was opened, followed on 27 September 1920 by the opening of Buranda Boys School. The girls and infants were separated into Buranda State Infants School and Buranda Girls State School on 30 January 1934. In 1963, the girls' and infants' schools were reunited to re-establish Buranda Girls and Infants State School. In 1967, Buranda State School was established combining the schools for the boys and the girls and infants.
In August 1885, "The Deshon Estate" was advertised to be auctioned by Arthur Martin & Co., Auctioneers. A map advertising the auction provided a local sketch of the area. It consisted of approximately 184 allotments and was situated "only a few yards beyond the Woolloongabba Hotel."
In September 1885, the balance of the third and last section of the "Thompson Estate" was advertised for auction by L. J. Markwell. It consisted of approximately 300 allotments, subdivisions of Portion 85, which was bordered by Ipswich Road, Victoria Terrace and Juliette Street. A map advertising the auction provided a local sketch of the area. It also places the estate in Woolloongabba, now considered part of Annerley.
In September 1888, 70 allotments of "The Cremorne Estate" were advertised to be auctioned by W.J. Hooker, auctioneer. A map advertising the auction provided a local sketch of the area. It consisted of approximately 70 allotments, and the land for sale is resubdivisions of subdivision 1 of portion 171, Parish of South Brisbane.
From 1927 until 1969, the largest of the Brisbane City Council's tram depots was on Ipswich Road between Cornwall Street and Tottenham Street (), opposite the Princess Alexandra Hospital, now the site of the Buranda Village shopping centre. This tram depot was also used by the council's buses.
On Sunday 20 December 1936, Archbishop James Duhig laid the foundation stone for St Luke the Evangelist's Catholic Church on the site of the Barco Villa at Buranda (as that area was then known). On Sunday 11 April 1937 the Apostolic Delegate in Australia, Giovanni Panico, officially opened the new church in the presence of thousands of people. The church was built in the Spanish Mission style at a cost of about £3500. Although the church had a bell tower, the builder warned against installing the bell, fearing it would cause problems with the structural integrity of the church. The church was severely damaged in a hail storm in November 2014 and was officially closed on 28 December 2014. A 30-month project was then undertaken to refurbish the church, finally install the bell, and build a retirement village, St Luke's Green, on land surrounding the church. On Sunday 10 September 2017 St Luke's was officially re-dedicated by Archbishop Mark Coleridge and the retirement village blessed and officially opened.
On 9 April 1938, the foundation stone of the Brisbane Spiritual Alliance Church was laid at 208 Logan Road (). It was dedicated to the memory of George Coxon and his wife Mary who bequeathed two blocks of land and £2000 to the Church which they had established in 1924 following a split with another spiritualist church, after which they met in a building made of galvanised iron in Buranda. The architect was E. P. Trewern. The church was opened on Sunday 10 July 1938. A window in the western wall memorialised George Coxon. The church was still operating in 1990, but, as at 2020, is used as commercial premises.
In early 1942, the first Coca-Cola bottling plant in Australia was built in Woolloongabba at 36-39 Balaclava Street. It was originally designed to supply the demands of the newly arrived US military personnel, but later expanded production to the local Australian market.
On Sunday 20 June 1948 Archbishop James Duhig laid the foundation stone for St Luke's Catholic Primary School. On Sunday 23 January 1949 Duhig officially opened and blessed the new school designed for 200 students. The school was located on the O'Keefe Street side of the church and was operated by the Presentation Sisters. The school closed in 1977.
Buranda Senior Special School opened at 21 Martin Street with the grounds of Buranda State School () on 23 January 1967. it closed on 24 May 1996.
In early 2013, the congregation known over time as the Vulture Street Baptist Church, South Brisbane Baptist Church and South Bank Baptist Church relocated from their church at 128 Vulture Street (corner of Christie Street), South Brisbane, to a new site at 859 Stanley Street, Woolloongabba (), renaming itself as Church@TheGabba.
Demographics
In the , Woolloongabba had a population of 5,631 people. 51.3% of people were born in Australia. The next most common countries of birth were China 3.8%, New Zealand 3.5%, England 2.7%, South Korea 2.7% and India 2.5%. 59.2% of people spoke only English at home. Other languages spoken at home included Mandarin 5.9%, Vietnamese 2.7%, Korean 2.4% and Spanish 2.3%. The most common responses for religion were No Religion 42.2% and Catholic 15.2%.
In the , Woolloongabba had a population of 8,687 people.
Heritage listings
Woolloongabba has a number of heritage-listed sites, including:
8 Annerley Road: Princess Theatre (also known as South Brisbane Public Hall, Boggo Road Theatre)
38 Annerley Road: Bethany Gospel Hall (also known as Bethany Hall)
83 Annerley Road: Burke's Hotel (also known as The Red Brick)
36 Broadway Street: Ukrainian Catholic Church & Presbytery
49 Broadway Street: former Spanish Speaking Baptist Church (also known as Broadway Congregational Church)
Cornwall Street: former Dispenser's House of Diamantina Hospital (also known as Diamantina Health Care Museum)
12-24 Cowley Street: Buranda State School
12 Hawthorne Street: Nazareth Lutheran Church & Sunday School (also known as Nazareth Lutheran Church of South Brisbane)
52 Hawthorne Street: Wilbar (flats)
60 Hawthorne Street: St Seraphim Russian Orthodox Church (also known as Dalma)
68 Hawthorne Street: Holy Trinity Anglican Church
23 Heaslop Street: Wilhelm's Hoehe (house, also known as Papanui)
5 Hubert Street: R.A.O.B. Lodge Hall (also known as St. Joseph's Hibernian Hall)
102 Ipswich Road: Norman Hotel
207A Ipswich Road: City Electric Lights Company Substation No.3 (also known as South Brisbane Transformer Station)
264 Ipswich Road: Buranda Ventilation Shaft
10-14 Logan Road: former Taylor-Heaslop Building (also known as People's Cash Store, grocers, J.R. Blane, grocer & hardware merchant, Moreton Rubber Works, John Evan's Cash Draper, George Logan Draper, Johns & Co. Draper, Ernest Reid, Draper)
23 Logan Road: former Baby Clinic
28 Logan Road: Federation-era shop
45 Logan Road: City Electric Light Substation No.5
93 Logan Road: Broadway Hotel
208 Logan Road: Brisbane Christian Spiritual Alliance Church
842-848 Main Street: former Woolloongabba Police Station
46 Maynard Street: Merrilands (villa, also known as Hambergvil)
49 Maynard Street: Radford House
Merton Road (): Retaining wall east (between Hawthorne & Peterson St)
18 Merton Road: The Duke of Clarence Lodge, MUIOOF (also known as Protestant Hall)
45 Merton Road: Carininya (house)
55 Merton Road: Merton Road Cottages
264 Ipswich Road (): former Route 31 Ipswich Road Tram Shelter
36 Oxford Street: OES Hall (also known as Harriers Hall)
8 Ross Street: Serbian Orthodox Church (also known as Merton Street Primitive Methodist Church)
588 Stanley Street: former Magee's Drapery Emporium
596 Stanley Street: Shops
601 Stanley Street: Clarence Corner Hotel (also known as The Newton)
609 & 613 Stanley Street: Shop Row
615 Stanley Street: Hillyards Shop House
617-619 Stanley Street: Pollock's Shop House
640 Stanley Street: Morrison Hotel (also known as Brittania)
647 Stanley Street: Phoenix Buildings (also known as Malouf's Fashion House)
659 Stanley Street: Langford-Ely Pawnbroker's Shop
663 Stanley Street: Short's Building
667 Stanley Street: Oswald Flohrer & Co.
735 Stanley Street: Railway Hotel (also known as Recovery Hotel, Chalk Hotel)
765 Stanley Street: former Woolloongabba Post Office
767 Stanley Street: former Brisbane Associated Friendly Society Dispensary
779 Stanley Street: former Tacey & Co. Shop
34 Sword Street: Woolloongabba Air Raid Shelter
43 Taylor Street: St Luke's Catholic Church
Education
Buranda State School is a government primary (Prep-6) school for boys and girls at 24 Cowley Street (). In 2018, the school had an enrolment of 247 students with 20 teachers (14 full-time equivalent) and 10 non-teaching staff (8 full-time equivalent).
Narbethong State Special School is a special primary and secondary (Early Childhood-12) school for boys and girls at 25 Salisbury Street (). The school specialises in education for students with impaired vision. In 2018, the school had an enrolment of 57 students with 38 teachers (32 full-time equivalent) and 60 non-teaching staff (35 full-time equivalent).
There is no mainstream secondary school in Woolloongabba. The nearest government secondary schools are Brisbane State High School in neighbouring South Brisbane to the north-west, Coorparoo Secondary College in neighbouring Coorparoo to the west, and Yeronga State School in Yeronga to the south.
Facilities
Princess Alexandra Hospital (often abbreviated to PA Hospital) is at 199 Ipswich Road (). It is a public tertiary hospital, providing care for adults in most medical specialties. The hospital has expertise in trauma management and organ transplants. It has an emergency department.
The head office of the Queensland Justices Association is located in Woolloongabba.
Places of worship
Woolloongabba is home to a number of places of worship, including:
Serbian Orthodox Church of Saint Nicholas (Ross Street)
Holy Trinity Anglican Church (Hawthorne Street)
Finnish Lutheran Church in Brisbane (Hawthorne Street)
Holy Annunciation Orthodox Church (Park Road)
Protection of the Mother of God Ukrainian Catholic Church (Broadway Street)
New Apostolic Church (Qualtrough Street)
Darul Uloom Islamic Academy of Brisbane (Agnes Street)
South Brisbane Seventh-day Adventist Church (O'Keefe Street)
St Luke's Catholic Church, 47 Taylor Street ()
Nazareth Lutheran Church, 12 Hawthorne Street ()
Sport and recreation
The suburb is home to the Brisbane Cricket Ground known as "the Gabba".
Attractions
The Norman Hotel is a local landmark that has served customers since 1890.
Transport
The Pacific Motorway cuts through the suburb with an exit south into Vulture Street and a Stanley Street exit for vehicles heading north. Additionally, there is an entrance to the Clem Jones Tunnel in the suburb on Ipswich road.
Public transport
Trains service the suburb with stops at Park Road railway station and Buranda railway station. The South-East Busway also runs through Woolloongabba, with stops at Woolloongabba Busway Station and Buranda Busway station. The high-frequency Maroon CityGlider bus service also stops here.
Taxis
There is a major taxi depot in Woolloongabba.
References
Citations
Sources
Clark, H. and Keenan D6, "Brisbane Tramways – The Last Decade", Transit Press, 1977 (Reprinted 1985). .
Cole J., "Shaping a City: Greater Brisbane 1925-1985", Brisbane, 1984.
Deskins R., Hyde P. and Struble C., "Slow at Frog – A Short History of the Brisbane Trolleybus System", Brisbane Tramway Museum Society, 2006. .
Kerr J. and Armstrong J., "Destination South Brisbane" (2nd ed.), Australian Railway Historical Society, 1984. .
External links
Suburbs of the City of Brisbane |
```javascript
import * as sub from "./sub";
import * as thing from "./javascriptThing";
import {
Ka,
Ching
} from "./sub/kaching";
export {
Ka,
Ching
};
export * from "./sub/willBeReExported";
import * as path from "path";
console.log(sub.version, thing(2), '=== 8', path.delimiter);
``` |
The Hinkler Hall of Aviation is an air museum in Bundaberg, Queensland, Australia focused on the legacy of Australian aviator Bert Hinkler. The museum opened in 2008 alongside the Hinkler House, and was designed to accommodate up to 34,000 visitors per year. The museum's collection includes five aircraft significant to Hinkler's career: a reconstructed glider from his youth, Hinkler's original Avro Baby, a replica Avro Avian, a replica Hinkler Ibis, and a reconstructed de Havilland Puss Moth. The museum also has on display a small wooden piece of an early Hinkler glider that was carried on board the Space Shuttle Challenger and recovered after its breakup in 1986.
References
External links
Official website
Aerospace museums in Australia |
This is a list of transactions that have taken place during the 2018 NBA off-season and the 2018–19 NBA season.
Retirement
Front office movements
Head coach changes
Off-season
In-Season
General manager changes
Offseason
In-season
Player movements
Trades
† Two-way contract
Free agents
* Player option
** Team option
*** Early termination option
**** Previously on a two-way contract
***** Converted two-way contract to full contract
Two-way contracts
Per recent NBA rules implemented as of the 2017–18 season, teams are permitted to have two two-way players on their roster at any given time, in addition to their 15-man regular season roster. A two-way player will provide services primarily to the team's G League affiliate, but can spend up to 45 days with the parent NBA team. Only players with four or fewer years of NBA experience are able to sign two-way contracts, which can be for either one season or two. Players entering training camp for a team have a chance to convert their training camp deal into a two-way contract if they prove themselves worthy enough for it. Teams also have the option to convert a two-way contract into a regular, minimum-salary NBA contract, at which point the player becomes a regular member of the parent NBA team. Two-way players are not eligible for NBA playoff rosters, so a team must convert any two-way players it wants to use in the playoffs, waiving another player in the process. Two-way contracts must be signed prior to January 15, with their salaries being fully guaranteed on January 20.
°Training camp conversion
Going to other American and Canadian leagues
Going overseas
Waived
† Two-way contract
Training camp cuts
All players listed did not make the final roster.
Draft
First round
Second round
Previous years' draftees
Renounced draft rights
See also
Notes
References
Transactions
2018-19 |
```groff
.\" $OpenBSD: ospf6d.conf.5,v 1.26 2023/03/02 17:09:54 jmc Exp $
.\"
.\"
.\" Permission to use, copy, modify, and distribute this software for any
.\" purpose with or without fee is hereby granted, provided that the above
.\" copyright notice and this permission notice appear in all copies.
.\"
.\" THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES
.\" WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF
.\" MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR
.\" ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES
.\" WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN
.\" ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF
.\" OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
.\"
.Dd $Mdocdate: March 2 2023 $
.Dt OSPF6D.CONF 5
.Os
.Sh NAME
.Nm ospf6d.conf
.Nd OSPF for IPv6 routing daemon configuration file
.Sh DESCRIPTION
The
.Xr ospf6d 8
daemon implements the Open Shortest Path First protocol version 3 as described
in RFC 5340.
.Pp
The
.Nm
config file is divided into the following main sections:
.Bl -tag -width xxxx
.It Sy Macros
User-defined variables may be defined and used later, simplifying the
configuration file.
.It Sy Global Configuration
Global settings for
.Xr ospf6d 8 .
A number of global settings can be overruled in specific areas or interfaces.
.It Sy Areas
An OSPF router must be a member of at least one area.
Areas are used to group interfaces, simplifying configuration.
.El
.Pp
Argument names not beginning with a letter, digit, or underscore
must be quoted.
.Pp
Additional configuration files can be included with the
.Ic include
keyword, for example:
.Bd -literal -offset indent
include "/etc/ospf6d.sub.conf"
.Ed
.Sh MACROS
Macros can be defined that will later be expanded in context.
Macro names must start with a letter, digit, or underscore,
and may contain any of those characters.
Macro names may not be reserved words (for example,
.Ic area ,
.Ic interface ,
or
.Ic hello-interval ) .
Macros are not expanded inside quotes.
.Pp
For example:
.Bd -literal -offset indent
hi="5"
area 0.0.0.0 {
interface em0 {
hello-interval $hi
}
}
.Ed
.Pp
The same can be accomplished by specifying the hello-interval
globally or within the area declaration.
.Sh GLOBAL CONFIGURATION
All interface related settings can be configured globally, per area and per
interface.
The only settings that can be set globally and not overruled are listed below.
.Pp
.Bl -tag -width Ds -compact
.It Ic fib-priority Ar prio
Set the routing priority to
.Ar prio .
The default is 32.
.Pp
.It Xo
.Ic fib-update
.Pq Ic yes Ns | Ns Ic no
.Xc
If set to
.Ic \&no ,
do not update the Forwarding Information Base, a.k.a. the kernel
routing table.
The default is
.Ic yes .
Setting
.Ic fib-update
to
.Ic \&no
will implicitly set the
.Ic stub router
option to ensure that no traffic tries to transit via this router.
.Pp
.It Ic rdomain Ar tableid
Specifies the routing table
.Xr ospfd 8
should modify.
Table 0 is the default table.
.Pp
.It Xo
.Op Ic no
.Ic redistribute
.Sm off
.Po Ic static Ns | Ns Ic connected Ns | Ns
.Ic default Pc
.Sm on
.Op Ic set ...\&
.Bk -words
.Op Ic depend on Ar interface
.Ek
.Xc
.It Xo
.Op Ic no
.Ic redistribute Ar prefix Op Ic set ...\&
.Op Ic depend on Ar interface
.Xc
.It Xo
.Op Ic no
.Ic redistribute rtlabel Ar label Op Ic set ...\&
.Op Ic depend on Ar interface
.Xc
If set to
.Ic connected ,
routes to directly attached networks will be announced over OSPF.
If set to
.Ic static ,
static routes will be announced over OSPF.
If set to
.Ic default ,
a default route pointing to this router will be announced over OSPF.
It is possible to specify a network range with
.Ar prefix ;
networks need to be part of that range to be redistributed.
Additionally it is possible to redistribute based on route labels
using the
.Ic rtlabel
keyword.
By default no additional routes will be announced over OSPF.
.Pp
.Ic redistribute
statements are evaluated in sequential order, from first to last.
The first matching rule decides if a route should be redistributed or not.
Matching rules starting with
.Ic no
will force the route to be not announced.
The only exception is
.Ic default ,
which will be set no matter what, and additionally
.Ic no
cannot be used together with it.
.Pp
With the
.Ic depend on
option, redistributed routes will have a metric of 65535 if the specified
.Ar interface
is down or in state backup.
This is especially useful on a carp cluster to ensure all traffic goes to
the carp master.
.Pp
It is possible to set the route
.Ic metric
and
.Ic type
for each redistribute rule.
.Ic type
is either 1 or 2.
The default value for
.Ic type
is 1 and for
.Ic metric
is 100.
Setting more than one option needs curly brackets:
.Bd -literal -offset indent
redistribute static set { metric 300 type 2 }
.Ed
.Pp
.It Ic router-id Ar address
Set the router ID; if not specified, the lowest IPv4 address of
the interfaces used by
.Xr ospf6d 8
will be used.
A router ID must be specified if no IPv4 address is configured on
any interfaces used by
.Xr ospf6d 8 .
.Pp
.It Ic rtlabel Ar label Ic external-tag Ar number
Map route labels to external route tags and vice versa.
The external route tag is a non-negative 32-bit number attached to
AS-external OSPF LSAs.
.Pp
.It Ic spf-delay Ar seconds
Set SPF delay in seconds.
The delay between receiving an update to the link
state database and starting the shortest path first calculation.
The default value is 1; valid range is 1\-10 seconds.
.Pp
.It Ic spf-holdtime Ar seconds
Set the SPF holdtime in seconds.
The minimum time between two consecutive
shortest path first calculations.
The default value is 5 seconds; the valid range is 1\-5 seconds.
.Pp
.It Xo
.Ic stub router
.Pq Ic yes Ns | Ns Ic no
.Xc
If set to
.Ic yes ,
all interfaces with active neighbors will have a metric of infinity.
This ensures that the other routers prefer routes around this router while
still being able to reach directly connected IP prefixes.
The
.Ic stub router
option is automatically enabled if either the
.Xr sysctl 8
variable
.Va net.inet6.ip6.forwarding
is set to a value different to 1 or if the FIB is not coupled.
.El
.Sh AREAS
Areas are used for grouping interfaces.
All interface-specific parameters can
be configured per area, overruling the global settings.
These interface-specific parameters need to be defined before the interfaces.
.Bl -tag -width Ds
.It Ic area Ar address Ns | Ns Ar id
Specify an area section, grouping one or more interfaces.
.Bd -literal -offset indent
area 0.0.0.0 {
hello-interval 3
interface em0
interface em1 {
metric 10
}
}
.Ed
.El
.Pp
Area specific parameters are listed below.
.Bl -tag -width Ds
.It Ic demote Ar group Op Ar count
Increase the
.Xr carp 4
demotion counter by
.Ar count
on the given interface group, usually
.Ar carp ,
when no neighbor in the area is in an active state.
The demotion counter will be decreased when one neighbor in that
area is in an active state.
The default value for
.Ar count
is 1.
.Pp
For more information on interface groups,
see the
.Ic group
keyword in
.Xr ifconfig 8 .
.El
.Sh INTERFACES
Each interface can have several parameters configured individually, otherwise
they are inherited.
An interface is specified by its name.
.Bd -literal -offset indent
interface em0 {
...
}
.Ed
.Pp
Interface-specific parameters are listed below.
.Bl -tag -width Ds
.It Ic demote Ar group
Increase the
.Xr carp 4
demotion counter by 1 on the given interface group, usually
.Ar carp ,
when the interface state is going down.
The demotion counter will be decreased when the interface
state is active again.
.It Ic depend on Ar interface
A metric of 65535 is used if the specified interface is down or in status
backup.
.It Ic hello-interval Ar seconds
Set the hello interval.
The default value is 10; valid range is 1\-65535 seconds.
.It Ic metric Ar cost
Set the interface metric a.k.a. cost.
The default value is 10; valid range is 1\-65535.
A metric of 65535 is used for
.Xr carp 4
interfaces with status backup.
.It Ic passive
Prevent transmission and reception of OSPF packets on this interface.
The specified interface will be announced as a stub network.
Passive mode is enforced for
.Xr carp 4
interfaces.
.It Ic retransmit-interval Ar seconds
Set retransmit interval.
The default value is 5 seconds; valid range is 5\-3600 seconds.
.It Ic router-dead-time Ar seconds
Set the router dead time, a.k.a. neighbor inactivity timer.
The default value is 40 seconds; valid range is 2\-65535 seconds.
When a neighbor has been
inactive for router-dead-time, its state is set to DOWN.
Neighbors
that have been inactive for more than 24 hours are completely removed.
.It Ic router-priority Ar priority
Set the router priority.
The default value is 1; valid range is 0\-255.
If set
to 0, the router is not eligible as a Designated Router or Backup Designated
Router.
.It Ic transmit-delay Ar seconds
Set the transmit delay.
The default value is 1; valid range is 1\-3600 seconds.
.It Ic type p2p
Set the interface type to point to point.
This disables the election of a DR and BDR for the given interface.
.El
.Sh FILES
.Bl -tag -width /etc/examples/ospf6d.conf -compact
.It Pa /etc/ospf6d.conf
.Xr ospf6d 8
configuration file.
.It Pa /etc/examples/ospf6d.conf
Example configuration file.
.El
.Sh SEE ALSO
.Xr ospf6ctl 8 ,
.Xr ospf6d 8 ,
.Xr rc.conf.local 8
.Sh HISTORY
The
.Nm
file format first appeared in
.Ox 4.2 .
``` |
Gron () is a commune in the Cher department in the Centre-Val de Loire region of France.
Geography
An area of forestry and farming, comprising the village and several hamlets situated by the banks of the Yèvre river, some east of Bourges, at the junction of the D10, D93 and the N151 roads. The commune lies on the pilgrimage route known as St. James' Way.
Population
Sights
The church of St. Etienne, dating from the twelfth century.
The fifteenth-century chateau du Coupoy.
A mill.
See also
Communes of the Cher department
References
Communes of Cher (department) |
Taeŭng station is a railway station in Taeŭng-ri, Kimhyŏngjik-kun, Ryanggang Province, North Korea, on the Pukpu Line of the Korean State Railway.
History
The station was opened on 3 August 1988 by the Korean State Railway, along with the rest of the second section of the Pukpu Line between Chasŏng and Huju.
References
Railway stations in North Korea
Railway stations in North Korea opened in the 1980s |
Gerry Mullan may refer to:
Gerry Mullan (footballer), footballer from Northern Ireland
Gerry Mullan (politician), Northern Ireland politician |
```javascript
Multi-line string variables
Double and single quotes
Hoisting applies only to variable declarations, not initializations
Using `eval`
How to merge two arrays
``` |
Santeuil may refer to the following places in France:
Santeuil, Eure-et-Loir, a commune in the Eure-et-Loir department
Santeuil, Val-d'Oise, a commune in the Val-d'Oise department |
Jovan Campbell (born November 13, 1990), better known by his stage name Jibbs, is an American rapper. He had one top ten single on the Billboard Hot 100, which was his debut single "Chain Hang Low". Jibbs's only other song that charted on the Billboard Hot 100 was "King Kong" (featuring Chamillionaire).
Biography
Jibbs was born in St. Louis, Missouri. He began rapping at a young age in order to impress his older brother DJ Beatz who, at this time, gained notoriety thanks to his collaboration with rappers Nelly and Chingy.
Jibbs subsequently signed with Geffen Records and released his debut album Jibbs feat. Jibbs on October 24, 2006. His debut single from the album, "Chain Hang Low", became the most downloaded rap song in August 2006.
In 2007, after filming the music video for "Smile", he took part in the Price of Fame tour with Bow Wow and Lloyd.
In June 2012, Jibbs released a free album titled Back 2 The American Dream.
Discography
Studio albums
Mixtapes
Round One (2009; hosted by DJ Twin)
Round Two (2011; hosted by DJ Twin & DJ 1Hunnit)
Singles
References
External links
1990 births
American male rappers
Living people
Rappers from St. Louis
21st-century American rappers
21st-century American male musicians
Pop rappers |
Thomas West of Poplar Neck (c. 1670 – 1710) was a planter, military officer and politician of King William County in the British Colony and Dominion of Virginia who for two consecutive terms represented the county in the House of Burgesses (1706–1706). He followed the planter, military officer and burgess traditions of his father John West and brothers John West and Nathaniel West. His wife Agnes bore a son, also Thomas West, who also served (briefly) in the House of Burgesses.
References
1670 births
1710 deaths
Virginia colonial people
House of Burgesses members
People from King William County, Virginia
Thomas West (captain) |
Confirmation is a bebop standard composed by saxophonist Charlie Parker in 1945. It is known as a challenging number due to its long, complex head and rapid chord changes, which feature an extended cycle of fifths (see Bird changes). Jazz educator Dariusz Terefenko has pointed out the speed and intricacy of "Confirmation's" "harmonic rhythm" (the rate and manner in which chords change underneath the melody), which he notes is typical of the bebop era.
The first recording of "Confirmation" was made by Dizzy Gillespie at a small group session for Dial Records by producer Ross Russell in February 1946 at which Parker was not present. Parker did not record a studio version of "Confirmation" until July 1953. However, Parker did play the piece frequently during live performances, and at least five live recordings of Parker performing "Confirmation" are known to exist. The earliest of these is a 1947 performance with Gillespie at Carnegie Hall.
The musicologist Henry Martin extensively analyses the piece in his 2020 book Charlie Parker, Composer. Martin wrote that the piece "may be Parker's finest display of compositional skill" and describes it as "combining wit, intricacy, and an originality of construction that Parker was unable to equal again". Gary Giddins describes it as an irresistibly bright and songful piece.
Martin Williams, writing in Down Beat Magazine in 1965, described "Confirmation" as a "continuous and linear invention"—in contrast to the construction of typical pop or jazz compositions, it skips along beautifully with no repeats. The last eight bars however form a type of repeat to finish the melodic line. Williams praised its ingenious and delightful melody. Brian Priestley in his biography of Parker, Chasin' the Bird: The Life and Legacy of Charlie Parker, writes that the first eight, the middle eight and the last eight bars are extremely closely related and finds that "it is instructive how one small difference necessitates another small difference which necessitates yet another small difference" in order to "maintain a perfect balance".
Ted Gioia included "Confirmation" in his 2012 analysis of jazz standards, The Jazz Standards: A Guide to the Repertoire. Gioia wrote that he marvels at "a piece that can sound so highly structured and spontaneous at the same time". Gioia wrote that "Confirmation" and Parker's "Donna Lee" could "almost serve a primer in modern jazz phrase construction".
The jazz singer Sheila Jordan sang a vocal version of "Confirmation", with lyrics by Skeeter Spight and Leroy Mitchell. Thelonious Monk would give his prospective piano students "Confirmation" and tell them to learn it in different keys.
Relation to song 'Twilight Time'
"Confirmation" is a partial contrafact of the 1944 song "Twilight Time" by Al Nevins and Buck Ram. Both pieces use an "AABA" thirty-two bar form, and the "A" sections of "Confirmation" closely match the harmonic progression of "Twilight Time." For the "B" section, Parker wrote his own chord changes that depart significantly from those of the "B" section of "Twilight Time."
Partial list of recordings
Joe Albany – Bird Lives (Interplay, 1979)
Art Blakey with Clifford Brown and Lou Donaldson – A Night at Birdland Vol. 2 (Blue Note, 1954)
Ron Carter – Carnaval (Galaxy, 1983)
Tommy Flanagan – Confirmation (Enja, 1976)
Dexter Gordon – Daddy Plays the Horn (Bethlehem, 1955)
Al Haig – Un Poco Loco (Spotlite, 1999)
John Lewis – Statements and Sketches for Development (Sony, 1976)
Warne Marsh – The Unissued Copenhagen Studio Recordings (Storyville, 1997)
Jackie McLean – 4, 5 and 6 (Prestige, 1956), Live at Montmartre (SteepleChase, 1972)
The Modern Jazz Quartet – Last Concert (Atlantic, 1974)
Charlie Parker & Dizzy Gillespie – Diz 'N Bird At Carnegie Hall (Roost, 1997)
Oscar Peterson – The London House Sessions (Polygram, 1961)
Bud Powell – Bud Plays Bird (Blue Note, 1997)
George Russell – George Russell Sextet at Beethoven Hall (MPS, 1965)
George Shearing and Hank Jones – The Spirit of 176 (Concord, 1988)
Gene Ammons – Boss Tenor (Prestige, 1960)
See also
List of 1940s jazz standards
References
1940s jazz standards
1946 compositions
Bebop jazz standards
Compositions by Charlie Parker
Jazz compositions |
Bulgheroni is a surname of Italian origin. Notable people with this surname include:
Alejandro Bulgheroni (born 1944), Argentine businessman in the oil and gas sector
Carlo Bulgheroni (1928–1971), Italian ice hockey player
Carlos Bulgheroni (1945–2016), Argentine businessman in the nation's energy sector
Italian-language surnames |
Juan'ya Green (born February 8, 1992) is an American basketball player, most recently as a member of Al Sadd in the Qatari Basketball League. He completed his college career in 2016 after having split his career playing for Niagara University and Hofstra University. Green went unselected in the ensuing 2016 NBA draft.
High school career
A native of Philadelphia, Pennsylvania, Green's played his prep years at Archbishop John Carroll High School. He had a successful career and garnered a number of awards and records, including: leaving as the school's all-time leading scorer (1,492 points); being named to the first-team All-Catholic League, all-city, and all-state honors as a senior; being named the Delco Times and Mainline Player of the Year as a senior; he was also named the Catholic League Co-Player of the Year in 2011; Green led Patriots to the Pennsylvania Interscholastic Athletic Association Class AAA state championship in 2009; and he also earned All-American honorable mention honors from Max Preps as a junior.
College career
Green began his college career playing for Niagara University. He and close childhood friend Ameen Tanksley had grown up talking about playing college basketball together, and they both fulfilled that promise by deciding to play for head coach Joe Mihalich. Green powered Niagara to good seasons in 2011–12 and 2012–13, where the Purple Eagles won the Metro Atlantic Athletic Conference (MAAC) regular season championship in the latter year. In 2011–12, Green was named the MAAC Rookie of the Year and was voted to the all-MAAC third-team. CollegeInsider.com named him their national freshman of the year. In the championship season, he moved up to become a first-team all-conference selection as just a sophomore. When Mihalich took a new head coaching job at Hofstra University following 2012–13, both Green and Tanksley decided to follow him to the new school. Green has already scored 1,131 points at Niagara, but due to NCAA regulations, he and Tanksley had to redshirt the 2013–14 season at Hofstra due to being transfer players.
Green became eligible to play for the Pride upon the 2014–15 season and made an immediate impact. He averaged 17.1 points per game and was named a first-team all-Colonial Athletic Association (CAA) player. Hofstra named him their winner of the annual James M. Shuart Award, given to the school's male student-athlete of the year. Despite his personal success on the court, the team itself struggled to 10 wins, largely due to fallout from a scandal the year before that had preceded Mihalich's tenure. The following year, Green's senior season, Hofstra went 14–4 in CAA play and shared the regular season championship with UNC Wilmington. His 17.8 points per game ranked second in the CAA, while his 7.1 assists per game ranked first in the conference and sixth nationally; Green also ranked third in the CAA with 1.6 steals per game. On December 28, 2015, he recorded the first triple-double in Hofstra history after compiling 15 points, 10 rebounds, and 10 assists against LIU Brooklyn. Less than six weeks later, on February 7, 2016, Green made history again. He scored his 1,000th career point in a Hofstra uniform, becoming just the fourth men's basketball player in NCAA Division I history to score 1,000 points at two different schools. Toward the end of the season Green was named the Colonial Athletic Association Player of the Year and received 35 out of 40 possible votes. Among other national honors, the Associated Press named Green to the honorable mention All-America team. Green left Hofstra with 1,186 points (22nd in school history as of his graduation), 463 assists (sixth in program history), and the single-season assists record holder after he accumulated 243 in 2015–16. Overall, Green finished his college career with 2,317 points, 773 assists, 531 rebounds, and 230 steals.
Professional career
Green went undrafted in the 2016 NBA draft despite his college success. He started his pro career with the newly promoted to the Greek Basket League club Kymis.
Footnotes
Others include Joe Manning (Oklahoma City / North Texas), Kenny Battle (Northern Illinois / Illinois), and Gary Neal (La Salle / Towson). At the time Manning played for Oklahoma City it was still classified as a Division I school by the NCAA.
References
1992 births
Living people
Al Sadd Doha basketball players
American expatriate basketball people in Finland
American expatriate basketball people in Greece
American expatriate basketball people in Hungary
American expatriate basketball people in Qatar
American men's basketball players
Archbishop John Carroll High School alumni
Basketball players from Philadelphia
Hofstra Pride men's basketball players
Kecskeméti TE (basketball) players
Kymis B.C. players
Niagara Purple Eagles men's basketball players
Point guards
Shooting guards
Tampereen Pyrintö players |
Michael McLeod (born September 6, 1959) is a Canadian politician, currently serving as a member of Parliament representing the Northwest Territories. He was first elected in the 2015 Canadian federal election, unseating Dennis Bevington, who was the incumbent New Democratic Party MP for the riding. McLeod was a former member of the Legislative Assembly of the Northwest Territories, Canada, as well as the former mayor of Fort Providence.
Political career
McLeod was born in Fort Providence, Northwest Territories. When he was 22, he served as a mayor of Fort Providence after being chosen by the local Dene council.
McLeod first ran for a seat in the 1999 Northwest Territories general election. He won an upset election defeating Speaker Samuel Gargan to win the Deh Cho electoral district. He was re-elected in the 2003 Northwest Territories general election winning a hotly contested election over challenger Michael Nadli by just 13 votes.
McLeod was returned by acclamation in the 2007 Northwest Territories general election, and served in cabinet as Minister of Transportation and Minister of Public Works and Services. He was defeated by Michael Nadli in the 2011 election.
After his defeat in 2011, McLeod became the director of the Mackenzie River Environmental Impact Review Board and worked to promote tourism in the South Slave for the territorial government. He won the Liberal Party of Canada nomination for the Northwest Territories riding for the 2015 Canadian federal election over Gail Cyr, after a third competitor, Kieron Testart, withdrew from the race and endorsed McLeod. On October 19, 2015, McLeod defeated New Democrat incumbent Dennis Bevington to win the seat.
McLeod was re-elected in the 2019 federal election.
His brother Bob McLeod was a member of the legislature and Premier of the NWT (2011–2019).
Electoral record
Federal
Territorial
References
External links
Michael McLeod biography
1959 births
20th-century Canadian politicians
21st-century Canadian politicians
20th-century First Nations people
21st-century First Nations people
Dene people
Indigenous Members of the House of Commons of Canada
Liberal Party of Canada MPs
Living people
Mayors of places in the Northwest Territories
Members of the Executive Council of the Northwest Territories
Members of the Legislative Assembly of the Northwest Territories
Métis politicians
Members of the House of Commons of Canada from the Northwest Territories |
Piratininga crater is a diameter circular feature in the Paraná Basin of São Paulo State in Brazil. It is a possible impact crater, but further investigation is needed to obtain more information on the structure. The Russian Academy of Sciences listed the structure as a probable impact crater in 2017, but as questionable in 2019.
Description
The Piratininga crater is located in São Paulo State, Brazil. The structure was identified in the 1970s. The crater is heavily eroded and has a topographic difference between the centre and rim of the crater. The structure is analysed with aeromagnetic and seismic surveys. The identified structures are not conclusive for an impact crater and more research is needed. Normal faults have been registered in the east of the structure with smaller faults located in the west. The age has been estimated at Cretaceous, and possibly the Aptian, around 117 Ma.
See also
List of possible impact structures on Earth
List of impact craters in South America
Cerro do Jarau crater
Santa Marta crater
References
Bibliography
Impact craters of Brazil
Possible impact craters on Earth
Cretaceous impact craters
Cretaceous Brazil
Craters |
```c++
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "base/trace_event/memory_dump_request_args.h"
#include "base/logging.h"
namespace base {
namespace trace_event {
// static
const char* MemoryDumpTypeToString(const MemoryDumpType& dump_type)
{
switch (dump_type) {
case MemoryDumpType::TASK_BEGIN:
return "task_begin";
case MemoryDumpType::TASK_END:
return "task_end";
case MemoryDumpType::PERIODIC_INTERVAL:
return "periodic_interval";
case MemoryDumpType::EXPLICITLY_TRIGGERED:
return "explicitly_triggered";
}
NOTREACHED();
return "unknown";
}
const char* MemoryDumpLevelOfDetailToString(
const MemoryDumpLevelOfDetail& level_of_detail)
{
switch (level_of_detail) {
case MemoryDumpLevelOfDetail::LIGHT:
return "light";
case MemoryDumpLevelOfDetail::DETAILED:
return "detailed";
}
NOTREACHED();
return "unknown";
}
MemoryDumpLevelOfDetail StringToMemoryDumpLevelOfDetail(
const std::string& str)
{
if (str == "light")
return MemoryDumpLevelOfDetail::LIGHT;
if (str == "detailed")
return MemoryDumpLevelOfDetail::DETAILED;
NOTREACHED();
return MemoryDumpLevelOfDetail::LAST;
}
} // namespace trace_event
} // namespace base
``` |
Mercury(I) sulfate, commonly called mercurous sulphate (UK) or mercurous sulfate (US) is the chemical compound Hg2SO4. Mercury(I) sulfate is a metallic compound that is a white, pale yellow or beige powder. It is a metallic salt of sulfuric acid formed by replacing both hydrogen atoms with mercury(I). It is highly toxic; it could be fatal if inhaled, ingested, or absorbed by skin.
Structure
In the crystal, mercurous sulfate is made up of Hg22+ center with an Hg-Hg distance of about 2.50 Å. The SO42− anions form both long and short Hg-O bonds ranging from 2.23 to 2.93 Å.
Focusing on the shorter Hg-O bonds, the Hg – Hg – O bond angle is 165°±1°.
Preparation
One way to prepare mercury(I) sulfate is to mix the acidic solution of mercury(I) nitrate with 1 to 6 sulfuric acid solution:,
Hg2(NO3)2 + H2SO4 → Hg2SO4 + 2 HNO3
It can also be prepared by reacting an excess of mercury with concentrated sulfuric acid:
2 Hg + 2 H2SO4 → Hg2SO4 + 2 H2O + SO2
Use in electrochemical cells
Mercury(I) sulfate is often used in electrochemical cells. It was first introduced in electrochemical cells by Latimer Clark in 1872, It was then alternatively used in Weston cells made by George Augustus Hulett in 1911. It has been found to be a good electrode at high temperatures above 100 °C along with silver sulfate.
Mercury(I) sulfate has been found to decompose at high temperatures. The decomposition process is endothermic, and it occurs between 335 °C and 500 °C.
Mercury(I) sulfate has unique properties that make the standard cells possible. It has a rather low solubility (about one gram per liter); diffusion from the cathode system is not excessive; and it is sufficient to give a large potential at a mercury electrode.
References
Sulfates
Mercury(I) compounds |
Aquadale is an unincorporated community and census-designated place in Stanly County, North Carolina, United States. Its population was 397 as of the 2010 census.
Demographics
Notes
Unincorporated communities in Stanly County, North Carolina
Census-designated places in North Carolina
Census-designated places in Stanly County, North Carolina
Unincorporated communities in North Carolina |
The vice-chancellor of the University of Calcutta, a university in Kolkata, India, is the executive head of the university. Following the establishment in 1857, James William Colvile served as the first vice-chancellor of the university.
List of vice-chancellors
References
University of Calcutta
Vice-Chancellors by university in India |
Louis Schwabe (1798-1845) was a manufacturer of silk and artificial silk fabrics in Manchester. He was noted for his pioneering work in the use of spinnerets for the production of an artificial glass based yarn.
References
Textile engineering
Textile workers
People of the Industrial Revolution
1798 births
1845 deaths |
Blizhnyaya Kardanka () is a rural locality (a village) in Ankhimovskoye Rural Settlement, Vytegorsky District, Vologda Oblast, Russia. The population was 2 as of 2002.
Geography
Blizhnyaya Kardanka is located 13 km southeast of Vytegra (the district's administrative centre) by road. Belousovo is the nearest rural locality.
References
Rural localities in Vytegorsky District |
Stewart Phillip "Frank" Abbott (6 July 1885 – 4 August 1947) was an Australian rules footballer who played with Fitzroy. In between his two stints for Fitzroy, he played for Essendon Town in the VFA.
References
External links
Frank Abbott's playing statistics from The VFA Project
1885 births
Australian rules footballers from Melbourne
Fitzroy Football Club players
Essendon Association Football Club players
1947 deaths
People from Fitzroy, Victoria |
```go
package shared
import (
"github.com/jaegertracing/jaeger/storage/dependencystore"
"github.com/jaegertracing/jaeger/storage/spanstore"
)
// StoragePlugin is the interface we're exposing as a plugin.
type StoragePlugin interface {
SpanReader() spanstore.Reader
SpanWriter() spanstore.Writer
DependencyReader() dependencystore.Reader
}
// ArchiveStoragePlugin is the interface we're exposing as a plugin.
type ArchiveStoragePlugin interface {
ArchiveSpanReader() spanstore.Reader
ArchiveSpanWriter() spanstore.Writer
}
// StreamingSpanWriterPlugin is the interface we're exposing as a plugin.
type StreamingSpanWriterPlugin interface {
StreamingSpanWriter() spanstore.Writer
}
// PluginCapabilities allow expose plugin its capabilities.
type PluginCapabilities interface {
Capabilities() (*Capabilities, error)
}
// Capabilities contains information about plugin capabilities
type Capabilities struct {
ArchiveSpanReader bool
ArchiveSpanWriter bool
StreamingSpanWriter bool
}
// PluginServices defines services plugin can expose
type PluginServices struct {
Store StoragePlugin
ArchiveStore ArchiveStoragePlugin
StreamingSpanWriter StreamingSpanWriterPlugin
}
``` |
The IND World's Fair Line, officially the World's Fair Railroad, was a temporary branch of the Independent Subway System (IND) serving the 1939 New York World's Fair in Queens, New York City. It split from the IND Queens Boulevard Line at an existing flying junction east of Forest Hills–71st Avenue station, ran through the Jamaica Yard and then ran northeast and north through Flushing Meadows–Corona Park, roughly along the current path of the Van Wyck Expressway. The line continued along a wooden trestle to the World's Fair Railroad Station, located slightly south of Horace Harding Boulevard (now the Long Island Expressway). The World's Fair station, the only one on the line, consisted of two tracks and three platforms.
The line was planned beginning in 1936, and it was constructed in 1938. The line and station were only open in 1939 and 1940 during the Fair's operating season. Passengers had to pay a ten-cent fare to use this line, double the subway's standard five-cent fare. This was not the only line to serve the world's fair. The Interborough Rapid Transit and the Brooklyn Manhattan Transit operated service to the Fair via the World's Fair station of their joint-operated IRT Flushing Line. The World's Fair Railroad and station are the only IND line and station to have been closed and demolished. Remnants of the line are still present in the Jamaica Yard.
History
In 1935, New York City Parks Commissioner Robert Moses selected the then-new Flushing Meadows–Corona Park in central Queens for what would become the 1939 New York World's Fair. In December 1936, the Board of Transportation and the New York State Transit Commission sent a request to the New York City Board of Estimate in order to have adequate rapid transit facilities to handle World's Fair crowds when the fair opened in 1939. An extension of the city-operated Independent Subway System (IND) to the World's Fair was part of this plan. It was facilitated by the extension of the Queens Boulevard Line to Union Turnpike and the nearby Jamaica storage yard, all of which had opened at the end of December 1936. It was originally expected that the World's Fair spur would cost about $1.2 million, of which $700,000 was allocated on construction and $500,000 was allocated for equipment. However, it ended up costing $1.7 million. For legal and financial reasons, the line was called the "World's Fair Railroad" and was considered a separate entity from the IND. Part of this designation included the state legislation approving the "double-fare" for the line (see ).
The Board of Transportation awarded the contract for the IND World's Fair Line on October 26, 1937, to the P. T. Cox Contracting Company. The company had been the lowest bidder for the contract, having offered to construct the trestle for the World's Fair Line at a cost of $308,770. The World's Fair extension was opposed by Parks Commissioner Moses, who believed the new subway spur would be "extravagant and wasteful".
During the line's planning stages in 1937, the Board of Estimate considered making the line a permanent connection to Flushing Meadows Park following the end of the fair. They also looked at the possibility of intermediate stations along the line to serve the local areas, comprising what is now Kew Gardens Hills and Flushing. The upgrades to make the line permanent would have cost around $6 million. However, it was determined to be impractical due to the absence of permanent attractions in the park at the time; these attractions, such as the Citi Field baseball park and the USTA National Tennis Center, were not added until later.
In early 1938, construction on the IND World's Fair Line began. It originated at the Queens Boulevard portal of Jamaica Yard as a continuation of the tracks that diverged from the Queens Boulevard Line east of 71st−Continental Avenues. The line ran along the eastern edge of Flushing Meadows–Corona Park for to approximately what is now the interchange of the Long Island Expressway and the Van Wyck Expressway. The line consisted of two tracks ending in a stub-end terminal called World's Fair Station. The marshy swampland in the line's right-of-way was filled in, and a trestle was built over the landfill. The line was designed to be removed following the fair in 1940.
Test trains on the IND World's Fair Line were run beginning on April 22, 1939, and the line opened on April 30, 1939. The local train mostly serviced the line, running between Smith–Ninth Streets and the World's Fair Station. Additional express service ran between World's Fair Station and Hudson Terminal during afternoon rush hours and evenings. Passengers on the E or F trains who were not going to the Fair would transfer at Continental Avenue. Service generally ran until 1:30am.
The 1939 World's Fair had two seasons: one each in 1939 and 1940, which ended in the fall months of the year. Service for the first season ended on November 1, 1939, and during this season the line's ridership was 7,066,966. The IND World's Fair Line was closed between seasons, and at the end of the Fair the line was set to be demolished. The last train ran on October 28, 1940, the day after the closure of the Fair. While most of the fairgrounds were torn down soon after the event, the line remained intact for several months afterward. Queens borough president George U. Harvey proposed extending the line to serve the then-developing neighborhoods of Flushing, College Point, and Whitestone, along with the recently opened Queens College. This plan was supported by the local communities, elected officials in Queens, and the president of Queens College. It was deemed to be unfeasible, however, by the Board of Transportation due to the fact that the trestle was constructed to be temporary, and due to regulations at the time which required permanent lines for subway service to be built underground. Parks and highway commissioner Robert Moses, meanwhile, wished to utilize the right-of-way for the further development of Flushing Meadows Park and the extension of the Van Wyck Expressway towards the Whitestone Expressway and the Whitestone Bridge. Demolition of the line was authorized in December 1940, and on January 15, 1941, removal of the line commenced. The right-of-way was replaced with an extension of 136th Street, and eventually the northern portion of the Van Wyck Expressway which formed today's Interstate 678. Seven train signals that were modified for the World's Fair Line still exist along the Jamaica Yard's track connections to the Queens Boulevard Line. Instead of controlling the speeds of passenger trains, these signals are now used to control the speeds of yard traffic.
Preparation for the 1964 World's Fair started in 1960. An extension of the IND Queens Boulevard Line to the fair grounds was considered. Robert Moses, who was going to take over as president of the World's Fair on May 15, 1960, rejected the proposal once he found out that the line would have cost $10 million. In the end, improved Flushing Line service, and increased E, F, and GG service on the Queens Boulevard Line would provide improved transportation facilities for the fair.
Station
The World's Fair station was the line's northern terminus and its sole station, located in the Amusement Area of the World's Fair. The station was a temporary stub-end terminal with two tracks and three platforms, organized in a Spanish solution. A third siding was built south of the station. The stop was alternately named the Horace Harding Boulevard station, after the avenue where it was located. It was open for only nineteen months, from April 30, 1939, to October 28, 1940.
To enter the station, an additional 5-cent fare was charged on top of the standard nickel fare. Eighteen special turnstiles were used at the World's Fair station that permitted traffic flow in both directions and accepted two different fares depending on the direction of travel. Fairgoers disembarking from trains paid a nickel as they exited through the turnstiles while passengers entering the station from the fairgrounds paid a ten-cent fare upon passing through the turnstiles. The double-fare was instituted to avoid a financial deficit. A double fare was later implemented on stations of the IND Rockaway Line, which opened in 1956 and used this fare system until 1975.
Competing IRT and BMT service
The Interborough Rapid Transit Company (IRT) and Brooklyn–Manhattan Transit Corporation (BMT) also served the World's Fair, but did so directly with World's Fair (now Mets–Willets Point) station on the dual-operated Flushing Line, which was rebuilt into an express station for the Fair. A Long Island Rail Road station, the current Mets–Willets Point station, was built next to the Flushing Line station.
Notes
References
External links
1939 Rapid Transit Map of Greater New York
O Gauge Railroading Forum - Vestiges of World's Fair spur
World's Fair
1939 New York World's Fair
World's Fair |
The UK Work Permit scheme was an immigration category used to encourage skilled workers to enter the United Kingdom (UK) until November 2008, when it was replaced by the points-based immigration system. It provided an opportunity for overseas citizens seeking to gain valuable international work experience in the UK and was often used to enable UK employers to transfer key personnel to the UK from outside the European Economic Area (EEA) region.
A valid job offer from a viable employer in the UK is a requirement for a work permit. A UK work permit is granted to a specific person for a specific role within a specific company and the permit holder must be able to accommodate and support themselves and any dependants without recourse to public funds. The application for a work permit must be made by the sponsoring company. The Highly Skilled Migrant Programme may be available to potential immigrants without a job offer.
A work-permit-holder can apply for their dependants to join them in the UK, and their dependants will be able to work in the UK without restriction.
In order to change employer, a prospective employer will need to apply to the UK Border Agency to transfer the work permit prior to starting work with the new employer.
Eligibility
Duration
A work permit can be issued for any period of time between 1 month to 3 months. The duration of the work permit is dependent on the length of time requested by the sponsoring company, and is also at the discretion of the Home Office. A permit holder will be "locked-in" to their employer for the duration of the visa. Moving to another employer requires another application to be made.
Position
The position for which the work permit is required must meet National Vocational Qualification (NVQ) level 3 and above. For work in a certain professions, registration with the governing body of that profession may be required. For example, doctors must be General Medical Council (GMC) registered.
Education
Eligibility for a work permit requires:
A degree; or
A Higher National Diploma (HND) level qualification which is relevant to the position on offer; or
An HND level qualification which is not relevant to the position on offer plus one year of relevant full-time work experience at NVQ level 3 and above; or
Additional information
Entry clearance/leave to remain
Once a work permit has been authorised it is the responsibility of the work permit holder (not the employer's responsibility), to apply for the correct leave in order to validate the work permit. This would be in the form of either a Leave to Remain application (if eligible to switch in the United Kingdom) to the United Kingdom Home Office, or an application for entry clearance (if overseas) to the nearest British High Commission/Embassy in the country of the worker's legal residence.
Shortage occupations
If the position for which the prospective employer is seeking a work permit is on the shortage occupation list, there is no requirement for the employer to meet the advertising criteria set by Work Permits (UK). Otherwise the employer will need to advertise for the position in a government accredited place - a broadsheet paper, online etc. This advert will have to be 'live' for a set period of time and the employer will have to prove that the applicant is the most qualified for that position.
The work permit shortage occupations list contains jobs within the engineering, healthcare, and other professions.
Spouse/civil partners
A work permit holder's partner may apply for entry clearance as a dependant on the work permit provided that they are either married or have entered into a civil partnership. The permit holder and their partner must demonstrate that they intend to live together in the United Kingdom and that a marriage or civil partnership subsists.
The partner of a work permit dependant visa holder will eligible to seek and take employment in the United Kingdom.
Developments under the points-based system
During the third quarter of 2008, the Work Permit scheme was scrapped and it became part of Tier 2 of the new points-based immigration system, the tier for skilled workers. Tier 2 also replaced the existing provisions for ministers of religion, airport-based operational ground staff, overseas qualified nurse or midwife, student union sabbatical posts, seafarers, named researchers, Training and Work Experience Scheme (TWES), Jewish agency employees, and overseas representatives (news media).
Future outside the EU
When Britain leaves the EU, citizens of the EU might need a work permit in the UK. If Britain gets an EEA agreement, they probably won't need a permit, in the same way as citizens of Norway don't need it. Without an EEA agreement, citizens of the EU will probably need work permits, in the same way as Swiss citizens who do need a permit, which other citizens like Serbians (Serbia is negotiating for EU membership) also need. Same principles will apply for Britons in EU countries as the other way around, that is depending on an EEA agreement.
See also
Points-based immigration system (United Kingdom)
Office of the Immigration Services Commissioner
Immigration Law Practitioners Association
References
Immigration to the United Kingdom |
Carlos Eduardo Peruena Rodríguez (13 March 1955 – 2 June 2018), known as "Toto", was a Uruguayan football defender.
Biography
He began his career in youth teams of Uruguayan club C.A. Peñarol, from which he was bought in 1978 for 15 million pesetas by Spanish outfit Real Betis. He played 83 league games for Betis, scoring 2 goals. In 1982 he joined Oviedo, making his debut for the team on 5 September 1982 against Linares in Segunda División match (3:0), scoring the second goal of the match. Later in his career he played for Granada. His last clubs were Olimpia Asunción from Paraguay and Cerrito from Uruguay. In 1988 he settled in Venezuela, living here for 3 decades and became youth coach in Club Deportivo Español de Barinas. The last years of his life he faced serious health problems, after it was being discovered that he had a tumor, and heart problems, which prevented the surgery operation.
Carlos Peruena died on 2 June, 2018 from heart failure in Barinas, Venezuela.
International career
Peruena made 4 appearances for the Uruguay national football team from 1975 to 1978, and was the participant of Copa América 1975 tournament.
References
External links
Official Website Of Real Betis Balompié S.A.D.
Profile At LFP.es
1955 births
2018 deaths
Uruguayan men's footballers
Uruguay men's international footballers
Peñarol players
Real Betis players
La Liga players
People from Florida Department
Men's association football defenders
Expatriate men's footballers in Venezuela
Expatriate men's footballers in Spain
Expatriate men's footballers in Paraguay |
```javascript
/* global jest */
jest.autoMockOff()
const defineTest = require('jscodeshift/dist/testUtils').defineTest
const fixtures = [
'function-component',
'function-component-2',
'function-component-ignore',
'function-expression',
'function-expression-ignore',
'existing-name',
'existing-name-2',
'existing-name-3',
'existing-name-ignore',
'1-starts-with-number',
'special-ch@racter',
]
fixtures.forEach((test) =>
defineTest(
__dirname,
'name-default-component',
null,
`name-default-component/${test}`
)
)
``` |
```go
/*
path_to_url
Unless required by applicable law or agreed to in writing, software
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
*/
// Code generated by applyconfiguration-gen. DO NOT EDIT.
package v1beta1
import (
v1beta1 "k8s.io/api/storage/v1beta1"
)
// CSIDriverSpecApplyConfiguration represents a declarative configuration of the CSIDriverSpec type for use
// with apply.
type CSIDriverSpecApplyConfiguration struct {
AttachRequired *bool `json:"attachRequired,omitempty"`
PodInfoOnMount *bool `json:"podInfoOnMount,omitempty"`
VolumeLifecycleModes []v1beta1.VolumeLifecycleMode `json:"volumeLifecycleModes,omitempty"`
StorageCapacity *bool `json:"storageCapacity,omitempty"`
FSGroupPolicy *v1beta1.FSGroupPolicy `json:"fsGroupPolicy,omitempty"`
TokenRequests []TokenRequestApplyConfiguration `json:"tokenRequests,omitempty"`
RequiresRepublish *bool `json:"requiresRepublish,omitempty"`
SELinuxMount *bool `json:"seLinuxMount,omitempty"`
}
// CSIDriverSpecApplyConfiguration constructs a declarative configuration of the CSIDriverSpec type for use with
// apply.
func CSIDriverSpec() *CSIDriverSpecApplyConfiguration {
return &CSIDriverSpecApplyConfiguration{}
}
// WithAttachRequired sets the AttachRequired field in the declarative configuration to the given value
// and returns the receiver, so that objects can be built by chaining "With" function invocations.
// If called multiple times, the AttachRequired field is set to the value of the last call.
func (b *CSIDriverSpecApplyConfiguration) WithAttachRequired(value bool) *CSIDriverSpecApplyConfiguration {
b.AttachRequired = &value
return b
}
// WithPodInfoOnMount sets the PodInfoOnMount field in the declarative configuration to the given value
// and returns the receiver, so that objects can be built by chaining "With" function invocations.
// If called multiple times, the PodInfoOnMount field is set to the value of the last call.
func (b *CSIDriverSpecApplyConfiguration) WithPodInfoOnMount(value bool) *CSIDriverSpecApplyConfiguration {
b.PodInfoOnMount = &value
return b
}
// WithVolumeLifecycleModes adds the given value to the VolumeLifecycleModes field in the declarative configuration
// and returns the receiver, so that objects can be build by chaining "With" function invocations.
// If called multiple times, values provided by each call will be appended to the VolumeLifecycleModes field.
func (b *CSIDriverSpecApplyConfiguration) WithVolumeLifecycleModes(values ...v1beta1.VolumeLifecycleMode) *CSIDriverSpecApplyConfiguration {
for i := range values {
b.VolumeLifecycleModes = append(b.VolumeLifecycleModes, values[i])
}
return b
}
// WithStorageCapacity sets the StorageCapacity field in the declarative configuration to the given value
// and returns the receiver, so that objects can be built by chaining "With" function invocations.
// If called multiple times, the StorageCapacity field is set to the value of the last call.
func (b *CSIDriverSpecApplyConfiguration) WithStorageCapacity(value bool) *CSIDriverSpecApplyConfiguration {
b.StorageCapacity = &value
return b
}
// WithFSGroupPolicy sets the FSGroupPolicy field in the declarative configuration to the given value
// and returns the receiver, so that objects can be built by chaining "With" function invocations.
// If called multiple times, the FSGroupPolicy field is set to the value of the last call.
func (b *CSIDriverSpecApplyConfiguration) WithFSGroupPolicy(value v1beta1.FSGroupPolicy) *CSIDriverSpecApplyConfiguration {
b.FSGroupPolicy = &value
return b
}
// WithTokenRequests adds the given value to the TokenRequests field in the declarative configuration
// and returns the receiver, so that objects can be build by chaining "With" function invocations.
// If called multiple times, values provided by each call will be appended to the TokenRequests field.
func (b *CSIDriverSpecApplyConfiguration) WithTokenRequests(values ...*TokenRequestApplyConfiguration) *CSIDriverSpecApplyConfiguration {
for i := range values {
if values[i] == nil {
panic("nil value passed to WithTokenRequests")
}
b.TokenRequests = append(b.TokenRequests, *values[i])
}
return b
}
// WithRequiresRepublish sets the RequiresRepublish field in the declarative configuration to the given value
// and returns the receiver, so that objects can be built by chaining "With" function invocations.
// If called multiple times, the RequiresRepublish field is set to the value of the last call.
func (b *CSIDriverSpecApplyConfiguration) WithRequiresRepublish(value bool) *CSIDriverSpecApplyConfiguration {
b.RequiresRepublish = &value
return b
}
// WithSELinuxMount sets the SELinuxMount field in the declarative configuration to the given value
// and returns the receiver, so that objects can be built by chaining "With" function invocations.
// If called multiple times, the SELinuxMount field is set to the value of the last call.
func (b *CSIDriverSpecApplyConfiguration) WithSELinuxMount(value bool) *CSIDriverSpecApplyConfiguration {
b.SELinuxMount = &value
return b
}
``` |
```java
package com.example.gsyvideoplayer;
import android.content.Context;
import android.os.Build;
import android.os.Bundle;
import androidx.appcompat.app.AppCompatActivity;
import android.transition.Explode;
import android.view.LayoutInflater;
import android.view.View;
import android.view.ViewGroup;
import android.view.Window;
import android.widget.AbsListView;
import android.widget.BaseAdapter;
import android.widget.ListView;
import com.example.gsyvideoplayer.databinding.ActivityListVideoBinding;
import com.example.gsyvideoplayer.model.VideoModel;
import com.example.gsyvideoplayer.video.RequestListADVideoPlayer;
import com.example.gsyvideoplayer.video.SampleCoverVideo;
import com.shuyu.gsyvideoplayer.GSYVideoADManager;
import com.shuyu.gsyvideoplayer.GSYVideoManager;
import com.shuyu.gsyvideoplayer.listener.GSYSampleCallBack;
import com.shuyu.gsyvideoplayer.video.GSYADVideoPlayer;
import com.shuyu.gsyvideoplayer.video.StandardGSYVideoPlayer;
import java.util.ArrayList;
import java.util.List;
/**
*
*/
public class ListADVideoActivity2 extends AppCompatActivity {
ListADNormalAdapter listADNormalAdapter;
ActivityListVideoBinding binding;
@Override
protected void onCreate(Bundle savedInstanceState) {
// exit transition
if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.LOLLIPOP) {
getWindow().requestFeature(Window.FEATURE_CONTENT_TRANSITIONS);
getWindow().setEnterTransition(new Explode());
getWindow().setExitTransition(new Explode());
}
super.onCreate(savedInstanceState);
binding = ActivityListVideoBinding.inflate(getLayoutInflater());
View rootView = binding.getRoot();
setContentView(rootView);
listADNormalAdapter = new ListADNormalAdapter(this);
binding.videoList.setAdapter(listADNormalAdapter);
binding.videoList.setOnScrollListener(new AbsListView.OnScrollListener() {
@Override
public void onScrollStateChanged(AbsListView view, int scrollState) {
}
@Override
public void onScroll(AbsListView view, int firstVisibleItem, int visibleItemCount, int totalItemCount) {
int lastVisibleItem = firstVisibleItem + visibleItemCount;
//0
if (GSYVideoManager.instance().getPlayPosition() >= 0) {
//
int position = GSYVideoManager.instance().getPlayPosition();
//TAG
if (GSYVideoManager.instance().getPlayTag().equals(ListADNormalAdapter.TAG)
&& (position < firstVisibleItem || position > lastVisibleItem)) {
//
//
if (GSYVideoADManager.instance().listener() != null) {
GSYVideoADManager.instance().listener().onAutoCompletion();
}
GSYVideoADManager.releaseAllVideos();
GSYVideoManager.releaseAllVideos();
listADNormalAdapter.notifyDataSetChanged();
}
}
}
});
}
@Override
public void onBackPressed() {
if (GSYVideoADManager.backFromWindowFull(this)) {
return;
}
if (GSYVideoManager.backFromWindowFull(this)) {
return;
}
super.onBackPressed();
}
@Override
protected void onPause() {
super.onPause();
GSYVideoManager.onPause();
GSYVideoADManager.onPause();
}
@Override
protected void onResume() {
super.onResume();
GSYVideoManager.onResume();
GSYVideoADManager.onResume();
}
@Override
protected void onDestroy() {
super.onDestroy();
GSYVideoManager.releaseAllVideos();
GSYVideoADManager.releaseAllVideos();
}
public class ListADNormalAdapter extends BaseAdapter {
public static final String TAG = "ListADNormalAdapter";
private List<VideoModel> list = new ArrayList<>();
private LayoutInflater inflater = null;
private Context context;
public ListADNormalAdapter(Context context) {
super();
this.context = context;
inflater = LayoutInflater.from(context);
for (int i = 0; i < 40; i++) {
list.add(new VideoModel());
}
}
@Override
public int getCount() {
return list.size();
}
@Override
public Object getItem(int position) {
return null;
}
@Override
public long getItemId(int position) {
return 0;
}
@Override
public View getView(final int position, View convertView, ViewGroup parent) {
final ViewHolder holder;
if (convertView == null) {
holder = new ViewHolder();
convertView = inflater.inflate(R.layout.list_video_item_ad2, null);
holder.gsyVideoPlayer = (SampleCoverVideo) convertView.findViewById(R.id.video_item_player);
holder.adVideoPlayer = (RequestListADVideoPlayer) convertView.findViewById(R.id.video_ad_player);
convertView.setTag(holder);
} else {
holder = (ViewHolder) convertView.getTag();
}
final String url = "path_to_url";
final String urlAD = "path_to_url";
//setUpLazysetUpgetGSYVideoManager()
holder.gsyVideoPlayer.setPlayTag(TAG);
holder.gsyVideoPlayer.setPlayPosition(position);
boolean isPlaying = holder.gsyVideoPlayer.getCurrentPlayer().isInPlayingState();
if (!isPlaying) {
holder.gsyVideoPlayer.setUpLazy(url, false, null, null, "title");
}
boolean isADPlaying = holder.adVideoPlayer.getCurrentPlayer().isInPlayingState();
if (!isADPlaying) {
holder.adVideoPlayer.setUpLazy(urlAD, false, null, null, "title");
}
//title
holder.gsyVideoPlayer.getTitleTextView().setVisibility(View.GONE);
//
holder.gsyVideoPlayer.getBackButton().setVisibility(View.GONE);
//
holder.gsyVideoPlayer.getFullscreenButton().setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
resolveFullBtn(holder.gsyVideoPlayer);
}
});
holder.adVideoPlayer.getFullscreenButton().setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
resolveFullBtn(holder.adVideoPlayer);
}
});
holder.gsyVideoPlayer.setRotateViewAuto(false);
holder.adVideoPlayer.setRotateViewAuto(false);
holder.gsyVideoPlayer.setLockLand(true);
holder.adVideoPlayer.setLockLand(true);
holder.gsyVideoPlayer.setReleaseWhenLossAudio(false);
holder.adVideoPlayer.setReleaseWhenLossAudio(false);
holder.gsyVideoPlayer.setShowFullAnimation(false);
holder.adVideoPlayer.setShowFullAnimation(false);
holder.gsyVideoPlayer.setIsTouchWiget(false);
holder.adVideoPlayer.setIsTouchWiget(false);
holder.gsyVideoPlayer.setNeedLockFull(true);
if (position % 2 == 0) {
holder.gsyVideoPlayer.loadCoverImage(url, R.mipmap.xxx1);
} else {
holder.gsyVideoPlayer.loadCoverImage(url, R.mipmap.xxx2);
}
holder.gsyVideoPlayer.setVideoAllCallBack(new GSYSampleCallBack() {
@Override
public void onClickStartIcon(String url, Object... objects) {
super.onClickStartIcon(url, objects);
if (holder.adVideoPlayer.getGSYVideoManager().listener() != null) {
holder.adVideoPlayer.getGSYVideoManager().listener().onAutoCompletion();
}
}
@Override
public void onPrepared(String url, Object... objects) {
super.onPrepared(url, objects);
if (isNeedAdOnStart()) {
holder.gsyVideoPlayer.getCurrentPlayer().onVideoPause();
startAdPlay(holder.adVideoPlayer, holder.gsyVideoPlayer);
}
}
@Override
public void onQuitFullscreen(String url, Object... objects) {
super.onQuitFullscreen(url, objects);
}
@Override
public void onEnterFullscreen(String url, Object... objects) {
super.onEnterFullscreen(url, objects);
holder.gsyVideoPlayer.getCurrentPlayer().getTitleTextView().setText((String) objects[0]);
}
@Override
public void onAutoComplete(String url, Object... objects) {
super.onAutoComplete(url, objects);
}
});
holder.adVideoPlayer.setVideoAllCallBack(new GSYSampleCallBack() {
@Override
public void onAutoComplete(String url, Object... objects) {
//
holder.adVideoPlayer.getCurrentPlayer().release();
holder.adVideoPlayer.onVideoReset();
holder.adVideoPlayer.setVisibility(View.GONE);
//
int playPosition = holder.gsyVideoPlayer.getGSYVideoManager().getPlayPosition();
if (position == playPosition) {
holder.gsyVideoPlayer.getCurrentPlayer().startAfterPrepared();
}
if (holder.adVideoPlayer.getCurrentPlayer().isIfCurrentIsFullscreen()) {
holder.adVideoPlayer.removeFullWindowViewOnly();
if (!holder.gsyVideoPlayer.getCurrentPlayer().isIfCurrentIsFullscreen()) {
resolveFullBtn(holder.gsyVideoPlayer);
holder.gsyVideoPlayer.setSaveBeforeFullSystemUiVisibility(holder.adVideoPlayer.getSaveBeforeFullSystemUiVisibility());
}
}
}
@Override
public void onQuitFullscreen(String url, Object... objects) {
//
if (holder.gsyVideoPlayer.isIfCurrentIsFullscreen()) {
holder.gsyVideoPlayer.onBackFullscreen();
}
}
});
return convertView;
}
/**
*
*/
private void resolveFullBtn(final StandardGSYVideoPlayer standardGSYVideoPlayer) {
standardGSYVideoPlayer.startWindowFullscreen(context, false, true);
}
/**
*
*/
public void startAdPlay(GSYADVideoPlayer gsyadVideoPlayer, StandardGSYVideoPlayer normalPlayer) {
gsyadVideoPlayer.setVisibility(View.VISIBLE);
gsyadVideoPlayer.startPlayLogic();
if (normalPlayer.getCurrentPlayer().isIfCurrentIsFullscreen()) {
resolveFullBtn(gsyadVideoPlayer);
gsyadVideoPlayer.setSaveBeforeFullSystemUiVisibility(normalPlayer.getSaveBeforeFullSystemUiVisibility());
}
}
class ViewHolder {
SampleCoverVideo gsyVideoPlayer;
RequestListADVideoPlayer adVideoPlayer;
}
}
/**
*
*/
public boolean isNeedAdOnStart() {
return true;
}
}
``` |
Hypodessus is a genus of beetles in the family Dytiscidae, containing the following species:
Hypodessus cruciatus (Régimbart, 1903)
Hypodessus crucifer Guignot, 1939
Hypodessus curvilineatus (Zimmermann, 1921)
Hypodessus dasythrix Guignot, 1954
Hypodessus frustrator Spangler, 1966
Hypodessus titschacki (Gschwendtner, 1954)
References
Dytiscidae |
```css
.calendar{padding:4px;-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;direction:ltr;overflow-x:hidden;-webkit-touch-callout:none;-webkit-user-select:none;-khtml-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.calendar:after{clear:both;content:"";display:block}.calendar .calendar-rtl{direction:rtl}.calendar .calendar-rtl .calendar-rtl table tr td span{float:right}.calendar table{margin:auto;border-spacing:0}.calendar table td,.calendar table th{text-align:center;width:20px;height:20px;border:none;padding:4px 5px;font-size:12px}.calendar .calendar-header{width:100%;margin-bottom:20px;border:1px solid #ddd}.calendar .calendar-header table{width:100%}.calendar .calendar-header table th{font-size:22px;padding:5px 10px;cursor:pointer}.calendar .calendar-header table th:hover{background:#eee}.calendar .calendar-header table th.disabled,.calendar .calendar-header table th.disabled:hover{background:0 0;cursor:default;color:#fff}.calendar .calendar-header table th.next,.calendar .calendar-header table th.prev{width:20px}.calendar .calendar-header .year-title{font-weight:700;text-align:center;height:20px;width:auto}.calendar .calendar-header .year-neighbor{opacity:.4}@media (max-width:991px){.calendar .calendar-header .year-neighbor{display:none}}.calendar .calendar-header .year-neighbor2{opacity:.2}@media (max-width:767px){.calendar .calendar-header .year-neighbor2{display:none}}.calendar .months-container{width:100%;display:none;flex-wrap:wrap}.calendar .months-container .month-container{float:left;text-align:center;padding:0}.calendar .months-container .month-container.month-2{width:16.66666667%}.calendar .months-container .month-container.month-3{width:25%}.calendar .months-container .month-container.month-4{width:33.33333333%}.calendar .months-container .month-container.month-6{width:50%}.calendar .months-container .month-container.month-12{width:100%}.calendar table.month th.month-title{font-size:16px;padding-bottom:5px}.calendar table.month th.day-header{font-size:14px}.calendar table.month tr td,.calendar table.month tr th{padding:0}.calendar table.month tr td.hidden,.calendar table.month tr th.hidden{display:none}.calendar table.month td.week-number{cursor:default;font-weight:700;border-right:1px solid #eee;padding:5px}.calendar table.month td.day.round-left{-webkit-border-radius:8px 0 0 8px;-moz-border-radius:8px 0 0 8px;border-radius:8px 0 0 8px}.calendar table.month td.day.round-right{webkit-border-radius:0 8px 8px 0;-moz-border-radius:0 8px 8px 0;border-radius:0 8px 8px 0}.calendar table.month td.day .day-content{-webkit-border-radius:4px;-moz-border-radius:4px;border-radius:4px;padding:5px 6px}.calendar table.month td.new,.calendar table.month td.new:hover,.calendar table.month td.old,.calendar table.month td.old:hover{background:0 0;cursor:default}.calendar table.month td.disabled,.calendar table.month td.disabled:hover{color:#ddd}.calendar table.month td.disabled .day-content:hover,.calendar table.month td.disabled:hover .day-content:hover{background:0 0;cursor:default}.calendar table.month td.range .day-content{background:rgba(0,0,0,.2);-webkit-border-radius:0;-moz-border-radius:0;border-radius:0}.calendar table.month td.range.range-start .day-content{border-top-left-radius:4px;border-bottom-left-radius:4px}.calendar table.month td.range.range-end .day-content{border-top-right-radius:4px;border-bottom-right-radius:4px}.calendar .calendar-loading-container{position:relative;text-align:center;min-height:200px}.calendar .calendar-loading-container .calendar-loading{position:absolute;top:50%;left:50%;transform:translateX(-50%) translateY(-50%)}.calendar .calendar-spinner{margin:20px auto;width:80px;text-align:center}.calendar .calendar-spinner>div{width:16px;height:16px;margin:5px;background-color:#333;border-radius:100%;display:inline-block;-webkit-animation:sk-bouncedelay 1s infinite ease-in-out both;animation:sk-bouncedelay 1s infinite ease-in-out both}.calendar .calendar-spinner>div.bounce1{-webkit-animation-delay:-.32s;animation-delay:-.32s}.calendar .calendar-spinner>div.bounce2{-webkit-animation-delay:-.16s;animation-delay:-.16s}.calendar-context-menu,.calendar-context-menu .submenu{border:1px solid #ddd;background-color:#fff;box-shadow:2px 2px 5px rgba(0,0,0,.2);-webkit-box-shadow:2px 2px 5px rgba(0,0,0,.2);position:absolute;display:none}.calendar-context-menu .item{position:relative}.calendar-context-menu .item .content{padding:5px 10px;cursor:pointer;display:table;width:100%;white-space:nowrap;box-sizing:border-box}.calendar-context-menu .item .content:hover{background:#eee}.calendar-context-menu .item .content .text{display:table-cell}.calendar-context-menu .item .content .arrow{display:table-cell;padding-left:10px;text-align:right}.calendar-context-menu .item .submenu{top:-1px}.calendar-context-menu .item .submenu:not(.open-left){left:100%}.calendar-context-menu .item .submenu.open-left{right:100%}.calendar-context-menu .item:hover>.submenu{display:block}.table-striped .calendar table.month tr td,.table-striped .calendar table.month tr th{background-color:transparent}table.month td.day .day-content:hover{background:rgba(0,0,0,.2);cursor:pointer}@-webkit-keyframes sk-bouncedelay{0%,100%,80%{-webkit-transform:scale(0)}40%{-webkit-transform:scale(1)}}@keyframes sk-bouncedelay{0%,100%,80%{-webkit-transform:scale(0);transform:scale(0)}40%{-webkit-transform:scale(1);transform:scale(1)}}
``` |
Chatsbury is a locality in the Upper Lachlan Shire, New South Wales, Australia. It lies about 33 km north of Goulburn and 22 km south of Taralga on the road from Goulburn to Oberon and Bathurst. At the , it had a population of 91.
References
Upper Lachlan Shire
Localities in New South Wales |
Morgan "Bill" Evans (June 10, 1910 – August 16, 2002) was a horticulturalist who guided the landscape design of Disney theme parks for half a century. He most notably transformed the landscape of of forest in Anaheim, California to create Disneyland.
Early life
Evans was born in Santa Monica, California, where he learned botany from his father, a second-generation horticulturalist. He joined the Merchant Marine in 1928 and traveled around the world on the SS President Harrison, gathering seeds for his father's garden from the countries he visited.
After returning from duty, Evans studied at Pasadena City College and then at Stanford, majoring in geology. He left school early in 1931 because of the Great Depression, and returned home to transform his father's garden into a nursery business selling rare and exotic plants to the Hollywood elite. One of his customers was Walt Disney, who asked Evans to landscape the grounds of his Holmby Hills home and surrounding gardens. Disney was impressed by Evan's skill and invited Evans and his brother, Jack, to landscape what would become Disneyland.
Landscaping Disneyland
In less than a year, Evans had transformed of Anaheim orange groves into lush theme park attractions filled with exotic plants. One of the prominent pieces of the projects was landscaping the Jungle Cruise ride along the path of an artificial river, which Disney insisted be "the best darn jungle this side of Costa Rica." This section of the park included a canopy of bamboo, palms, and ficus trees towering tall. To create the appearance of exotic jungle branches, Evans planted walnut trees upside down to give the appearance that their gnarled roots were branches.
Later work with Disney
After Disneyland opened in July 1955, Evans stayed on with Disney as a landscape planner, consultant and maintenance supervisor at the park. Disney made him the director of landscape architecture. His projects in this capacity included working on Disneyland additions, Walt Disney World and EPCOT Center.
Evans retired from Disney in 1975, but continued his work for Disney with the landscape design of Tokyo Disneyland, Hong Kong Disneyland, Disneyland Paris and additions in Walt Disney World such as Disney's Polynesian Resort, Discovery Island, Typhoon Lagoon, Disney-MGM Studios and Disney's Animal Kingdom.
Personal life
After the death of his wife Jane, Bill married Natalie Scott (who had two teenage daughters). His adult son and daughter lived in northern California. Aside from his work at Disney, Evans was also a writer for Sunset magazine, a trustee for the Los Angeles County Arboretum, and a fellow of the American Society of Landscape Architects.
Death and legacy
Evans died at age 92 in Malibu, California. The cause of death was not reported.
Evans was posthumously awarded the American Society of Landscape Architects Medal in 2002 in recognition of his lifetime achievement in the profession of landscape architecture.
References
External links
"It's a Jungle Out There" - Victoria Advocate
"Obituaries; Morgan Evans" - Los Angeles Times
"Horticultural Heritage" - Mouse Planet
"Disney's Jungle How They Built It 40 Years Ago and How You Can Build One Now in Your Own Back Yard" - Los Angeles Times
"Disney Landscape Designer Brings His Expertise to Anaheim, Calif., Complex" - Knight Ridder Tribune
"Disney's Jungle" - Los Angeles Times
"Landscaper Grew Disneyland Jungle" - Sarasota Herald-Tribune
"Window on the West" - Sunset
"The Los Angeles Garden Show Opens Friday. It's Full of Fresh Ideas, Fantasy Landscapes That Last but a Week and a Half and, of Course, Flowers for the Fall Planting Season" - Los Angeles Times
1910 births
Walt Disney Parks and Resorts people
Disney imagineers
American horticulturists
2002 deaths
American landscape architects
People from Santa Monica, California |
Hastings Lake is a hamlet in Alberta, Canada within Strathcona County. It is located on the south shore of Hastings Lake, approximately southeast of Sherwood Park. It is north of Highway 14.
Demographics
The population of Hastings Lake according to the 2022 municipal census conducted by Strathcona County is 102, a decrease from its 2018 municipal census population count of 104.
In the 2021 Census of Population conducted by Statistics Canada, Hastings Lake had a population of 94 living in 48 of its 63 total private dwellings, a change of from its 2016 population of 94. With a land area of , it had a population density of in 2021.
As a designated place in the 2016 Census of Population conducted by Statistics Canada, Hastings Lake had a population of 94 living in 44 of its 80 total private dwellings, a change of from its 2011 population of 89. With a land area of , it had a population density of in 2016.
See also
List of communities in Alberta
List of hamlets in Alberta
References
Designated places in Alberta
Hamlets in Alberta
Strathcona County |
The team dressage competition of the equestrian events at the 2015 Pan American Games took place July 11–12 at the Caledon Equestrian Park.
The first round of the team dressage competition was the FEI Prix St. Georges Test. The Prix St. Georges Test consists of a battery of required movements that each rider and horse pair performs. Five judges evaluate the pair, giving marks between 0 and 10 for each element. The judges' scores are averaged to give a final score for the pair.
The top 9 team competitors in that round advanced to the final round. This second round consisted of an Intermediare I Test, which is a higher degree of difficulty. The 9 best teams in the Intermediare I Test advance to the final round. That round consists of, the Intermediare I Freestyle Test, competitors designe their own choreography set to music. Judges in that round evaluate the artistic merit of the performance and music as well as the technical aspects of the dressage. Final scores are based on the average of the Freestyle and Intermediare I Test results.
The top team not already qualified in the dressage team events qualified for the 2016 Summer Olympics in Rio de Janeiro, Brazil, along with the top two placed teams (not already qualified) in the show jumping competition. In the individual dressage competition, the top nation (not qualified in the team event) in groups IV and V each qualified one quota. The top six athletes (not qualified in the team event) also qualified for the show jumping competition.
Schedule
All times are Central Standard Time (UTC-6).
Results
37 competitors from 10 nations competed.
# - Rider's score not counted in team total
* - Includes 1.5% Bonus for Big Tour Riders
References
Equestrian at the 2015 Pan American Games |
Arroyo High School, located in El Monte, California, United States, is a school in the El Monte Union High School District. The attendance area served by Arroyo High School consists of four different communities: El Monte, Temple City, Arcadia, and an unincorporated area of Los Angeles County.
History
Arroyo High School opened its doors in 1955 and its first graduating class was the class of 1958. Since then, more than 20,000 students have received their high school diplomas from AHS.
Extracurriculars
Athletics
Students at Arroyo High School have the opportunity to join a variety of sports teams including: Football, Cheerleading, Girls Volleyball, Boys/Girls Cross Country, Track and Field, Boys/Girls Tennis, Boys/Girls Basketball, Boys/Girls Soccer, Wrestling, Baseball, and Softball.
Arroyo High School's main rival is Rosemead High School.
In 1987, Arroyo won the California State Division I Boys Cross-Country championship.
In 2016, Arroyo's football program won its second CIF (California Interscholastic Federation) - Southern Section championship in Division 12.
In 2019, Arroyo’s Varsity girls' cross country team qualified for state for the first time in school history.
In 2019, Arroyo's baseball program won its first CIF championship against Marshall High School in Division 7.
Performing Arts
Arroyo High School offers several award-winning performing arts programs including Drama, Choir, Orchestra, Band, and Colorguard.
Clubs
The numerous clubs offered at Arroyo High School include Drama, Crochet, American Red Cross Club, American Cancer Society, Comedy Sports, Garden Club, Cards for Kids, Chinese Club, Speech & Debate, Medical Club, Key Club, Leo Club, Dance Club, Badminton Club, Robotics Club, Renaissance Club, National Honor Society, California Scholarship Federation (CSF), Academic Decathlon, and Science Olympiad.
Academics
Arroyo High School offers Career Technical Education (CTE) courses including Food Science, Business and Finance, Engineering Design, and Graphic Design.
Arroyo High School also offers dual enrollment courses in partnership with Rio Hondo College and Pasadena City College to provide students with the opportunity to earn free college credits and participate in a CTE pathway while earning high school credits at the same time.
Foreign language classes offered at Arroyo High School include Spanish and Chinese.
As of 2022, AP and Pre-AP courses being offered at Arroyo High School include:
Biology
Calculus AB
Calculus BC
Chinese Language and Culture
Computer Science Principles
English Language and Composition
English Literature and Composition
Environmental Science
Physics 1: Algebra-Based
Psychology
Spanish Language and Culture
Spanish Literature and Culture
United States History
United States Government and Politics
World History
Pre-AP Biology
Pre-AP English 1
Pre-AP World History and Geography
Notable alumni
Rob Bottin, special effects make-up artist, class of 1977
Alexandra Hay, actress
Laura Molina, Chicana artist, actress and musician, class of 1976
Steven Parent, aka "Stereo Steve", victim of the Charles Manson murders, class of 1969
Kimberly Rhode double trap and skeet shooter, Olympic medalist winner and national champion, class of 1997
Javier Vazquez (fighter), wrestler; retired mixed martial artist
Jackie Warner, Former professional baseball player (California Angels)
Bob Mackie, Fashion Designer
David Willman, Pulitzer Prize-winning journalist, class of 1974
References
External links
Official Website
https://www.emuhsd.org/domain/216
High schools in Los Angeles County, California
Public high schools in California
El Monte, California
Educational institutions established in 1955
1955 establishments in California |
```php
<?php
class Swift_Mime_HeaderEncoder_QpHeaderEncoderTest extends \SwiftMailerTestCase
{
//Most tests are already covered in QpEncoderTest since this subclass only
// adds a getName() method
public function testNameIsQ()
{
$encoder = $this->_createEncoder(
$this->_createCharacterStream(true)
);
$this->assertEquals('Q', $encoder->getName());
}
public function testSpaceAndTabNeverAppear()
{
/* -- RFC 2047, 4.
Only a subset of the printable ASCII characters may be used in
'encoded-text'. Space and tab characters are not allowed, so that
the beginning and end of an 'encoded-word' are obvious.
*/
$charStream = $this->_createCharacterStream();
$charStream->shouldReceive('readBytes')
->atLeast()->times(6)
->andReturn(array(ord('a')), array(0x20), array(0x09), array(0x20), array(ord('b')), false);
$encoder = $this->_createEncoder($charStream);
$this->assertNotRegExp('~[ \t]~', $encoder->encodeString("a \t b"),
'%s: encoded-words in headers cannot contain LWSP as per RFC 2047.'
);
}
public function testSpaceIsRepresentedByUnderscore()
{
/* -- RFC 2047, 4.2.
(2) The 8-bit hexadecimal value 20 (e.g., ISO-8859-1 SPACE) may be
represented as "_" (underscore, ASCII 95.). (This character may
not pass through some internetwork mail gateways, but its use
will greatly enhance readability of "Q" encoded data with mail
readers that do not support this encoding.) Note that the "_"
always represents hexadecimal 20, even if the SPACE character
occupies a different code position in the character set in use.
*/
$charStream = $this->_createCharacterStream();
$charStream->shouldReceive('readBytes')
->once()
->andReturn(array(ord('a')));
$charStream->shouldReceive('readBytes')
->once()
->andReturn(array(0x20));
$charStream->shouldReceive('readBytes')
->once()
->andReturn(array(ord('b')));
$charStream->shouldReceive('readBytes')
->zeroOrMoreTimes()
->andReturn(false);
$encoder = $this->_createEncoder($charStream);
$this->assertEquals('a_b', $encoder->encodeString('a b'),
'%s: Spaces can be represented by more readable underscores as per RFC 2047.'
);
}
public function testEqualsAndQuestionAndUnderscoreAreEncoded()
{
/* -- RFC 2047, 4.2.
(3) 8-bit values which correspond to printable ASCII characters other
than "=", "?", and "_" (underscore), MAY be represented as those
characters. (But see section 5 for restrictions.) In
particular, SPACE and TAB MUST NOT be represented as themselves
within encoded words.
*/
$charStream = $this->_createCharacterStream();
$charStream->shouldReceive('readBytes')
->once()
->andReturn(array(ord('=')));
$charStream->shouldReceive('readBytes')
->once()
->andReturn(array(ord('?')));
$charStream->shouldReceive('readBytes')
->once()
->andReturn(array(ord('_')));
$charStream->shouldReceive('readBytes')
->zeroOrMoreTimes()
->andReturn(false);
$encoder = $this->_createEncoder($charStream);
$this->assertEquals('=3D=3F=5F', $encoder->encodeString('=?_'),
'%s: Chars =, ? and _ (underscore) may not appear as per RFC 2047.'
);
}
public function testParensAndQuotesAreEncoded()
{
/* -- RFC 2047, 5 (2).
A "Q"-encoded 'encoded-word' which appears in a 'comment' MUST NOT
contain the characters "(", ")" or "
*/
$charStream = $this->_createCharacterStream();
$charStream->shouldReceive('readBytes')
->once()
->andReturn(array(ord('(')));
$charStream->shouldReceive('readBytes')
->once()
->andReturn(array(ord('"')));
$charStream->shouldReceive('readBytes')
->once()
->andReturn(array(ord(')')));
$charStream->shouldReceive('readBytes')
->zeroOrMoreTimes()
->andReturn(false);
$encoder = $this->_createEncoder($charStream);
$this->assertEquals('=28=22=29', $encoder->encodeString('(")'),
'%s: Chars (, " (DQUOTE) and ) may not appear as per RFC 2047.'
);
}
public function testOnlyCharactersAllowedInPhrasesAreUsed()
{
/* -- RFC 2047, 5.
(3) As a replacement for a 'word' entity within a 'phrase', for example,
one that precedes an address in a From, To, or Cc header. The ABNF
definition for 'phrase' from RFC 822 thus becomes:
phrase = 1*( encoded-word / word )
In this case the set of characters that may be used in a "Q"-encoded
'encoded-word' is restricted to: <upper and lower case ASCII
letters, decimal digits, "!", "*", "+", "-", "/", "=", and "_"
(underscore, ASCII 95.)>. An 'encoded-word' that appears within a
'phrase' MUST be separated from any adjacent 'word', 'text' or
'special' by 'linear-white-space'.
*/
$allowedBytes = array_merge(
range(ord('a'), ord('z')), range(ord('A'), ord('Z')),
range(ord('0'), ord('9')),
array(ord('!'), ord('*'), ord('+'), ord('-'), ord('/'))
);
foreach (range(0x00, 0xFF) as $byte) {
$char = pack('C', $byte);
$charStream = $this->_createCharacterStream();
$charStream->shouldReceive('readBytes')
->once()
->andReturn(array($byte));
$charStream->shouldReceive('readBytes')
->zeroOrMoreTimes()
->andReturn(false);
$encoder = $this->_createEncoder($charStream);
$encodedChar = $encoder->encodeString($char);
if (in_array($byte, $allowedBytes)) {
$this->assertEquals($char, $encodedChar,
'%s: Character '.$char.' should not be encoded.'
);
} elseif (0x20 == $byte) {
//Special case
$this->assertEquals('_', $encodedChar,
'%s: Space character should be replaced.'
);
} else {
$this->assertEquals(sprintf('=%02X', $byte), $encodedChar,
'%s: Byte '.$byte.' should be encoded.'
);
}
}
}
public function testEqualsNeverAppearsAtEndOfLine()
{
/* -- RFC 2047, 5 (3).
The 'encoded-text' in an 'encoded-word' must be self-contained;
'encoded-text' MUST NOT be continued from one 'encoded-word' to
another. This implies that the 'encoded-text' portion of a "B"
'encoded-word' will be a multiple of 4 characters long; for a "Q"
'encoded-word', any "=" character that appears in the 'encoded-text'
portion will be followed by two hexadecimal characters.
*/
$input = str_repeat('a', 140);
$charStream = $this->_createCharacterStream();
$output = '';
$seq = 0;
for (; $seq < 140; ++$seq) {
$charStream->shouldReceive('readBytes')
->once()
->andReturn(array(ord('a')));
if (75 == $seq) {
$output .= "\r\n"; // =\r\n
}
$output .= 'a';
}
$charStream->shouldReceive('readBytes')
->zeroOrMoreTimes()
->andReturn(false);
$encoder = $this->_createEncoder($charStream);
$this->assertEquals($output, $encoder->encodeString($input));
}
// -- Creation Methods
private function _createEncoder($charStream)
{
return new Swift_Mime_HeaderEncoder_QpHeaderEncoder($charStream);
}
private function _createCharacterStream($stub = false)
{
return $this->getMockery('Swift_CharacterStream')->shouldIgnoreMissing();
}
}
``` |
Ratna Vajra Rinpoche (born 19 November 1974), is a Tibetan Buddhist teacher who served as the 42nd Sakya Trizin from 2017 to 2022, considered one of the highest qualified lineage masters of both the esoteric and exoteric traditions of Buddhist philosophy and meditation. He is a descendant of the famous Khon family in Tibet, which holds an unbroken lineage of great and famous masters for over a thousand years. He is the eldest son of the 41st Sakya Trizin Ngawang Kunga. He teaches Buddhism and travels extensively throughout Europe, Asia, Australia, New Zealand and North America. Ratna Vajra was enthroned as the head of the Sakya school on 9 March 2017. On 16 March 2022, the throne of the Sakya school was passed by Ratna Vajra to his younger brother Gyana Vajra, who became the 43rd Sakya Trizin.
Education
From birth, Rinpoche has been the recipient of blessings, empowerments, initiations and teachings from many of the foremost high lamas and scholars of this age. Most of these were bestowed by the 41st Sakya Trizin and others were bestowed by the 14th Dalai Lama, Chogye Trichen Rinpoche (1920–2007), Luding Khenchen Rinpoche and Dezhung Rinpoche (1906–1987). In addition to receiving many empowerments and teachings from the Sakya Trizin, he learned many facets of traditional rituals from him also.
On the 14th day of the 11th Tibetan lunar month, the anniversary of Sakya Pandita (20 December 1980), he began to receive the cycle of the precious uncommon Lam Dre teachings from the Sakya Trizin for the first time at Sakya Thubten Namgyal Ling monastery in Puruwala, India.
At the age of six, he started his formal education under the tutorship of Venerable Rinchen Sangpo. He took his first oral examination on 10 October 1981 in the presence of his tutor Sakya Trizin and prominent members of the Sakya Centre on The Remembrance of the Triple Gem, The Three Heap Sutra, The Confession Sutra, the extended lineage Guru's prayers and several other texts. Since then, he has taken many oral examinations, including the examinations in which he had to lead special rituals in the Sakya Centre. In 1986 he performed his first meditation retreat together with his mother, Gyalyum Kushok Tashi Lhakee.
In 1987, when Rinpoche was fourteen, he passed his first major examination at the Sakya Centre, Rajpur, India. Two years later, he completed all his basic studies of different rituals and scriptures. The following year, he entered the Sakya College and studied there for seven years. During that time, he studied Buddhist philosophy mainly under Khenpo Ngawang Lekshey Kunga Rinpoche (aka. Khenpo Migmar Tsering. 1955–1999). In 1998, he graduated with a Kachupa Degree, which is equivalent to a Bachelor's Degree.
From his adolescent years to adulthood, Rinpoche has sought and received numerous teachings from the great Sakya scholars including Khenchen Appey Rinpoche (1927–2010), Khenpo Kunga Wangchuk Rinpoche (1921–2008) and Khenpo Lungrik Senge. He has also completed many retreats on the principal deities of the Sakya tradition.
Family
On 12 September 2002, Ratna Vajra Rinpoche married Dagmo Kalden Dunkyi. Their first child, daughter Jetsunma Kunga Trinley Palter Sakya was born on 2 January 2007, the Parinirvana Day of Sakya Pandita, which is considered auspicious according to Tibetan custom.
Their son, Dungsay Akasha Vajra Rinpoche, was born on 27 March 2010, the 12th day of the 2nd month of the Tibetan calendar, the anniversary of the Paranirvana of Jetsun Drakpa Gyaltsen. His birth was accompanied by a slight earthquake in New Delhi where he was born. Such an event is considered an auspicious sign according to Tibetan belief. It portends that a great being has entered this world. On 24 January 2013 their second daughter, Jetsunma Kunga Chimey Wangmo Sakya, was born in Dehra Dun, India.
Ratna Vajra Rinpoche oversees the management of many Sakya monasteries and Sakya centers throughout the world.
References
External links
http://www.glorioussakya.org/
http://www.sakya-foundation.de/
http://www.fundacionsakya.org/
http://www.sakyabristol.org/
http://www.dechen.org/buddhist-centres/london
https://www.sakyatrizinenthronement.org/
https://www.facebook.com/sakyatrizinenthronement/
Sakya Trizins
1974 births
Living people
Rinpoches
20th-century lamas |
Mollakənd (also, Mollakend) is a village in the Lankaran Rayon of Azerbaijan. The village forms part of the municipality of Rvo.
References
Populated places in Lankaran District |
Kendrick Le'Dale Perkins (born November 10, 1984) is an American former professional basketball player who is a sports analyst for ESPN. He entered the NBA directly out of high school and played for the Boston Celtics, Oklahoma City Thunder, Cleveland Cavaliers, and New Orleans Pelicans, winning the NBA Championship in 2008 with the Celtics.
Early life
Perkins was born in Nederland, Texas and raised by his grandparents, who lived on a farm. His mother was shot and killed by her best friend when he turned five, and his father played professional basketball in New Zealand — where he stayed throughout — and never visited Perkins. Perkins went to a private Catholic school starting in sixth grade. Perkins' grandfather was very enthusiastic about sports, helping spark his competitive passion. In addition to basketball, Perkins also participated in pick-up football games as a defensive end, and baseball as a first baseman. Perkins stopped playing baseball in ninth grade, and gave up on football in tenth grade.
Perkins first met LeBron James in the seventh grade when playing on the Houston Hoops and competing against LeBron's Ohio Shooting Stars. Perkins later became friends with LeBron during his time at ABCD Camp where they were teammates on the Oakland Soldiers. During his time on the AAU circuit beginning in eighth grade, Perkins was ranked No. 3, LeBron at No. 1, and Chris Paul at No. 2. Perkins had his largest growth spurt from eighth grade to ninth grade, where he went from to , his current height. Perkins' first in-game dunk was in the seventh grade.
High school career
Perkins graduated from Clifton J. Ozen High School in Beaumont, Texas, in 2003. He led Ozen High to four consecutive district championships and one state championship during his high school career. Averaging 27.5 points, 16.4 rebounds and 7.8 blocked shots a game as a senior, he led Ozen to a 33–1 record, with the only loss being a 66–54 setback to Fort Worth Dunbar in the state 4A championship game. After his senior season in 2003, Perkins was selected to the McDonald's All-American Game.
Considered a five-star recruit by Rivals.com, Perkins was listed as the No. 3 center and the No. 6 player in the nation in 2003. He had originally committed to Memphis, but opted instead to make the jump to the NBA straight out of high school.
Professional career
Boston Celtics (2003–2011)
The center was drafted in the first round with the 27th pick of the 2003 NBA draft by the Memphis Grizzlies, but was immediately traded along with Marcus Banks to the Boston Celtics in exchange for Troy Bell and Dahntay Jones, who had been selected by the Celtics in the same draft.
During the 2004–05 season, Perkins received more playing time than he did his rookie season, and became known as one of the tougher players on the Celtics. He had a limited role during the regular season and playoffs as the team's "enforcer". Perkins was involved in an unusual scenario in the final seconds of regulation in Game 6 of the 2005 Eastern Conference first round against Indiana. Paul Pierce was ejected but Pierce was owed free throws because he had been fouled before the ejection. Under NBA rules, Indiana coach Rick Carlisle chose to select Perkins (who had not played in the game) off the bench to shoot the crucial free throws (the game was tied). Perkins missed both, indirectly leading the game going into overtime, in which the Celtics eventually won.
After marked improvements during summer training and practice, Perkins earned more playing time from coach Doc Rivers during the 2005–06 season. He played some of the best games of his career in 2006, repeatedly reaching double figures in points and rebounds. After the trade of Mark Blount to the Minnesota Timberwolves, Perkins became the undisputed starting center for the Celtics, although he was already sharing starting time before Blount's departure. He started at center for the 2008 NBA champion Boston Celtics.
In Game 6 of the 2010 NBA Finals, Perkins injured his knee and missed the rest of the game. He was inactive for Game 7, in which the Celtics fell to the Los Angeles Lakers. According to the Los Angeles Times, he suffered torn MCL and PCL ligaments in his right knee.
Perkins did not return to the floor until January 25, 2011, when he logged 17 minutes off of the bench netting seven points, six rebounds and three assists in a win against the Cleveland Cavaliers. He received a standing ovation upon entering the game in the first quarter. After coming off the bench for his first 5 games back, Perkins returned to the starting line-up Friday, February 4 in a home loss to the Dallas Mavericks. He logged his first double-double of the season with 13 points, 12 rebounds and one blocked shot while shooting 6-for-7 from the field in 33 minutes.
Oklahoma City Thunder (2011–2015)
2010–11 season
On February 24, 2011, Perkins and Nate Robinson were traded to the Oklahoma City Thunder for Jeff Green and Nenad Krstić. On March 1, he signed a multi-year extension with the Thunder. Perkins suffered a left knee sprain injury, which prevented him from debuting with the Thunder until March 14, 2011. On March 14, 2011, Perkins debuted with the Oklahoma City Thunder, recording six points, nine rebounds, and two assists during 20 minutes of play in a 116–89 win against the Washington Wizards. On March 20, 2011, Perkins recorded a season-high four assists, along with five points, 12 rebounds, and a steal, in a 95–93 loss to the Toronto Raptors. On March 25, 2011, Perkins recorded 13 points, five rebounds, three steals, and one block while going 6 for 6 from the field in a 111–103 win over the Minnesota Timberwolves. On March 30, 2011, Perkins scored 13 points again, along with three rebounds, one assist, one steal, and one block in a 116–98 win over the Phoenix Suns. On April 6, 2011, Perkins grabbed a season-high 17 rebounds, while getting five points and one block in a 112–108 win over the Los Angeles Clippers. 10 of his 17 rebounds were offensive boards. According to ESPN, after grabbing 17 rebounds, Perkins said, "We've got goals at hand. When you have bigger goals, you tend to reach smaller goals. I guess that was a good thing to see the guys not comfortable. Our guys want to go a little further than just being division champs."
The Thunder finished the season with 55 wins, clinching the fourth seed in the Western Conference. They went on versus the Denver Nuggets in the First Round of the 2011 NBA playoffs. On April 17, 2011, during Game 1 of the First Round, Perkins got four points, five rebounds, and one block in a 107–103 win against the Denver Nuggets. With just over a minute to go, Perkins scored a bucket to help the Thunder take the lead. This was later figured out as an offensive goaltending call. On April 27, 2011, Perkins got a near double-double, getting 13 points, nine rebounds and one assist during Game 5 of the First Round in a 100–97 win over the Denver Nuggets. On May 7, 2011, during Game 3 of the Western Conference Semifinals, Perkins grabbed 13 rebounds, while also getting six points, one assist, and one steal in a 101–93 overtime loss against the Memphis Grizzlies. He helped the Thunder get to the Western Conference Finals, but the team got eliminated in five games against the Dallas Mavericks. Perkins averaged 4.5 points, 6.1 rebounds and 0.8 blocks per game in the playoffs.
2011–12 season
The 2011–12 NBA season was shortened due to the collective bargaining agreement resulting in a lockout. During the 2011 NBA lockout, Perkins lost more than 30 pounds. On December 25, 2011, Perkins started the lockout-shortened season getting six points, four rebounds, one assist, and one block while also going 2 of 2 from the field in a 97–89 win against the Orlando Magic. Perkins made it on the 2012 NBA All-Star ballot, placing 6th out of the centers in the Western Conference. He got 66,380 votes. On February 10, 2012, Perkins got his first double-double of the season, getting 10 points, 10 rebounds, two assists, and one block in a 101–87 win against the Utah Jazz. On February 14, 2012, Perkins tied his career high with six assists, as well as getting seven rebounds, one steal, one block, and one point in a 111–85 win against the Utah Jazz.
On February 20, 2012, Perkins got five points, 13 rebounds, three assists, and a season-high six blocks in a 101–93 win against the New Orleans Hornets. On March 5, 2012, Perkins grabbed a season-high 14 rebounds, while also getting seven points, one assist, one steal, and one block in a 95–91 win against the Dallas Mavericks. On March 18, 2012, Perkins got six points, six rebounds, two assists, two blocks, and a career-high tying three steals in a 111–95 win against the Portland Trail Blazers. On March 25, 2012, Perkins scored a season-high 16 points, while also getting six rebounds, two assists, and one steal in a 103–87 win against the Miami Heat. On April 13, 2012, Perkins got his second double-double of the season, getting 11 points and 11 rebounds in a 115–89 win over the Sacramento Kings.
The Thunder finished the season with 47 wins, first in the Northwest Division, and the 2nd seed in the West. To start the 2012 NBA Playoffs, they faced the Dallas Mavericks in the First Round. During Game 2 of the First Round, Perkins scored 13 points, six rebounds, and a block in a 102–99 win against the Mavericks. The team ended up sweeping the Mavericks in four games. They then played the Los Angeles Lakers in the Conference Semifinals. On May 18, 2012, during Game 3 of the Conference Semifinals, Perkins had six points, two rebounds, one assist, one steal, and four blocks in a 99–96 loss against the Lakers. The Thunder ended up defeating the Lakers in five games. They moved on to the Conference Finals where they faced the San Antonio Spurs. On June 2, 2012, during Game 4 of the Conference Finals, Perkins scored 15 points, while getting nine rebounds, one assist, and one block in a 109–103 win against the Spurs. The team defeated the Spurs in six games. Perkins and the Thunder reached the NBA Finals where they played the Big 3–led Miami Heat. On June 17, 2012, during Game 3 of the NBA Finals, Perkins got his first and only double-double of the playoffs, getting 10 points, 12 rebounds, and a block in a 91–85 loss against the Heat. The Thunder couldn't get past the Heat, as they were eliminated in five games. This was Perkins's third trip to the NBA Finals. The other two trips were with the Boston Celtics back in 2008 and 2010. Perkins averaged 4.7 points, 6.2 rebounds, and 1.3 blocks per game in the playoffs.
2012–13 season
Perkins began the 2012–13 NBA season getting two points, six rebounds, two assists, and a block in an 86–84 loss against the Spurs. On November 9, 2012, Perkins dished a career-high tying six assists, and also had nine points, four rebounds, and a steal in a 105–94 win against the Detroit Pistons. On February 8, 2013, Perkins scored a season-high 17 points, along with nine rebounds, three assists, two steals and three blocks in a 127–96 win against the Phoenix Suns. According to The Oklahoman, Perkins said this in response to his performance: "I'm just going to keep working. Guys are doubling Kevin (Durant) and Russ now, so I'm just trying to find the open spot. I've been watching a lot of film and going to the gym and working on my game. I'm just trying to find an open spot when they get doubled." On February 10, 2013, Perkins had a career-high tying three steals, as well as four rebounds, two assists, and three blocks in a 97–69 win against the Suns. On March 20, 2013, Perkins grabbed a season-high 15 rebounds, and also had an assist in a 90–89 overtime loss against the Memphis Grizzlies.
In the 2013 NBA playoffs, the Thunder defeated the Houston Rockets in the First Round, but were defeated by the Grizzlies in the Conference Semifinals. During Game 1 of the Conference Semifinals, Perkins had seven rebounds and three assists in a 93–91 win. Perkins averaged 2.2 points and 3.7 rebounds per game in the playoffs.
2013–14 season
To start the 2013–14 NBA season, Perkins had four points, eight rebounds, one assist and one steal in a 101–98 win against the Utah Jazz. On December 13, 2013, Perkins dished a season-high four assists, and also had six points and three rebounds in a 122–97 win against the Lakers. On January 5, 2014, Perkins scored a season-high 12 points, and also had six rebounds, two assists, one steal and one block in a 119–96 win against his former team, the Boston Celtics. On January 17, 2014, Perkins grabbed a season-high 12 rebounds, and also had six points, two assists and two steals in a 127–121 win against the Golden State Warriors. On February 5, 2014, Perkins tied his season-high, getting 12 rebounds, six points, two assists, and one steal in a 106–97 win against the Minnesota Timberwolves.
In the 2014 NBA playoffs, the Thunder defeated the Grizzlies in the First Round, then the Clippers in the Conference Semifinals, but got eliminated by the Spurs in the Conference Finals. During Game 2 of the Conference Semifinals, Perkins had eight points and nine rebounds in a 112–101 win. During Game 4 of the Conference Finals, Perkins had 10 rebounds, two points, two blocks, and one steal in a 105–92 win. Perkins averaged 3.2 points and 5.4 rebounds throughout the playoffs.
2014–15 season
During the 2014–15 NBA season, Perkins was playing bench minutes, as Steven Adams replaced him. During the season opener, Perkins had four points, eight rebounds, one steal and one block in a 106–89 loss against the Portland Trail Blazers. On November 1, 2014, Perkins scored a season-high 17 points, while also getting five rebounds in a 102–91 win against the Denver Nuggets. On December 14, 2014, Perkins grabbed a season-high 10 rebounds, as well as five points, one assist, one steal, and one block in a 112–88 win against the Phoenix Suns.
On February 19, 2015, Perkins was traded to the Utah Jazz in a three-team trade that also involved the Detroit Pistons. He was subsequently waived by the Jazz two days later.
Cleveland Cavaliers (2015)
On February 24, 2015, Perkins signed with the Cleveland Cavaliers and made his debut later that day as he scored two points in two minutes off the bench in a 102–93 win over the Detroit Pistons. The Cavaliers made it to the 2015 NBA Finals, but they lost to the Golden State Warriors in six games.
New Orleans Pelicans (2015–2016)
On July 28, 2015, Perkins signed with the New Orleans Pelicans. He made his debut for the Pelicans in the team's season opening loss to the Golden State Warriors on October 27. In just under 16 minutes of action as a starter, he recorded 10 points on 5-of-5 shooting and 4 rebounds. On November 6, he was ruled out for three months with a right pectoral injury. He returned to the Pelicans' line-up on December 11, but did not play against the Washington Wizards.
Canton Charge (2017–2018)
On September 25, 2017, Perkins signed with the Cleveland Cavaliers, returning to the franchise for a second stint. On October 14, 2017, he was waived by the Cavaliers after appearing in three preseason games. He subsequently joined the Cleveland's NBA G League affiliate, the Canton Charge. On February 9, 2018, he opted to retire from the NBA G League.
Return to Cleveland (2018)
On April 11, 2018, Perkins returned to the Cavaliers, signing a contract for the remainder of the season. That same day ended up being Perkins' first and only game that he played for Cleveland, as Cleveland would lose 98–110 to the New York Knicks with Perkins recording 3 points, 2 assists, 1 rebound and 1 steal.
The Cavaliers made it to the 2018 NBA Finals, where they lost 4–0 to the Golden State Warriors, but Perkins was labeled as "Did Not Play" and "Inactive" throughout the entire playoffs. Perkins was waived by the Cavaliers on July 17, 2018.
Broadcasting career
Following his retirement, Perkins became an on-air sports commentator and analyst for ESPN and NBC Sports Boston including on ESPN television sports talk shows NBA Today, Get Up, First Take, and SportsCenter. He received criticism for statements made relating to race and the MVP candidacy of Serbian NBA player Nikola Jokic.
NBA career statistics
Regular season
|-
| style="text-align:left;"|
| style="text-align:left;"|Boston
| 10 || 0 || 3.5 || .533 || .000 || .667 || 1.4 || .3 || .0 || .2 || 2.2
|-
| style="text-align:left;"|
| style="text-align:left;"|Boston
| 60 || 3 || 9.1 || .471 || .000 || .638 || 2.9 || .4 || .2 || .6 || 2.5
|-
| style="text-align:left;"|
| style="text-align:left;"|Boston
| 68 || 40 || 19.6 || .515 || .000 || .615 || 5.9 || 1.0 || .3 || 1.5 || 5.2
|-
| style="text-align:left;"|
| style="text-align:left;"|Boston
| 72 || 53 || 21.9 || .491 || .000 || .600 || 5.2 || 1.3 || .3 || 1.3 || 4.5
|-
| style="text-align:left; background:#afe6ba;"|†
| style="text-align:left;"|Boston
| 78 || 78 || 24.5 || .615 || .000 || .623 || 6.1 || 1.1 || .4 || 1.5 || 6.9
|-
| style="text-align:left;"|
| style="text-align:left;"|Boston
| 76 || 76 || 29.6 || .577 || .000 || .600 || 8.1 || 1.3 || .3 || 2.0 || 8.5
|-
| style="text-align:left;"|
| style="text-align:left;"|Boston
|| 78 || 78 || 27.6 || .602 || .000 || .582 || 7.6 || 1.0 || .3 || 1.7 || 10.1
|-
| style="text-align:left;"|
| style="text-align:left;"|Boston
| 12 || 7 || 26.1 || .542 || .000 || .575 || 8.1 || .8 || .2 || .8 || 7.3
|-
| style="text-align:left;"|
| style="text-align:left;"|Oklahoma City
| 17 || 17 || 25.2 || .493 || .000 || .531 || 7.9 || .9 || .4 || .9 || 5.1
|-
| style="text-align:left;"|
| style="text-align:left;"|Oklahoma City
| 65 || 65 || 26.8 || .489 || .000 || .652 || 6.6 || 1.2 || .4 || 1.1 || 5.0
|-
| style="text-align:left;"|
| style="text-align:left;"|Oklahoma City
| 78 || 78 || 25.1 || .457 || .000 || .611 || 6.0 || 1.4 || .6 || 1.1 || 4.2
|-
| style="text-align:left;"|
| style="text-align:left;"|Oklahoma City
| 62 || 62 || 19.5 || .451 || .000 || .552 || 4.9 || 1.1 || .4 || .5 || 3.4
|-
| style="text-align:left;"|
| style="text-align:left;"|Oklahoma City
| 51 || 3 || 19.2 || .441 || .000 || .507 || 5.5 || .8 || .3 || .7 || 4.0
|-
| style="text-align:left;"|
| style="text-align:left;"|Cleveland
| 17 || 0 || 9.8 || .488 || .000 || .500 || 2.4 || .5 || .1 || .2 || 2.6
|-
| style="text-align:left;"|
| style="text-align:left;"|New Orleans
| 37 || 5 || 14.6 || .533 || .000 || .440 || 3.5 || .8 || .3 || .3 || 2.5
|-
| style="text-align:left;"|
| style="text-align:left;"|Cleveland
| 1 || 0 || 15.0 || .500 || .000 || .500 || 1.0 || 2.0 || 1.0 || .0 || 3.0
|- class="sortbottom"
| style="text-align:center;" colspan="2"|Career
| 782 || 565 || 21.9 || .530 || .000 || .594 || 5.8 || 1.0 || .3 || 1.2 || 5.4
Playoffs
|-
| style="text-align:left;"|2005
| style="text-align:left;"|Boston
| 6 || 0 || 4.7 || .800 || .000 || .333 || 1.0 || .0 || .0 || .5 || 1.5
|-
| style="text-align:left; background:#afe6ba;"|2008†
| style="text-align:left;"|Boston
| 25 || 25 || 25.2 || .585 || .000 || .678 || 6.1 || .5 || .6 || 1.3 || 6.6
|-
| style="text-align:left;"|2009
| style="text-align:left;"|Boston
| 14 || 14 || 36.6 || .575 || .000 || .667 || 11.0 || 1.4 || .4 || 2.6 || 11.9
|-
| style="text-align:left;"|2010
| style="text-align:left;"|Boston
| 23 || 23 || 25.0 || .510 || .000 || .600 || 6.2 || 1.0 || .4 || 1.4 || 5.7
|-
| style="text-align:left;"|2011
| style="text-align:left;"|Oklahoma City
| 17 || 17 || 28.2 || .453 || .000 || .576 || 6.1 || .8 || .2 || .8 || 4.5
|-
| style="text-align:left;"|2012
| style="text-align:left;"|Oklahoma City
| 20 || 20 || 25.9 || .416 || .000 || .800 || 6.2 || .7 || .4 || 1.3 || 4.7
|-
| style="text-align:left;"|2013
| style="text-align:left;"|Oklahoma City
| 11 || 11 || 19.1 || .270 || .000 || 1.000 || 3.7 || .6 || .7 || .5 || 2.2
|-
| style="text-align:left;"|2014
| style="text-align:left;"|Oklahoma City
| 19 || 19 || 20.2 || .533 || .000 || .800 || 5.4 || .7 || .2 || .3 || 3.2
|-
| style="text-align:left;"|2015
| style="text-align:left;"|Cleveland
| 8 || 0 || 4.1 || .250 || .000 || .600 || 1.1 || .0 || .0 || .4 || 1.3
|- class="sortbottom"
| style="text-align:center;" colspan="2"|Career
| 143 || 129 || 23.6 || .502 || .000 || .662 || 5.9 || .7 || .4 || 1.1 || 5.1
Personal life
Perkins is a practicing Catholic. He was an altar boy in his youth, though it was often problematic to find an alb to fit him due to his height. His son was born on September 10, 2007. On July 25, 2009, Perkins married his longtime girlfriend, Vanity Alpough. His second son was born on October 10, 2011. His twin son and daughter were born on October 20, 2015.
Perkins' cousin, Ethan Rusbatch, is a New Zealander who plays in the New Zealand NBL.
On October 10, 2013, Perkins posted a $1,000 bond on a misdemeanor assault charge. He allegedly punched a man and a woman after a dispute following a traffic accident.
References
External links
USA Today: Kendrick Perkins learns basketball from Scott Brooks
1984 births
Living people
21st-century American journalists
African-American basketball players
African-American Catholics
African-American sports journalists
African-American television personalities
American men's basketball players
Basketball players from Texas
Boston Celtics players
Canton Charge players
Catholics from Texas
Centers (basketball)
Cleveland Cavaliers players
Disney people
ESPN people
McDonald's High School All-Americans
Memphis Grizzlies draft picks
National Basketball Association high school draftees
New Orleans Pelicans players
Oklahoma City Thunder players
Parade High School All-Americans (boys' basketball)
People from Nederland, Texas
Sportspeople from Beaumont, Texas |
```objective-c
#pragma once
#include <ATen/native/DispatchStub.h>
namespace c10 {
class Scalar;
}
namespace at {
struct TensorIterator;
}
namespace at::native {
using addr_fn = void (*)(TensorIterator &, const Scalar& beta, const Scalar& alpha);
DECLARE_DISPATCH(addr_fn, addr_stub);
} // namespace at::native
``` |
A Shaun the Sheep Movie: Farmageddon is a 2019 stop-motion animated science fiction comedy film produced by Aardman Animations. The film is directed by Richard Phelan and Will Becher (in their feature directorial debuts) and written by Mark Burton and Jon Brown, based on an idea by Richard Starzak. It is a stand-alone sequel to Shaun the Sheep Movie (2015) and is based on the claymation television series Shaun the Sheep, a spinoff from the Wallace and Gromit short film A Close Shave. It is the first sequel ever made by Aardman and in stop-motion in general. The film stars Justin Fletcher, John Sparkes, Kate Harbour, and Rich Webber reprising their voice roles from the series and the previous film, whilst new cast members include Amalia Vitale, David Holt and Chris Morrell. In the film, Shaun and the flock encounter a cute alien with extraordinary powers, who crash-lands near Mossy Bottom Farm. They have to find a way to return her home in order to prevent her falling into the hands of the Ministry for Alien Detection.
Plans for a sequel began in 2015, following the release of the first film. The film officially began production following the end of production of Early Man (2018). Richard Starzak was announced to return as director, however, in November 2018, the film was later announced to be directed by Becher and Phelan.
A Shaun the Sheep Movie: Farmageddon was released in cinemas on 18 October 2019 in the United Kingdom, and on Netflix in the United States on 14 February 2020. The film received generally positive reviews from critics, praising its animation, humour and charm and grossed $43.1 million against a $25 million budget. It was nominated at the British Academy Film Awards for Best Animated Film and at the Academy Awards for Best Animated Feature Film.
Plot
In the town of Mossingham, The Farmer and his dog, Bitzer, discover the landing of a UFO. On nearby Mossy Bottom Farm, Shaun and the flock attempt to pass time with several dangerous activities, only for Bitzer to stop them. After being banned from having a barbecue for dinner, Shaun decides to order three pizzas, but when the pizzas arrive, both Bitzer—who intercepts two-thirds of the delivery—and the flock discover the pizza boxes are completely empty.
The next morning, Shaun discovers a trail of pizza crusts and encounters the visitor. The visitor introduces herself as Lu-La, an impish alien from the planet To-Pa who can mimic sounds and levitate objects. When Shaun introduces her to the flock, she causes mischief with a combine harvester, damaging it while transforming a field behind the farm house into unintentional crop circles. Taking advantage of the recent news of alien sightings, the Farmer deduces he can create an alien-based theme park, "Farmageddon", in which he can earn money to afford a new harvester.
The Ministry of Alien Detection's (M.A.D.) leader, Agent Red, who has been obsessed with proving the existence of aliens since seeing two of them as a child, investigates the UFO claims. Meanwhile, Lu-La and Shaun track down the UFO, followed by Bitzer, who spots them while posting flyers for "Farmageddon" in an alien costume. On board the UFO, Lu-La transmits her memories to Shaun, revealing that she is actually a child and accidentally launched her parents' spaceship while playing on it. They realise they need an egg-shaped sphere device, dropped by Lu-La when leaving the UFO, to activate it. M.A.D. mistakes Bitzer for an alien and follows him to the UFO, capturing it with Shaun, Lu-La, and Bitzer still on board. They also find the device and take both it and the UFO back to their secret base.
At the base, Shaun and Lu-La slip out and manage to retrieve the device, successfully restarting the ship and escaping the base. They set a course for To-Pa; en route, Shaun ignores Bitzer's instructions not to press the ship's buttons and causes it to crash-land back at the farm. With the UFO destroyed, Lu-La is left heartbroken. Feeling guilty, Shaun discovers that the device can be used to send a distress signal if he reaches a high enough point. Shaun suggests that he and Lu-La attempt to reach the top of the Farmer's "Farmageddon" theme park tower to make contact.
With the help of the flock and Bitzer, Shaun and Lu-La climb the tower while the Farmer launches a show at the theme park. Meanwhile, Red arrives and chases Shaun and Lu-La up the tower with a mecha. Shaun manages to knock Red off the tower and successfully sends a distress signal to To-Pa. Lu-La's parents, Ub-Do and Me-Ma, quickly arrive and reunite with their daughter. Red eventually welcomes the aliens, recognizing them as the aliens she saw as a child. Shaun, Bitzer and the flock bid the aliens farewell, while the "Farmageddon" theme park and show receive rave reviews as the entire incident is regarded as part of the show's special effects. On their way back to To-Pa, the aliens discover the Farmer has accidentally boarded their UFO, prompting them to take him back to Earth.
In a mid-credits scene, Shaun, Bitzer, and the flock play with a frisbee, while the Farmer tries out his new harvester; the frisbee gets caught in the harvester's machinery and causes it to explode.
In a post-credits scene, One of the hazmat-suited M.A.D. agents enters a black room with a keyboard. He then removes his suit and reveals himself to be Professor Brian Cox. He proceeds to play "Things Can Only Get Better" on the keyboard, only to be interrupted by Timmy, who unplugs the keyboard.
Cast
Justin Fletcher as:
Shaun, the leader of the flock
Timmy, Shaun's cousin and the smallest sheep of the flock.
John Sparkes as:
Bitzer, the sheepdog of the farm and Shaun's good friend.
The Farmer, the owner of the farm.
Amalia Vitale as:
Lu-La, a mischievous female alien who befriends Shaun.
Me-Ma, Lu-La's mother.
Kate Harbour as:
Timmy's Mum, Timmy's mother and Shaun's aunt.
Agent Red, the leader of the hazmats who is determined to track down the aliens to prove their existence.
David Holt as M-U-G-G-1N5 (Muggins), a robot probe and Agent Red's worker.
Richard Webber as:
Big Shirley, a fat sheep.
Obo, Lu-La's father.
Simon Greenall as The Twins, two sheep of the flock.
Emma Tate as Hazel, a member of the flock.
Andy Nyman as Nuts, a sheep with strange eyes.
Joe Sugg as Pizza Boy
Production
On 14 September 2015, StudioCanal announced it was working with Aardman on a sequel to Shaun the Sheep Movie. On 25 October 2016, under the working title, Shaun the Sheep Movie 2, Aardman confirmed a sequel would go into pre-production in January 2017 with Richard Starzak, co-director of the first film, returning.
In November 2018, it was announced that Aardman employees Richard Phelan and Will Becher would be co-directing the film, with Starzak still attached as director, due to Peter Lord and David Sproxton giving majority ownership of the company to employees to keep it independent. However, Phelan and Becher ended up being the directors of the final cut, while Starzak received both an executive producer and story by credit. Principal photography and production officially began in November 2017 and ended in June 2019.
Music
The music for the film is composed by Tom Howe. It was initially believed Ilan Eshkeri, who composed the music for Shaun the Sheep Movie, would return, but these rumors were false.
The theme tune for the film is titled "Lazy" and is written by Justin Hayward-Young, Yoann Intonti, Timothy Lanham, Freddie Cowan, Arni Hjorvar Arnason and Cole Marsden Greif-Neill and performed by The Vaccines and Kylie Minogue. Furthermore, like the previous film, the film incorporates a remix of the series theme tune "Life's a Treat". Both Mark Thomas and Vic Reeves return to perform the remix and are joined by Nadia Rose.
Release
A Shaun the Sheep Movie: Farmageddon was first released in Germany on 26 September 2019 and in the UK on 18 October 2019. It was intended to be theatrically released in the US on 13 December 2019 by Lionsgate, but due to the box office failure of Early Man, the film was acquired by Netflix, who released it digitally on 14 February 2020.
Home media
In the United States, it was released on Blu-ray and DVD on 18 October 2022 by Shout! Factory. In the United Kingdom, the film was released on Ultra HD Blu-ray and Blu-ray by Studio Canal.
Marketing
In January 2018, it was announced that the teaser of the film would play theatrically in front of another Aardman film, Early Man, worldwide, revealing the film's new title and synopsis. On 7 December 2018, Aardman announced through on social media that the teaser trailer for the film along with release dates would be arriving the following week. The teaser trailer was released online on 11 December 2018, followed by the first official trailer released on 1 April 2019. On 3 July 2019 the second trailer was released.
Reception
Box office
As of 29 December 2019, A Shaun the Sheep Movie: Farmageddon has made $43.1 million against a $25 million budget, with the top-grossing countries being the UK ($9.2 million), Germany ($6.7 million) and France ($5.4 million). It currently ranks as the 16th highest-grossing stop-motion animated film of all time.
Critical response
The review aggregator Rotten Tomatoes records positive reviews based on critics and an average rating of . The critical consensus reads, "A Shaun the Sheep Movie: Farmageddon retains the charm of its small-screen source material while engagingly expanding the title character's world." On Metacritic, the film has a score of 79 out of 100, based on 17 critics, indicating "generally favorable reviews".
Guy Lodge of Variety, who reviewed the previous film, gave the film a positive review, saying, "The great pleasure of these films' bright, largely wordless slapstick is that it plays universally whilst accommodating all manner of obsessive, idiosyncratic detailing at the edges."
Kenneth Turan of the Los Angeles Times who also reviewed the previous film, gave the film a positive review, saying "That all these characters and then some have distinct personalities is all the more remarkable because no one uses actual words, instead making do quite nicely with assorted grunts, groans and indefinable grumbles."
Brian Tallerico of RogerEbert.com gave 3.5/4 stars to the movie, saying "If you like anything Aardman, or anything funny really, you should make an effort to find it."
Carlos Aguilar of The Wrap gave the film a positive review, saying, "A quick-witted and uproarious homage to the sci-fi genre like only the stop-motion geniuses at Aardman Animations could imagine and handcraft."
Awards and nominations
Video game
A related videogame, entitled Home Sheep Home: Farmageddon Party Edition was released on Nintendo Switch and Steam in October 2019. It was released in Japan in August 2020 by Greenlight Games. It was also released on PS4 and Xbox in 2023. In the game, Shaun, Shirley, and Timmy find their way back to the green grass of home, all hosted by Lu-La. The puzzle-platform game reused much of the gameplay from previous Home Sheep Home games.
References
External links
A Shaun the Sheep Movie: Farmageddon at Rotten Tomatoes
A Shaun the Sheep Movie: Farmageddon at Box Office Mojo
Animated films without speech
2010s adventure films
2010s adventure comedy films
2010s children's comedy films
2010s science fiction films
2019 fantasy films
2019 animated films
2019 films
StudioCanal films
Aardman Animations feature films
Animated adventure films
Animated buddy films
British animated comedy films
Animated films about dogs
Animated films about extraterrestrial life
Animated films based on animated series
Animated space adventure films
British adventure comedy films
British animated fantasy films
British animated science fiction films
British buddy comedy films
British children's animated films
British children's comedy films
British children's fantasy films
British independent films
Clay animation films
2010s English-language films
2010s fantasy comedy films
Films about amnesia
Films about animal rights
Animated films about sheep
Animated films set on farms
2010s stop-motion animated films
Shaun the Sheep films
2010s buddy comedy films
2019 comedy films
StudioCanal animated films
2010s British films
French animated comedy films
2010s French animated films
2010s British animated films |
Abergwesyn is a village in the Welsh county of Powys, in mid-Wales, at the start of the Abergwesyn valley and at the confluence of the Afon Irfon and the Afon Gwesyn. It is from Cardiff and from London.
Abergwesyn Commons stretch between the Nant Irfon valley and Llanwrthwl. They are rich in archaeology, including Bronze Age ritual sites and deserted medieval villages. A National Trust project is focused on the preservation of the peatland.
Abergwesyn Commons
Abergwesyn Commons cover an area of some and stretch for between the Nant Irfon valley in the west and Llanwrthwl in the east, are rich in archaeology, including Bronze Age ritual sites and deserted medieval villages. There are many cairns and other evidence of ancient human activity. To the north the ground falls away to the edge of the Elan Valley Reservoirs. The summit ridge is wild and bleak with expansive views across the roof of Wales. Among the wildlife to be seen are red grouse, northern lapwing and red kite.
National Trust
The National Trust has an ongoing ecology project, centred on the preservation of peatland in the Abergwesyn Commons. The site has extensive areas of deep peat and blanket bog in poor condition due to past overgrazing and burning. The work done has benefited the golden plover, an amber-listed species on the Birds of Conservation Concern index.
Church and chapel
Formerly a chapel of ease to Llangamarch, St David's became a parish church, last used in 1865. There are remains of a building, , nowhere reaching above in 1977. This is set within the remains of a churchyard and associated with Ffynnon Ddewi.
In 1740 the curate in the parishes of Llanwrtyd, Llanfihangel Abergwesyn and Llanddewi Abergwesyn, was Wales' most famous hymn-writer William Williams Pantycelyn. Llanddewi Abergwesyn parish was united with Llanfihangel Abergwesyn parish in 1885, and separate marriage registers were not kept thereafter. Parish registers are held, at the National Library of Wales and/or Powys Archives for baptisms 1813–1984, marriages 1813–1873, burials 1813-1986 and banns 1826-1862 and 1957–1959. Also, at Cardiff Central Library and NLW, are records of baptisms 1738–1812, marriages 1738-56 and 1765–1812, and burials 1738–1812. Bishops' Transcripts, for various periods, are also held at NLW.
The Moriah Welsh Independent Chapel, initially constructed in 1828 and later rebuilt in 1867, is characterized by its whitewashed stone construction and follows the Vernacular architectural style. The chapel features a gable entry plan and flat-headed windows. A porch entrance was added at a later date, situated within one gable, and leads to a platform pulpit dating from the late nineteenth century, positioned beyond the pews. Adjacent to one side of the chapel is a lean-to store and/or stable, while the pulpit end and the opposite side elevation showcase two rectangular sash windows each, adorned with colored border glazing from the late nineteenth century.
Inside the chapel, there is a plain boarded ceiling and memorial tablets adorning the walls. Although the chapel remained in use as of 2001, it ceased operations by 2010.
Other Landmarks
ROC Bunker
The village was the location for a small Royal Observer Corps Monitoring Bunker between 1961 and 1968, It remains mostly intact.
See also
Desert of Wales
References
External links
Photos of Abergwesyn and surrounding area on geograph
Villages in Powys
Scenic routes in the United Kingdom
Llanwrtyd Wells |
```text
Alternative Names
0
PARAM.SFO
/*
Akumajou Dracula Lords Of Shadow 2
*/
#
Debug Menu At Main Menu
0
dron_3
0 001168C4 38A00003
#
God Mode + Magic No Cost (after first hit)
0
dron_3
0 0018FB00 60000000
0 0018FB04 38800001
0 0018FB10 90830024
0 0018FB18 60000000
0 0018FB24 98830022
0 0018FB2C 48000450
0 0018FF84 98830022
0 0018FF8C 48000238
#
Auto Block
0
dron_3
0 0018CD20 60000000
0 0018CD2C 60000000
0 0018CD84 4186006C
#
Infinite Health
0
dron_3
0 001969C0 48000008
#
Infinite Health
dron_3
6 011E235C 00000268
6 00000000 00000118
0 00000000 43480000
#
Infinite Void Power
0
dron_3
0 010E3D74 42C80000
#
Infinite Chaos Power
0
dron_3
0 010E3DA0 42C80000
#
Infinite Shadow Dagger Power
0
dron_3
0 010EE520 42C80000
#
Infinite Bat Swarm
0
dron_3
0 010E4074 42C80000
#
Infinite Myst Form
0
dron_3
0 010EEB00 42C80000
#
Infinite Tears of a Saint
0
dron_3
0 010E4510 00000003
#
Infinite Ensnared Demon
0
dron_3
0 010E4568 00000003
#
Infinite Stolas Clock
0
dron_3
0 010E45C0 00000003
#
Infinite Seal of Alastor
0
dron_3
0 010E453C 00000003
#
Infinite Dodo Eggs
0
dron_3
0 010E469C 00000003
#
Infinite Talisman of the Dragon
0
dron_3
0 010E45EC 00000001
#
Infinite Dungeon Keys
0
dron_3
0 010E46C8 00000009
#
Invincibility
0
GuitarMan
0 00DA76B0 3C60011E
0 00DA76B4 9323165C
0 00DA76B8 63230000
0 00DA76BC 3EC0011E
0 00DA76C0 82D6165C
0 00DA76C4 7F96C840
0 00DA76C8 409E0008
0 00DA76CC 3EE04348
0 00DA76D0 92F90118
0 00DA76D4 4818B092
0 0018B08C 48DA76B2
#
1 Hit Kill
0
GuitarMan
0 00EC971C 2B860063
0 00EC9720 409E0008
0 00EC9724 3C600001
0 00EC9728 90790118
0 00EC972C 480FF3BE
0 000FF3B8 48EC971E
#
Infinite Health Alternative
0
flynhigh09 or ICECOLDKILLAH?
0 00DA76B0 3C80011E
0 00DA76B4 3084165C
0 00DA76B8 80840000
0 00DA76BC 80840268
0 00DA76C0 7C041800
0 00DA76C4 4082000C
0 00DA76C8 C023011C
0 00DA76CC D0230118
0 00DA76D0 4E800020
0 0018A364 48C19574
#
AoB Debug Menu At Main Menu
0
dron_3
B 00010000 04000000
B 38A0000038C0000030639E70 38A0000338C0000030639E70
#
AoB God Mode + Magic No Cost (after first hit)
0
dron_3
B 00010000 04000000
B your_sha256_hash30633C8C886300222C03000040820450 your_sha256_hash30633C8C988300222C03000048000450
B 00010000 04000000
B 3C60010E30633C68886300222C03000040820238 3C60010E30633C68988300222C03000048000238
#
AoB Auto Block
0
dron_3
B 00010000 04000000
B 41820194807F00502C03000141820188 60000000807F00502C03000160000000
B 00010000 04000000
B 2C0300014C4613424182006C 2C0300014C4613424186006C
#
AoB Infinite Health
0
dron_3
B 00010000 04000000
B 4186000848000008FC201090FC400890D04301184800000C 4800000848000008FC201090FC400890D04301184800000C
#
AoB Invincibility
0
GuitarMan
B 00010000 04000000
B your_sha256_hash000000000000000000000000000000000000000000000000 your_sha256_hash82D6165C7F96C840409E00083EE042C892F901184818B092
B 00010000 04000000
B 4BFFF2F12C0300004082003863230000 4BFFF2F12C0300004082003848DA76B2
#
AoB 1 Hit Kill
0
GuitarMan
B 00010000 04000000
B your_sha256_hash0000000000000000 your_sha256_hash90790118480FF3BE
B 00010000 04000000
B 2C1D000040810608807E05CC2C030000 2C1D00004081060848EC971E2C030000
#
``` |
Micajah Coffin (August 18, 1734 – May 25, 1827) was an American mariner, trader in the whaling industry and politician who served as a member of the Massachusetts House of Representatives.
Early life
Coffin was born to Benjamin and Jedida (née Hussey) Coffin on Nantucket, Province of Massachusetts, August 18, 1734. Of all his siblings, he was the one who became proficient in Latin and was able to have conversations in the Latin language with his father to the admiration and amazement of their friends. He worked as a carpenter in his early years.
Family life
On June 1, 1757, Micajah Coffin, at age 23, married Abigail Coleman, the daughter of Elihu Coleman, a distinguished Quaker preacher of his day in the Nantucket Quaker Meeting House. They had four children: Isaiah, Gilbert, Jedida, and Zenas Coffin. Their youngest son, Zenas Coffin, became one of the most successful of Nantucket's eighteenth century whaling merchants. His first cousin was Sir Admiral Isaac Coffin.
Business career
Coffin was one of the leading mariners and traders in the whaling industry. Coffin and two of his sons, Gilbert Coffin and Zenas Coffin, operated a Nantucket based whaling firm during the late eighteenth and early nineteenth centuries called Micajah Coffin and Sons. Their firm conducted business dealing in whale oil, candles, potash, and supplies to Nantucket. Their firm not only conducted business in eastern United States ports, but also did so in the West Indies, France, Nova Scotia, Brazil, and England. Their firm had great success and laid the foundation for Zenas Coffin's future fortune which he later used to enrich the island.
Coffin's whaling firm's first ships were called "sloops" and went on short whaling cruises and trading cruises. The records show Micajah was either the owner or had business interests in the following "sloops": Fames, Hepzibah, Woolf, Speedwell, Friendship, and Brothers. In 1790, large-scale business began when Micajah bought the ship the Lydia. The Lydia could carry eight hundred barrels of oil (or freight equivalent). The first large-sized ships owned by the firm were: Hebe, Whale, Trial, Diana, Brothers, Phebe, and Cato.
Political career
In 1791, at age 57, Coffin was elected by a large vote as a member of the Massachusetts House of Representatives representing Nantucket. He served this office for 21 years from 1791 to 1812. For his first 15 years, he was the only representative for Nantucket County.
On May 29, 1795, Coffin offered an act to the House to change their current name of the "Town of Sherborn" in Nantucket County to the "Town of Nantucket" as there was another town with the same name in the Commonwealth of Massachusetts creating confusion for people. On June 8, 1795, this bill was endorsed and signed by Governor Samuel Adams which made it officially changed and known as Nantucket in Nantucket County.
Death
In Coffin's last years, he lost his mental acuteness. Coffin died on May 25, 1827. The Governor of Massachusetts at the time, Levi Lincoln, honored Micajah by visiting him on Nantucket the autumn before his death.
See also
Coffin (whaling family)
Coffin (surname)
External links
Internet Archive copy of Will Gardner's 1949 "The Coffin Saga" book
References
1734 births
Members of the Massachusetts House of Representatives
People from Nantucket, Massachusetts
1827 deaths
Micajah
American sailors
Businesspeople from Massachusetts |
```raw token data
Type escape sequence to abort.
Tracing the route to 10.225.2.1
VRF info: (vrf in name/id, vrf out name/id)
1 10.180.140.150 1 msec 1 msec 1 msec
2 172.17.10.225 169 msec 142 msec 135 msec
3 108.170.246.129 13 msec * * * * * * * * *
4 74.125.242.97 14 msec
216.239.63.218 12 msec
172.253.68.212 13 msec
74.125.242.97 13 msec
216.239.56.192 13 msec
74.125.242.97 13 msec
108.170.238.117 13 msec
216.239.58.220 13 msec
74.125.242.97 13 msec 13 msec
5 216.58.204.46 13 msec
74.125.242.115 12 msec
74.125.242.114 15 msec
108.170.238.117 12 msec
108.170.238.119 13 msec
74.125.242.83 12 msec 12 msec 13 msec
74.125.242.82 12 msec
108.170.238.117 14 msec
6 172.17.10.225 !H * !H
``` |
```python
#!/usr/bin/env python
import numpy
import tensorflow as tf
from grpc.beta import implementations
from tensorflow_serving.apis import predict_pb2, prediction_service_pb2
tf.app.flags.DEFINE_string("host", "0.0.0.0", "TensorFlow Serving server ip")
tf.app.flags.DEFINE_integer("port", 8500, "TensorFlow Serving server port")
tf.app.flags.DEFINE_string("model_name", "default", "The model name")
tf.app.flags.DEFINE_integer("model_version", -1, "The model version")
tf.app.flags.DEFINE_string("signature_name", "", "The model signature name")
tf.app.flags.DEFINE_float("request_timeout", 10.0, "Timeout of gRPC request")
FLAGS = tf.app.flags.FLAGS
def main():
# Generate inference data
keys = numpy.asarray([1, 2, 3, 4])
keys_tensor_proto = tf.contrib.util.make_tensor_proto(keys, dtype=tf.int32)
features = numpy.asarray(
[[1, 2, 3, 4, 5, 6, 7, 8, 9], [1, 1, 1, 1, 1, 1, 1, 1, 1],
[9, 8, 7, 6, 5, 4, 3, 2, 1], [9, 9, 9, 9, 9, 9, 9, 9, 9]])
features_tensor_proto = tf.contrib.util.make_tensor_proto(
features, dtype=tf.float32)
# Create gRPC client
channel = implementations.insecure_channel(FLAGS.host, FLAGS.port)
stub = prediction_service_pb2.beta_create_PredictionService_stub(channel)
request = predict_pb2.PredictRequest()
request.model_spec.name = FLAGS.model_name
if FLAGS.model_version > 0:
request.model_spec.version.value = FLAGS.model_version
if FLAGS.signature_name != "":
request.model_spec.signature_name = FLAGS.signature_name
request.inputs["keys"].CopyFrom(keys_tensor_proto)
request.inputs["features"].CopyFrom(features_tensor_proto)
# Send request
result = stub.Predict(request, FLAGS.request_timeout)
print(result)
if __name__ == "__main__":
main()
``` |
Stefan Schmidt may refer to:
Stefan Schmidt (footballer, born 1975), Danish footballer
Stefan Schmidt (footballer, born 1989), German footballer
Stefan Schmidt (politician) (born 1981), German politician
Stefan Due Schmidt (born 1994), Danish speed skater
See also
Stefan Schmid (born 1970), German decathlete |
Big Beaver may refer to:
Big Beaver, Pennsylvania, a borough in Beaver County
Big Beaver, Saskatchewan, a hamlet
Big Beaver, background character from Foster’s Home for Imaginary Friends
See also
Big Beaver Airport, in Troy, Michigan
Big Beaver Creek, in Lancaster County, Pennsylvania |
The Florida Avenue Bridge is a vertical lift bridge spanning the Industrial Canal in New Orleans, Louisiana. The bridge has one railroad track, two vehicle lanes and two sidewalks. A parallel high-elevation four-lane roadway bridge is planned.
History
The Florida Avenue Bridge takes its name from Florida Avenue, formerly the Florida Walk alongside the Florida Canal.
Florida Avenue was one of the first four bridges built by the Port of New Orleans in the 1920s in order to provide railroad access across the Inner Harbor-Navigational Canal, locally referred to as the Industrial Canal. The three of the original four identical bridges are in use today—St. Claude Avenue, Almonaster Avenue, and Seabrook. While St. Claude Bridge no longer carries rail service, Almonaster and Seabrook remain dedicated to rail service only. The original Florida Avenue Bridge was removed in 2000 as a hazard to marine navigation and replaced with the current modern, steel structure which was completed in May 2005. It was designed by Modjeski and Masters, Inc. and built by American Bridge with a total project cost of approximately $47 million. The new bridge was primarily funded by the United States Coast Guard under a Truman-Hobbs appropriation.
The current bridge
The new bridge has a horizontal clearance of and 156 feet (47.5 m) vertical clearance above the low water level in the fully raised position. In the lowered position, the vertical clearance is less than five feet above the low water level. position.
Most of the marine usage of the Florida Avenue site consists of towboat and barge traffic transiting from the Mississippi River, through the Corps of Engineer's Inner Harbor-Navigational CanalLock, then east following the Gulf Intracoastal Waterway. The lift bridge is capable of sufficient vertical clearance for ship traffic.
The bridge has undergone repairs due to Hurricane Katrina storm surge in 2005. It sustained flooding once again due to Hurricane Gustav in 2008. Operations of the Port of New Orleans' four bridges across the Inner Harbor-Navigational Canal, including special alerts, can be found at www.portno.com at the link for citizen resources at the link for bridges.
Plans for a newer bridge
A parallel, four-lane, vehicular only, is planned to be built just south of (toward the Mississippi River from) the Port of New Orleans' existing lift bridge by the Louisiana State Department of Transportation and Development. Design is underway, but due to funding issues, the construction has been placed on hold by the State of Louisiana.
References
External links
www.portno.com
American Bridge Company: Florida Avenue Bridge
Louisiana TIMED Program: Florida Avenue Bridge
Modjeski & Masters, Consulting Engineers:
Bridges in New Orleans
Vertical lift bridges in Louisiana
Intracoastal Waterway
Bridges completed in 2005
Road-rail bridges in the United States
Road bridges in Louisiana
Railroad bridges in Louisiana
Steel bridges in the United States
2005 establishments in Louisiana |
```java
/*
* or more contributor license agreements. See the NOTICE file
* distributed with this work for additional information
* regarding copyright ownership. The ASF licenses this file
*
* path_to_url
*
* Unless required by applicable law or agreed to in writing,
* "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
* specific language governing permissions and limitations
*/
package org.apache.pulsar.jclouds;
import com.google.inject.AbstractModule;
import java.util.ArrayList;
import java.util.List;
import lombok.experimental.UtilityClass;
import lombok.extern.slf4j.Slf4j;
import org.jclouds.ContextBuilder;
import org.jclouds.http.apachehc.config.ApacheHCHttpCommandExecutorServiceModule;
import org.jclouds.http.okhttp.config.OkHttpCommandExecutorServiceModule;
import org.jclouds.logging.slf4j.config.SLF4JLoggingModule;
/**
* This utility class helps in dealing with shaded dependencies (especially Guice).
*/
@UtilityClass
@Slf4j
public class ShadedJCloudsUtils {
/**
* Use this System property to temporarily disable Apache Http Client Module.
* If you encounter problems and decide to use this flag please
* open a GH and share your problem.
* Apache Http Client module should work well in all the environments.
*/
private static final boolean ENABLE_APACHE_HC_MODULE = Boolean
.parseBoolean(System.getProperty("pulsar.jclouds.use_apache_hc", "false"));
private static final boolean ENABLE_OKHTTP_MODULE = Boolean
.parseBoolean(System.getProperty("pulsar.jclouds.use_okhttp", "false"));
static {
log.info("Considering -Dpulsar.jclouds.use_apache_hc=" + ENABLE_APACHE_HC_MODULE);
log.info("Considering -Dpulsar.jclouds.use_okhttp=" + ENABLE_OKHTTP_MODULE);
}
/**
* Setup standard modules.
* @param builder the build
*/
public static void addStandardModules(ContextBuilder builder) {
List<AbstractModule> modules = new ArrayList<>();
modules.add(new SLF4JLoggingModule());
if (ENABLE_OKHTTP_MODULE) {
modules.add(new OkHttpCommandExecutorServiceModule());
} else if (ENABLE_APACHE_HC_MODULE) {
modules.add(new ApacheHCHttpCommandExecutorServiceModule());
}
builder.modules(modules);
}
}
``` |
Busbridge (or Bushbridge) was launched in 1782 as an East Indiaman for the British East India Company (EIC). She made seven voyages for the EIC before she was broken up. In June 1795, during her sixth voyage, she participated in the capture of eight vessels of the Dutch East India Company. She was laid up for several years on her return from her seventh voyage and sold for breaking up in 1805.
Career
EIC voyage #1 (1782–1784): Captain Todd sailed from Portsmouth on 11 September 1782, bound for Madras and Bengal. Busbridge returned to The Downs on 7 August 1784.
EIC voyage #2 (1785–1786): Captain Thomas Robertson sailed from The Downs on 15 March 1785, bound for China. Busbridge arrived at Whampoa anchorage on 24 September. She left China on 28 January 1786, reached St Helena on 2 May, and arrived at Long Reach on 10 July.
EIC voyage #3 (1787–1788): Captain Robertson sailed from The Downs on 19 February 1787, bound for Madras and Bengal. Busbridge reached Madras on 6 June and arrived at Diamond Harbour on 27 June. Homeward bound, she was at Cox's Island on 16 November, returned to Madras on 6 January 1788, reached St Helena on 2 March, and arrived at Long Reach on 29 April.
EIC voyage #4 (1789–1790): Captain Robertson sailed from The Downs on 7 March 1789, bound for Madras and Bengal. Busbridge reached Madras on 24 June and arrived at Diamond Harbour on 3 July. Homeward bound, she was at Cox's Island on 23 November and Saugor on 14 December. She reached St Helena on 2 March 1790, and arrived at Long Reach on 1 May.
EIC voyage #5 (1792–1793): Capt Robertson sailed from The Downs on 15 April 1792, bound for Madras and Bengal. Busbridge reached Madras on 25 August and arrived at Diamond Harbour on 19 September. Homeward bound, she was at Saugor on 7 February 1793 and reached St Helena on 22 May. She sailed from St Helena on 20 June and arrived at Long Reach on 24 August.
The EIC inspected the East Indiamen as they arrived and on 15 October fined Robertson and eight other captains £100 each for having not stowed their cargoes in conformance with the Company's orders. The money was to go to Poplar Hospital.
EIC voyage #6 (1794–1795): French Revolutionary Wars had broken out as Busbridge was returning from Bengal on her fifth voyage. Captain Robertson acquired a letter of marque on 17 August 1793. However, he did not sail her on her sixth voyage. Captain Samuel Maitland acquired a letter of marque on 21 December.
The British government held her at Portsmouth, together with a number of other Indiamen in anticipation of using them as transports for an attack on Île de France (Mauritius). It gave up the plan and released the vessels in May 1794. It paid £1,365 12s for having delayed her departure by 72 days.
Captain Maitland sailed from Portsmouth on 2 May 1794, bound for Madras and China. Busbridge reached Madras on 11 September and arrived at Diamond Harbour on 15 October. Homeward bound, She was at Saugor on 31 December. She reached Madras on 3 March 1795 and reached St Helena on 22 May.
The British gathering at St Helena for convoy home found out that a large squadron of Dutch East Indiamen would be sailing from the Dutch Cape Colony. After France had invaded Holland earlier that year, instructions had gone out throughout the British colonies and Navy that Dutch vessels were to be detained. Between 3 June and 17 June an ad hoc squadron consisting of and the Indiamen and , succeeded in capturing eight Dutch East Indiamen off St Helena.
Busbridge was in a second squadron of East Indiamen and she and arrived on the scene in time to help board the Dutch vessels. There were no casualties on either side. The British then brought their prizes into St Helena on 17 June.
The entire convoy Indiamen and prizes, all under escort by Sceptre, left St Helena in August. Busbridge arrived at Long Reach on 19 October.
Because the capture of the Dutch vessels had occurred before Britain had declared war on the Batavian Republic, the vessels became Droits to the Crown. Still, prize money, in the amount of two-thirds of the value of the Dutch ships amounted to £76,664 14s. Of this, £61,331 15s 2d was distributed among the officers and crew of Sceptre, General Goddard, Busbridge, Asia, and Swallow. The remainder went to the garrison at St Helena, and various vessels in the St Helena roads. Thirty-three years later, in July 1828, there was a small final payment.
EIC voyage #7 (1796–1799): Captain John Dobrée acquired a letter of marque on 2 June 1796. He sailed from Portsmouth on 11 August 1796, bound for Bengal. Busbridge reached the Cape of Good Hope on 18 November and arrived at Kedgeree on 28 February 1798.
The British government chartered Busbridge, as well as numerous other Indiamen and country ships, to serve as a transport in a planned attack on Manila. She was Diamond Harbour on 2 April, and Madras on 29 August. She sailed to Penang, where she arrived on 17 September. There she joined the other vessels. Between 2 September and 26 November Busbridge was under the command of Lieutenant Kempt (Royal Navy).
When the British Government cancelled the invasion following a peace treaty with Spain, it released the vessels it had engaged. On 9 December Busbridge returned to Madras and on 29 February 1798 arrived at Calcutta.
Homeward bound, Busbridge was at Diamond Harbour on 5 July and Saugor on 10 August. She returned to Madras on 2 October, reached the Cape on 3 January 1799 and St Helena on 8 February, and arrived at Long Reach on 15 July.
The EIC charged the British government some £6083 for demurrage for the 292 days delay to Busbridges original voyage, plus £800 for table expenses. Dobrée sued for additional expenses but lost.
Fate
Busbridge was laid up after her return to England in 1799. She was sold in 1805 for breaking up.
Notes
Citations
References
Proceedings Relative to Ships Tendered for the Service of the United East-India Company, from the Twenty-sixth of March, 1794, to the Sixth of January, 1795: With an Appendix.
1782 ships
Age of Sail merchant ships of England
Ships of the British East India Company |
```sourcepawn
# Skip tests which suffer from
# Bug#28309 First insert violates unique constraint
# - was "memory" table empty?
# if the folowing conditions are fulfilled:
# - MySQL Version is 5.0 (Bug is fixed in 5.1 and up)
# - use of embedded server
# - run on a case insensitive filesystem
#
let $value= query_get_value(SHOW VARIABLES LIKE 'lower_case_file_system', Value, 1);
if (`SELECT '$value' = 'ON' AND VERSION() LIKE '5.0%embedded%'`)
{
skip # Test requires backport of fix for Bug#28309 First insert violates unique constraint - was "memory" table empty ?;
}
``` |
```c++
This program is free software; you can redistribute it and/or modify
the Free Software Foundation
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
with this program; if not, write to the Free Software Foundation, Inc.,
51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA. */
#include "stdh.h"
#include <Engine/Terrain/Terrain.h>
#include <Engine/Math/Plane.h>
#include <Engine/Math/Clipping.inl>
#include <Engine/Math/Geometry.inl>
#include <Engine/Entities/Entity.h>
static CTerrain *_ptrTerrain = NULL;
static FLOAT3D _vOrigin; // Origin of ray
static FLOAT3D _vTarget; // Ray target
static FLOAT _fMinHeight; // Min height that ray will pass through in tested quad
static FLOAT _fMaxHeight; // Max height that ray will pass through in tested quad
static BOOL _bHitInvisibleTris; // Does ray hits invisible triangles
static FLOAT3D _vHitExact; // hit point
static FLOATplane3D _plHitPlane; // hit plane
// TEMP
static CStaticStackArray<GFXVertex> _avRCVertices;
static CStaticStackArray<INDEX> _aiRCIndices;
static FLOAT3D _vHitBegin;
static FLOAT3D _vHitEnd;
static FLOAT _fDistance;
// Test ray agains one quad on terrain (if it's visible)
static FLOAT HitCheckQuad(const PIX ix, const PIX iz)
{
FLOAT fDistance = UpperLimit(0.0f);
// if quad is outside terrain
if(ix<0 || iz<0 || ix>= (_ptrTerrain->tr_pixHeightMapWidth-1) || iz >= (_ptrTerrain->tr_pixHeightMapHeight-1)) {
return fDistance;
}
ASSERT(ix>=0 && iz>=0);
ASSERT(ix<(_ptrTerrain->tr_pixHeightMapWidth-1) && iz<(_ptrTerrain->tr_pixHeightMapHeight-1));
const PIX pixMapWidth = _ptrTerrain->tr_pixHeightMapWidth;
const INDEX ctVertices = _avRCVertices.Count(); // TEMP
UWORD *puwHeight = &_ptrTerrain->tr_auwHeightMap[ix + iz*pixMapWidth];
UBYTE *pubMask = &_ptrTerrain->tr_aubEdgeMap[ix + iz*pixMapWidth];
GFXVertex *pvx = _avRCVertices.Push(4);
GFXVertex *pavVertices = &_avRCVertices[0];
// Add four vertices
pvx[0].x = (ix+0) * _ptrTerrain->tr_vStretch(1);
pvx[0].y = puwHeight[0] * _ptrTerrain->tr_vStretch(2);
pvx[0].z = (iz+0) * _ptrTerrain->tr_vStretch(3);
pvx[0].shade = pubMask[0];
pvx[1].x = (ix+1) * _ptrTerrain->tr_vStretch(1);
pvx[1].y = puwHeight[1] * _ptrTerrain->tr_vStretch(2);
pvx[1].z = (iz+0) * _ptrTerrain->tr_vStretch(3);
pvx[1].shade = pubMask[1];
pvx[2].x = (ix+0) * _ptrTerrain->tr_vStretch(1);
pvx[2].y = puwHeight[pixMapWidth] * _ptrTerrain->tr_vStretch(2);
pvx[2].z = (iz+1) * _ptrTerrain->tr_vStretch(3);
pvx[2].shade = pubMask[pixMapWidth];
pvx[3].x = (ix+1) * _ptrTerrain->tr_vStretch(1);
pvx[3].y = puwHeight[pixMapWidth+1] * _ptrTerrain->tr_vStretch(2);
pvx[3].z = (iz+1) * _ptrTerrain->tr_vStretch(3);
pvx[3].shade = pubMask[pixMapWidth+1];
BOOL bFacing = (ix + iz*pixMapWidth)&1;
INDEX ctIndices=0;
// Add one quad
if(bFacing) {
// if at least one point of triangle is above min height and bellow max height of ray and traingle is visible
if((pvx[0].y>=_fMinHeight || pvx[2].y>=_fMinHeight || pvx[1].y>=_fMinHeight) &&
(pvx[0].y<=_fMaxHeight || pvx[2].y<=_fMinHeight || pvx[1].y<=_fMinHeight) &&
((pvx[0].shade + pvx[2].shade + pvx[1].shade == 255*3) | _bHitInvisibleTris)) {
// Add this triangle
INDEX *pind = _aiRCIndices.Push(3);
pind[0] = ctVertices+0;
pind[1] = ctVertices+2;
pind[2] = ctVertices+1;
ctIndices+=3;
}
// if at least one point of triangle is above min height and bellow max height of ray and traingle is visible
if((pvx[1].y>=_fMinHeight || pvx[2].y>=_fMinHeight || pvx[3].y>=_fMinHeight) &&
(pvx[1].y<=_fMaxHeight || pvx[2].y<=_fMaxHeight || pvx[3].y<=_fMaxHeight) &&
((pvx[1].shade + pvx[2].shade + pvx[3].shade == 255*3) | _bHitInvisibleTris)) {
// Add this triangle
INDEX *pind = _aiRCIndices.Push(3);
pind[0] = ctVertices+1;
pind[1] = ctVertices+2;
pind[2] = ctVertices+3;
ctIndices+=3;
}
} else {
// if at least one point of triangle is above min height and bellow max height of ray and traingle is visible
if((pvx[2].y>=_fMinHeight || pvx[3].y>=_fMinHeight || pvx[0].y>=_fMinHeight) &&
(pvx[2].y<=_fMaxHeight || pvx[3].y<=_fMaxHeight || pvx[0].y<=_fMaxHeight) &&
((pvx[2].shade + pvx[3].shade + pvx[0].shade == 255*3) | _bHitInvisibleTris)) {
// Add this triangle
INDEX *pind = _aiRCIndices.Push(3);
pind[0] = ctVertices+2;
pind[1] = ctVertices+3;
pind[2] = ctVertices+0;
ctIndices+=3;
}
// if at least one point of triangle is above min height and bellow max height of ray and traingle is visible
if((pvx[0].y>=_fMinHeight || pvx[3].y>=_fMinHeight || pvx[1].y>=_fMinHeight) &&
(pvx[0].y<=_fMaxHeight || pvx[3].y<=_fMaxHeight || pvx[1].y<=_fMaxHeight) &&
((pvx[0].shade + pvx[3].shade + pvx[1].shade == 255*3) | _bHitInvisibleTris)) {
// Add this triangle
INDEX *pind = _aiRCIndices.Push(3);
pind[0] = ctVertices+0;
pind[1] = ctVertices+3;
pind[2] = ctVertices+1;
ctIndices+=3;
}
}
if(ctIndices==0) {
return fDistance;
}
INDEX *paiIndices = &_aiRCIndices[_aiRCIndices.Count() - ctIndices];
// for each triangle
for(INDEX iTri=0;iTri<ctIndices;iTri+=3) {
INDEX *pind = &paiIndices[iTri];
GFXVertex &v0 = pavVertices[pind[0]];
GFXVertex &v1 = pavVertices[pind[1]];
GFXVertex &v2 = pavVertices[pind[2]];
FLOAT3D vx0(v0.x,v0.y,v0.z);
FLOAT3D vx1(v1.x,v1.y,v1.z);
FLOAT3D vx2(v2.x,v2.y,v2.z);
FLOATplane3D plTriPlane(vx0,vx1,vx2);
FLOAT fDistance0 = plTriPlane.PointDistance(_vOrigin);
FLOAT fDistance1 = plTriPlane.PointDistance(_vTarget);
// if the ray hits the polygon plane
if (fDistance0>=0 && fDistance0>=fDistance1) {
// calculate fraction of line before intersection
FLOAT fFraction = fDistance0/(fDistance0-fDistance1);
// calculate intersection coordinate
FLOAT3D vHitPoint = _vOrigin+(_vTarget-_vOrigin)*fFraction;
// calculate intersection distance
FLOAT fHitDistance = (vHitPoint-_vOrigin).Length();
// if the hit point can not be new closest candidate
if (fHitDistance>fDistance) {
// skip this triangle
continue;
}
// find major axes of the polygon plane
INDEX iMajorAxis1, iMajorAxis2;
GetMajorAxesForPlane(plTriPlane, iMajorAxis1, iMajorAxis2);
// create an intersector
CIntersector isIntersector(vHitPoint(iMajorAxis1), vHitPoint(iMajorAxis2));
// check intersections for all three edges of the polygon
isIntersector.AddEdge(
vx0(iMajorAxis1), vx0(iMajorAxis2),
vx1(iMajorAxis1), vx1(iMajorAxis2));
isIntersector.AddEdge(
vx1(iMajorAxis1), vx1(iMajorAxis2),
vx2(iMajorAxis1), vx2(iMajorAxis2));
isIntersector.AddEdge(
vx2(iMajorAxis1), vx2(iMajorAxis2),
vx0(iMajorAxis1), vx0(iMajorAxis2));
// if the polygon is intersected by the ray, and it is the closest intersection so far
if (isIntersector.IsIntersecting() && (fHitDistance < fDistance)) {
// remember hit coordinates
if(fHitDistance<fDistance) {
fDistance = fHitDistance;
_vHitExact = vHitPoint;
_plHitPlane = plTriPlane;
}
}
}
}
return fDistance;
}
#pragma message(">> Remove defined NUMDIM, RIGHT, LEFT ...")
#define NUMDIM 3
#define RIGHT 0
#define LEFT 1
#define MIDDLE 2
// Check if ray hits aabbox and return coords where ray enter and exit the box
static BOOL HitAABBox(const FLOAT3D &vOrigin, const FLOAT3D &vTarget, FLOAT3D &vHitBegin,
FLOAT3D &vHitEnd, const FLOATaabbox3D &bbox)
{
const FLOAT3D vDir = (vTarget - vOrigin).Normalize();
const FLOAT3D vMin = bbox.minvect;
const FLOAT3D vMax = bbox.maxvect;
FLOAT3D vBeginCandidatePlane;
FLOAT3D vEndCandidatePlane;
FLOAT3D vBeginTDistance;
FLOAT3D vEndTDistance;
INDEX iOriginSide[3];
BOOL bOriginInside = TRUE;
INDEX i;
// Find candidate planes
for(i=1;i<4;i++) {
// Check begining of ray
if(vOrigin(i) < vMin(i)) {
vBeginCandidatePlane(i) = vMin(i);
vEndCandidatePlane(i) = vMax(i);
bOriginInside = FALSE;
iOriginSide[i-1] = LEFT;
} else if(vOrigin(i) > vMax(i)) {
vBeginCandidatePlane(i) = vMax(i);
vEndCandidatePlane(i) = vMin(i);
bOriginInside = FALSE;
iOriginSide[i-1] = RIGHT;
} else {
iOriginSide[i-1] = MIDDLE;
if(vDir(i)>0.0f) {
vEndCandidatePlane(i) = vMax(i);
} else {
vEndCandidatePlane(i) = vMin(i);
}
}
}
// Calculate T distances to candidate planes
for(i=1;i<4;i++) {
if(iOriginSide[i-1]!=MIDDLE && vDir(i)!=0.0f) {
vBeginTDistance(i) = (vBeginCandidatePlane(i)-vOrigin(i)) / vDir(i);
} else {
vBeginTDistance(i) = -1.0f;
}
if(vDir(i)!=0.0f) {
vEndTDistance(i) = (vEndCandidatePlane(i)-vOrigin(i)) / vDir(i);
} else {
vEndTDistance(i) = -1.0f;
}
}
// Get largest of the T distances for final choice of intersection
INDEX iBeginMaxT = 1;
INDEX iEndMinT = 1;
for(i=2;i<4;i++) {
if(vBeginTDistance(i) > vBeginTDistance(iBeginMaxT)) {
iBeginMaxT = i;
}
if(vEndTDistance(i)>=0.0f && (vEndTDistance(iEndMinT)<0.0f || vEndTDistance(i) < vEndTDistance(iEndMinT)) ) {
iEndMinT = i;
}
}
// if origin inside box
if(bOriginInside) {
// Begining of ray is origin point
vHitBegin = vOrigin;
// else
} else {
// Check final candidate actually inside box
if(vBeginTDistance(iBeginMaxT)<0.0f) {
return FALSE;
}
if(vEndTDistance(iEndMinT)<0.0f) {
return FALSE;
}
// Calculate point where ray enter box
for(i=1;i<4;i++) {
if(iBeginMaxT != i) {
vHitBegin(i) = vOrigin(i) + vBeginTDistance(iBeginMaxT) * vDir(i);
if(vHitBegin(i) < vMin(i) || vHitBegin(i) > vMax(i)) {
return FALSE;
}
} else {
vHitBegin(i) = vBeginCandidatePlane(i);
}
}
}
// Caclulate point where ray exit box
for(i=1;i<4;i++) {
if(iEndMinT != i) {
vHitEnd(i) = vOrigin(i) + vEndTDistance(iEndMinT) * vDir(i);
if(vHitEnd(i) < vMin(i) || vHitEnd(i) > vMax(i)) {
// no ray exit point !?
ASSERT(FALSE);
}
} else {
vHitEnd(i) = vEndCandidatePlane(i);
}
}
return TRUE;
}
// Test all quads in ray direction and return exact hit location
static FLOAT GetExactHitLocation(CTerrain *ptrTerrain, const FLOAT3D &vHitBegin, const FLOAT3D &vHitEnd,
const FLOAT fOldDistance)
{
// set global vars
_ptrTerrain = ptrTerrain;
_vOrigin = vHitBegin;
_vTarget = vHitEnd;
// TEMP
_avRCVertices.PopAll();
_aiRCIndices.PopAll();
const FLOAT fX0 = vHitBegin(1) / ptrTerrain->tr_vStretch(1);
const FLOAT fY0 = vHitBegin(3) / ptrTerrain->tr_vStretch(3);
const FLOAT fH0 = vHitBegin(2);// / ptrTerrain->tr_vStretch(2);
const FLOAT fX1 = vHitEnd(1) / ptrTerrain->tr_vStretch(1);
const FLOAT fY1 = vHitEnd(3) / ptrTerrain->tr_vStretch(3);
const FLOAT fH1 = vHitEnd(2);// / ptrTerrain->tr_vStretch(2);
FLOAT fDeltaX = Abs(fX1-fX0);
FLOAT fDeltaY = Abs(fY1-fY0);
FLOAT fIterator;
if(fDeltaX>fDeltaY) {
fIterator = fDeltaX;
} else {
fIterator = fDeltaY;
}
if(fIterator==0) {
fIterator = 0.01f;
}
const FLOAT fStepX = (fX1-fX0) / fIterator;
const FLOAT fStepY = (fY1-fY0) / fIterator;
const FLOAT fStepH = (fH1-fH0) / fIterator;
const FLOAT fEpsilonH = Abs(fStepH);
FLOAT fX;
FLOAT fY;
FLOAT fH;
// calculate prestep
if(fDeltaX>fDeltaY) {
if(fX0<fX1) {
fX = ceil(fX0);
fY = fY0 + (fX-fX0)*fStepY;
fH = fH0 + (fX-fX0)*fStepH;
} else {
fX = floor(fX0);
fY = fY0 + (fX0-fX)*fStepY;
fH = fH0 + (fX0-fX)*fStepH;
}
} else {
if(fY0<fY1) {
fY = ceil(fY0);
fX = fX0 + (fY-fY0)*fStepX;
fH = fH0 + (fY-fY0)*fStepH;
} else {
fY = floor(fY0);
fX = fX0 + (fY0-fY)*fStepX;
fH = fH0 + (fY0-fY)*fStepH;
}
}
// Chech quad where ray starts
_fMinHeight = vHitBegin(2)-fEpsilonH;
_fMaxHeight = vHitBegin(2)+fEpsilonH;
FLOAT fDistanceStart = HitCheckQuad(floor(fX0),floor(fY0));
if(fDistanceStart<fOldDistance) {
return fDistanceStart;
}
// for each iteration
INDEX ctit = ceil(fIterator);
for(INDEX iit=0;iit<ctit;iit++) {
PIX pixX = floor(fX);
PIX pixY = floor(fY);
FLOAT fDistance0;
FLOAT fDistance1;
// Check first quad
_fMinHeight = fH-fEpsilonH;
_fMaxHeight = fH+fEpsilonH;
fDistance0 = HitCheckQuad(pixX,pixY);
// if iterating by x
if(fDeltaX>fDeltaY) {
// check left quad
fDistance1 = HitCheckQuad(pixX-1,pixY);
// else
} else {
// check upper quad
fDistance1 = HitCheckQuad(pixX,pixY-1);
}
// find closer of two quads
if(fDistance1<fDistance0) {
fDistance0 = fDistance1;
}
// if distance is closer than old distance
if(fDistance0<fOldDistance) {
// return distance
return fDistance0;
}
fX+=fStepX;
fY+=fStepY;
fH+=fStepH;
}
// Chech quad where ray ends
_fMinHeight = vHitEnd(2)-fEpsilonH;
_fMaxHeight = vHitEnd(2)+fEpsilonH;
FLOAT fDistanceEnd = HitCheckQuad(floor(fX1),floor(fY1));
if(fDistanceEnd<fOldDistance) {
return fDistanceEnd;
}
// no hit
return UpperLimit(0.0f);
}
// Test a ray agains given terrain
FLOAT TestRayCastHit(CTerrain *ptrTerrain, const FLOATmatrix3D &mRotation, const FLOAT3D &vPosition,
const FLOAT3D &vOrigin, const FLOAT3D &vTarget,const FLOAT fOldDistance, const BOOL bHitInvisibleTris)
{
_vHitBegin = FLOAT3D(0,0,0);
_vHitEnd = FLOAT3D(0,0,0);
_vHitExact = FLOAT3D(0,0,0);
_bHitInvisibleTris = bHitInvisibleTris;
FLOATaabbox3D bboxAll;
FLOATmatrix3D mInvertRot = !mRotation;
FLOAT3D vStart = (vOrigin-vPosition) * mInvertRot;
FLOAT3D vEnd = (vTarget-vPosition) * mInvertRot;
FLOAT3D vHitBegin;
FLOAT3D vHitEnd;
FLOAT fDistance = UpperLimit(0.0f);
ptrTerrain->GetAllTerrainBBox(bboxAll);
extern INDEX ter_bTempFreezeCast;
static FLOAT3D _vFrozenStart;
static FLOAT3D _vFrozenEnd;
if(ter_bTempFreezeCast) {
vStart = _vFrozenStart;
vEnd = _vFrozenEnd;
} else {
_vFrozenStart = vStart;
_vFrozenEnd = vEnd;
}
// if ray hits terrain box
if(HitAABBox(vStart,vEnd,vHitBegin,vHitEnd,bboxAll)) {
// if begin and end are at same pos
if(vHitBegin==vHitEnd) {
// move end hit
vHitBegin(2)+=0.1f;
vHitEnd(2)-=0.1f;
}
_vHitBegin = vHitBegin;
_vHitEnd = vHitEnd;
// find exact hit location on terrain
fDistance = GetExactHitLocation(ptrTerrain,vHitBegin,vHitEnd,fOldDistance);
fDistance += (vStart-vHitBegin).Length();
}
_fDistance = fDistance;
return fDistance;
}
FLOAT TestRayCastHit(CTerrain *ptrTerrain, const FLOATmatrix3D &mRotation, const FLOAT3D &vPosition,
const FLOAT3D &vOrigin, const FLOAT3D &vTarget,const FLOAT fOldDistance,
const BOOL bHitInvisibleTris, FLOATplane3D &plHitPlane, FLOAT3D &vHitPoint)
{
ASSERT(ptrTerrain!=NULL);
ASSERT(ptrTerrain->tr_penEntity!=NULL);
CEntity *pen = ptrTerrain->tr_penEntity;
// casting ray
FLOAT fDistance = TestRayCastHit(ptrTerrain, mRotation, vPosition, vOrigin, vTarget, fOldDistance, bHitInvisibleTris);
// convert hit point to absulute point
vHitPoint = (_vHitExact * pen->en_mRotation) + pen->en_plPlacement.pl_PositionVector;
plHitPlane = _plHitPlane;
return fDistance;
}
#include <Engine/Graphics/Drawport.h>
#include <Engine/Graphics/Font.h>
void ShowRayPath(CDrawPort *pdp)
{
return;
INDEX ctVertices = _avRCVertices.Count();
INDEX ctIndices = _aiRCIndices.Count();
if(ctVertices>0 && ctIndices>0) {
gfxDisableTexture();
gfxDisableBlend();
gfxEnableDepthBias();
gfxPolygonMode(GFX_LINE);
gfxSetVertexArray(&_avRCVertices[0],_avRCVertices.Count());
gfxSetConstantColor(0xFFFFFFFF);
gfxDrawElements(_aiRCIndices.Count(),&_aiRCIndices[0]);
gfxDisableDepthBias();
gfxPolygonMode(GFX_FILL);
}
gfxEnableDepthBias();
gfxDisableDepthTest();
pdp->DrawPoint3D(_vHitBegin,0x00FF00FF,8);
pdp->DrawPoint3D(_vHitEnd,0xFF0000FF,8);
pdp->DrawPoint3D(_vHitExact,0x00FFFF,8);
pdp->DrawLine3D(_vHitBegin,_vHitEnd,0xFFFF00FF);
pdp->DrawLine3D(FLOAT3D(_vHitBegin(1),_vHitEnd(2),_vHitBegin(3)),_vHitEnd,0xFF0000FF);
gfxEnableDepthTest();
gfxDisableDepthBias();
/*
extern void gfxDrawWireBox(FLOATaabbox3D &bbox, COLOR col);
if(_ptrTerrain!=NULL) {
FLOATaabbox3D bboxAll;
_ptrTerrain->GetAllTerrainBBox(bboxAll);
gfxDrawWireBox(bboxAll,0xFFFF00FF);
}
pdp->SetFont( _pfdConsoleFont);
pdp->SetTextAspect( 1.0f);
pdp->SetOrtho();
pdp->PutText(CTString(0,"%g",_fDistance),0,0,0xFFFFFFFF);
*/
}
``` |
```objective-c
//
// AbstractPasswordDatabase.h
// Strongbox
//
// Created by Mark on 07/11/2017.
//
#import <Foundation/Foundation.h>
#import "Node.h"
#import "CompositeKeyFactors.h"
#import "DatabaseModel.h"
NS_ASSUME_NONNULL_BEGIN
typedef void (^OpenCompletionBlock)(BOOL userCancelled, DatabaseModel*_Nullable database, NSError*_Nullable innerStreamError, NSError*_Nullable error);
typedef void (^SaveCompletionBlock)(BOOL userCancelled, NSString*_Nullable debugXml, NSError*_Nullable error);
@protocol AbstractDatabaseFormatAdaptor <NSObject>
+ (BOOL)isValidDatabase:(nullable NSData *)prefix error:(NSError**)error;
+ (void)read:(NSInputStream*)stream
ckf:(CompositeKeyFactors*)ckf
completion:(OpenCompletionBlock)completion;
+ (void)read:(NSInputStream*)stream
ckf:(CompositeKeyFactors*)ckf
xmlDumpStream:(NSOutputStream*_Nullable)xmlDumpStream
sanityCheckInnerStream:(BOOL)sanityCheckInnerStream
completion:(OpenCompletionBlock)completion;
+ (void)save:(DatabaseModel*)database
outputStream:(NSOutputStream*)outputStream
params:(id _Nullable)params
completion:(SaveCompletionBlock)completion;
@property (nonatomic, class, readonly) DatabaseFormat format;
@property (nonatomic, class, readonly) NSString* fileExtension;
@end
NS_ASSUME_NONNULL_END
``` |
```xml
import delay from 'delay';
export default async function waitFor(condition: () => any): Promise<void> {
while (!condition()) {
// eslint-disable-next-line no-await-in-loop
await delay(10);
}
}
``` |
Sir Henry Frank Heath (11 December 1863 – 5 October 1946) was a British educationist and civil servant.
He was the eldest son of Henry Charles Heath, miniature pointer to Queen Victoria. He was educated at Westminster School and University College, London, after which he spent a year at the University of Strasbourg. When he came back to England he was appointed Professor of English at Bedford College, London (now Royal Holloway, University of London), and lecturer in English language and literature at King's College, London.
He held these posts until 1895, when he became assistant registrar and librarian of the University of London. He was appointed academic registrar in 1901, holding the post only for two years, when he joined the Government service as Director of Special Enquiries and Reports in the Board of Education (1903–16). He became principal assistant secretary of the Universities Branch of the Board from 1910 until he was appointed secretary to the department of Scientific and Industrial Research in 1916. He retired from the Department in 1927.
He was appointed Knight Commander of the Most Honourable Order of the Bath in 1917 and Knight Grand Cross of the Most Excellent Order of the British Empire in 1927.
References
1863 births
1946 deaths
20th-century British educators
Alumni of University College London
Knights Grand Cross of the Order of the British Empire
Knights Commander of the Order of the Bath
People associated with Royal Holloway, University of London
Academics of Royal Holloway, University of London |
{{DISPLAYTITLE:C9H11NO}}
The molecular formula C9H11NO (molar mass: 149.19 g/mol, exact mass: 149.0841 u) may refer to:
4'-Aminopropiophenone
Cathinone
para-Dimethylaminobenzaldehyde
Molecular formulas |
On-balance volume (OBV) is a technical analysis indicator intended to relate price and volume in the stock market. OBV is based on a cumulative total volume.
The formula
Because OBV is a cumulative result, the value of OBV depends upon the starting point of the calculation.
Application
Total volume for each day is assigned a positive or negative value depending on prices being higher or lower that day. A higher close results in the volume for that day to get a positive value, while a lower close results in negative value. So, when prices are going up, OBV should be going up too, and when prices make a new rally high, then OBV should too. If OBV fails to go past its previous rally high, then this is a negative divergence, suggesting a weak move.
The technique, originally called "continuous volume" by Woods and Vignola, was later named "on-balance volume" by Joseph Granville who popularized the technique in his 1963 book Granville's New Key to Stock Market Profits. The index can be applied to stocks individually based upon their daily up or down close, or to the market as a whole, using breadth of market data, i.e. the advance/decline ratio.
OBV is generally used to confirm price moves. The idea is that volume is higher on days where the price move is in the dominant direction, for example in a strong uptrend there is more volume on up days than down days.
Similar indicators
Other price × volume indicators:
Money flow
Price and volume trend
Accumulation/distribution index
See also
Dimensional analysis — explains why volume and price are multiplied (not divided) in such indicators
References
Technical indicators
External links
Investopedia Definition, On-Balance Volume Indicator
Tuned, Using The On-Balance Volume Indicator Programmatically |
Peggy Kamuf (born 1947) is the Marion Frances Chevalier Professor of French and Comparative Literature at the University of Southern California. She is one of the primary English translators of the works of Jacques Derrida. She received the American Comparative Literature Association's 2006 René Wellek Prize for her 2005 work Book of Addresses.
Professor Kamuf has also been awarded The Essential Humanities (Andrew W. Mellon Foundation) grant as well as a National Endowment for the Humanities Grant for the translation of the seminars of Jacques Derrida, working in collaboration with Geoffrey Bennington, Pascale-Anne Brault, Michael Naas, Elizabeth Rottenberg, and David Wills.
Reception
Women's writing
The Eighties saw Kamuf in a (decade-spanning) debate with Nancy K. Miller about the significance of women's writing, Kamuf arguing that proponents of gynocriticism were merely re-iterating a liberal humanism long since deconstructed by the likes of Derrida.
Bibliography
Books
Self-Authored
Kamuf, Peggy (2018). Literature and the Remains of the Death Penalty. Fordham University Press.
Kamuf, Peggy (2010). To Follow: The Wake of Jacques Derrida. Edinburgh: Edinburgh University Press.
Kamuf, Peggy (2005). Book of Addresses. Stanford University Press.
Adreßbuch. Translated by Rike Felka. Brinkmann und Bose. Berlin 2009. ISBN 978-3-940048-05-9.
Kamuf, Peggy (1997). The Division of Literature, or the University in Deconstruction. University of Chicago Press.
Kamuf, Peggy (1993). On the work of Jean-Luc Nancy. Edingburgh University Press.
Kamuf, Peggy (1991). A Derrida Reader: Between the Blinds.
Kamuf, Peggy (1988). Signature Pieces: On the Institution of Authorship. Cornell University Press.
Kamuf, Peggy (1982). Fictions of Feminine Desire: Disclosures of Heloise. University of Nebraska Pres.
Translations
Derrida, Jacques. (2013). The Death Penalty Volume I. Chicago, IL: The University of Chicago Press.
Cixous, Hélène. (2009). So Close. London: Polity Press.
Derrida, J., Kamuf (ed.), P., Rottenberb (ed.), E. (2008). Psyche: Inventions of the Other, Vol. 2. 333. Stanford, CA: Stanford UP.
Derrida, J., Kamuf, P., Rottenberg (ed.), E. (2007). Psyche: Inventions of the Other, Vol. 1. Stanford, CA: Stanford UP.
Derrida, J., Kamuf, P. (2002). Without Alibi. Stanford, CA: Jacques Derrida, Without Alibi (ed. P. Kamuf)/Stanford University Press.
Book chapters
Kamuf, P. (2008). "The Affect of America" in Derrida's Legacies: Literature and Philosophy. pp. 138–50. Routledge.
Kamuf, P. (2007). "Aller à la ligne".
Kamuf, P. (2005). "'J' Is for Just a Minute: It's Miller Time When It Shimmers,". pp. 197–209. New York: Provocations to Reading:J. Hillis Miller and the Democracy To Come/Fordham University Press.
Kamuf, P. (2004). "Venir aux débuts". pp. 329–334. Paris, France: Cahier de l'Herne: Jacques Derrida/Cahier de l'Herne.
Kamuf, P. (2004). "Signé Paine, ou la panique dans les lettres". pp. 19–35. Paris, France: La Démocratie à venir: Autour de Jacques Derrida/Editions Galilée.
Kamuf, P., Wolfreys, J. (2004). "Symptoms of Response: An Interview with Peggy Kamuf". pp. 20–32. Thinking Difference: Critics in Conversation, Fordham University Press.
Essays
Kamuf, P. `. (2010). "The Dawn of the Seminar". pp. 10. http://www.derridaseminars.org/index.html
Selected Journal Articles
Kamuf, P. (2013). "The Time of Marx: Derrida's Perestroika". The Los Angeles Review of Books. Time of Marx
Kamuf, P. (2012). "Protocol: Death Penalty Addiction". The Southern Journal of Philosophy. Vol. 50, pp. 5–19.
Kamuf, P. (2012). "Life in Storage: Of Capitalism and A&E's 'Storage Wars'". The Los Angeles Review of Books. Life in Storage
Kamuf, P. (2009). "The Names of War". Oxford Literary Review. Vol. 31 (2), pp. 231–48.
Kamuf, P., McCance, D. (2009). "Crossings: An Interview with Peggy Kamuf". Mosaic. Vol. 42 (4), pp. 1–17.
Kamuf, P. (2009). "The Ear Who?". Discourse. Vol. 30 (1-2), pp. 177–90.
Kamuf, P. (2009). "Signed Paine, or Panic in Literature". Diacritics. Vol. 38 (1-2), pp. 30–43.
Kamuf, P. (2009). "Bowing to Necessity in the Idiom of Rodolphe Gasché". New Centennial Review. Vol. 8 (3), pp. 85–105.
Kamuf, P. (2007). "To Do Justice to 'Rousseau,' Irreducibly". Eighteenth-Century Studies. Vol. 40 (3), pp. 395–404.
Kamuf, P. (2007). "Accounterability". Textual Practice. Vol. 21 (2), pp. 251–66.
Kamuf, P. (2007). "Deconstruction". Year's Work in Critical and Cultural Theory. Vol. 15, pp. 1–20.
Kamuf, P. (2006). "Afterburn: An Afterword to 'The Flying Manuscript,'". New Literary History. Vol. 37 (1), pp. 47–55.
Kamuf, P. (2006). "From Now On,". Epoché. Vol. 10 (2), pp. 203–20..
Kamuf, P. (2006). "Deconstruction,". Year's Work in Critical and Cultural Theory. Vol. 14, pp. 1–18..
Kamuf, P. (2006). "Composition Displacement". MLN. Vol. 121, pp. 872–92.
Kamuf, P. (2005). "To Follow". Differences: A Journal of Feminist Cultural Studies. Vol. 16, pp. 3 (Fall 2005).
Kamuf, P. (2004). "Peace Keeping the Other War". Revue de Littérature Comparée. Vol. 312 (Oct.-Dec. 2004), pp. 445–65.
Kamuf, P. (2004). "L'autre différence sexuelle". Europe: Revue littéraire mensuelle. Vol. May 2004, pp. 163–90.
Kamuf, P. (2004). "Traduire dans l'urgence". Le Magazine littéraire. Vol. 430 (April 2004), p. 49.
Kamuf, P. (2004). "The University in the World It Is Attempting To Think". Culture Machine (Web Journal). Vol. 6 (2004)
References
External links
Peggy Kamuf Papers—Pembroke Center Archives, Brown University
Living people
University of Southern California faculty
1947 births
French–English translators
Translators of Jacques Derrida |
When two objects touch, only a certain portion of their surface areas will be in contact with each other. This area of true contact, most often constitutes only a very small fraction of the apparent or nominal contact area. In relation to two contacting objects, the contact area is the part of the nominal area that consists of atoms of one object in true contact with the atoms of the other object. Because objects are never perfectly flat due to asperities, the actual contact area (on a microscopic scale) is usually much less than the contact area apparent on a macroscopic scale. Contact area may depend on the normal force between the two objects due to deformation.
The contact area depends on the geometry of the contacting bodies, the load, and the material properties. The contact area between the two parallel cylinders is a narrow rectangle. Two, non-parallel cylinders have an elliptical contact area, unless the cylinders are crossed at 90 degrees, in which case they have a circular contact area. Two spheres also have a circular contact area.
Friction and contact area
It is an empirical fact for many materials that F = μN, where F is the frictional force for sliding friction, μ is the coefficient of friction, and N is the normal force. There isn't a simple derivation for sliding friction's independence from area.
Methods for determining contact area
One way of determining the actual contact area is to determine it indirectly through a physical process that depends on contact area. For example, the resistance of a wire is dependent on the cross-sectional area, so one may find the contact area of a metal by measuring the current that flows through that area (through the surface of an electrode to another electrode, for example.)
See also
Contact mechanics
Contact resistance
References
Force |
Powder Blue may refer to:
Powder blue, a shade of blue
Powder Blue (film), written and directed by Timothy Linh Bui
"Powder Blue", by Ween from 12 Golden Country Greats, 1996
"Powder Blue", by Elbow from Asleep in the Back, 2001
"Powder Blue", by Ty Dolla Sign featuring Gunna from Featuring Ty Dolla Sign, 2020
Powder Blues, a 1983 album by the Powder Blues Band |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.