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;
```
|
Bulbophyllum appressum is a species of orchid in the genus Bulbophyllum.
References
The Bulbophyllum-Checklist
The Internet Orchid Species Photo Encyclopedia
appressum
|
```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>
```
|
```java
/*
* DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER.
*
*
* Subject to the condition set forth below, permission is hereby granted to any
* person obtaining a copy of this software, associated documentation and/or
* data (collectively the "Software"), free of charge and under any and all
* copyright rights in the Software, and any and all patent rights owned or
* freely licensable by each licensor hereunder covering either (i) the
* unmodified Software as contributed to or provided by such licensor, or (ii)
* the Larger Works (as defined below), to deal in both
*
* (a) the Software, and
*
* (b) any piece of software and/or hardware listed in the lrgrwrks.txt file if
* one is included with the Software each a "Larger Work" to which the Software
* is contributed by such licensors),
*
* without restriction, including without limitation the rights to copy, create
* derivative works of, display, perform, and distribute the Software and make,
* use, sell, offer for sale, import, export, have made, and have sold the
* Software and the Larger Work(s), and to sublicense the foregoing rights on
* either these or other terms.
*
* This license is subject to the following condition:
*
* The above copyright notice and either this complete permission notice or at a
* minimum a reference to the UPL must be included in all copies or substantial
* portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
* SOFTWARE.
*/
package com.oracle.truffle.object.basic.test;
import static org.junit.Assert.assertSame;
import java.util.Arrays;
import java.util.List;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.junit.runners.Parameterized;
import org.junit.runners.Parameterized.Parameters;
import com.oracle.truffle.api.object.DynamicObjectLibrary;
import com.oracle.truffle.api.object.Shape;
import com.oracle.truffle.api.test.AbstractParametrizedLibraryTest;
@RunWith(Parameterized.class)
public class DynamicTypeTest extends AbstractParametrizedLibraryTest {
@Parameters(name = "{0}")
public static List<TestRun> data() {
return Arrays.asList(TestRun.values());
}
@Test
public void testDynamicTypeCanBeAnyObject() {
Object dynamicType = new Object();
Shape emptyShape = Shape.newBuilder().dynamicType(dynamicType).build();
TestDynamicObjectMinimal obj = new TestDynamicObjectMinimal(emptyShape);
DynamicObjectLibrary lib = createLibrary(DynamicObjectLibrary.class, obj);
assertSame(dynamicType, lib.getDynamicType(obj));
dynamicType = new Object();
lib.setDynamicType(obj, dynamicType);
assertSame(dynamicType, lib.getDynamicType(obj));
}
@Test
public void testDynamicTypeCannotBeNull() {
assertFails(() -> Shape.newBuilder().dynamicType(null).build(), NullPointerException.class);
Shape emptyShape = Shape.newBuilder().dynamicType(new Object()).build();
TestDynamicObjectMinimal obj = new TestDynamicObjectMinimal(emptyShape);
DynamicObjectLibrary lib = createLibrary(DynamicObjectLibrary.class, obj);
assertFails(() -> lib.setDynamicType(obj, null), NullPointerException.class);
}
}
```
|
```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')
})
})
```
|
The Democratic Unionist Party (Arabic: حزب الاتحاد الديمقراطي, romanized: Hizb al-Itahadi al-democrati) is an Egyptian political party, with a membership of around 215 members. The party presses for achieving unity between Egypt and Sudan and separation between church and state.
The party nominated its head, Ibrahim Tork, to run for Egypt's first contested presidential elections.
Platform
The party platform calls for:
Guaranteeing citizens' basic freedoms and political rights.
Achieving comprehensive economic development.
Upgrading public utilities and services.
Protecting Egypt's status on regional and international arenas.
References
External links
Political Parties
1990 establishments in Egypt
Liberal parties in Egypt
Political parties established in 1990
Secularism in Egypt
|
```objective-c
/* $OpenBSD: debug.h,v 1.5 2015/10/02 09:48:22 ratchov 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.
*/
#ifndef DEBUG_H
#define DEBUG_H
#ifdef DEBUG
#include <stdio.h>
#define DPRINTFN(n, ...) \
do { \
if (_sndio_debug >= (n)) \
fprintf(stderr, __VA_ARGS__); \
} while(0)
#define DPRINTF(...) \
do { \
if (_sndio_debug > 0) \
fprintf(stderr, __VA_ARGS__); \
} while(0)
#define DPERROR(s) \
do { \
if (_sndio_debug > 0) \
perror(s); \
} while(0)
void _sndio_debug_init(void);
extern int _sndio_debug;
#else
#define DPRINTF(...) do {} while(0)
#define DPRINTFN(...) do {} while(0)
#define DPERROR(s) do {} while(0)
#endif
const char *_sndio_parsetype(const char *, char *);
const char *_sndio_parsenum(const char *, unsigned int *, unsigned int);
#endif
```
|
```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>`
}
```
|
Emil Ludwig Benko (November 9, 1913 – November 14, 2007), sometimes incorrectly listed as "Danko" in sports encyclopedias, was an American professional basketball player. He played in the National Basketball League for the Hammond Ciesar All-Americans in one game and scored four points.
Early life
Benko attended Whiting High School. He served in the United States Army Air Forces during World War II, and was honorably discharged as a staff sergeant on October 23, 1944. He served with the 933rd Engineer Aviation Regiment on Ascension Island March 30, 1942 – February 26, 1944.
References
1913 births
2007 deaths
American men's basketball players
United States Army Air Forces personnel of World War II
Basketball players from Indiana
Guards (basketball)
Hammond Ciesar All-Americans players
People from Whiting, Indiana
Sportspeople from Lake County, Indiana
United States Army Air Forces soldiers
Whiting High School alumni
|
```c++
/*
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions
* are met:
* 1. Redistributions of source code must retain the above copyright
* notice, this list of conditions and the following disclaimer.
* 2. Redistributions in binary form must reproduce the above copyright
* notice, this list of conditions and the following disclaimer in the
* documentation and/or other materials provided with the distribution.
*
* THIS SOFTWARE IS PROVIDED BY APPLE COMPUTER, INC. ``AS IS'' AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
* IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
* PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL APPLE COMPUTER, INC. OR
* CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL,
* EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO,
* PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY
* OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
* (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
* OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*/
#include "config.h"
#include "platform/graphics/ImageSource.h"
#include "platform/graphics/DeferredImageDecoder.h"
#include "platform/image-decoders/ImageDecoder.h"
namespace blink {
ImageSource::ImageSource(ImageSource::AlphaOption alphaOption, ImageSource::GammaAndColorProfileOption gammaAndColorProfileOption)
: m_alphaOption(alphaOption)
, m_gammaAndColorProfileOption(gammaAndColorProfileOption)
{
}
ImageSource::~ImageSource()
{
}
size_t ImageSource::clearCacheExceptFrame(size_t clearExceptFrame)
{
return m_decoder ? m_decoder->clearCacheExceptFrame(clearExceptFrame) : 0;
}
void ImageSource::setData(SharedBuffer& data, bool allDataReceived)
{
// Create a decoder by sniffing the encoded data. If insufficient data bytes are available to
// determine the encoded image type, no decoder is created.
if (!m_decoder)
m_decoder = DeferredImageDecoder::create(data, m_alphaOption, m_gammaAndColorProfileOption);
if (m_decoder)
m_decoder->setData(data, allDataReceived);
}
String ImageSource::filenameExtension() const
{
return m_decoder ? m_decoder->filenameExtension() : String();
}
bool ImageSource::isSizeAvailable()
{
return m_decoder && m_decoder->isSizeAvailable();
}
bool ImageSource::hasColorProfile() const
{
return m_decoder && m_decoder->hasColorProfile();
}
IntSize ImageSource::size(RespectImageOrientationEnum shouldRespectOrientation) const
{
return frameSizeAtIndex(0, shouldRespectOrientation);
}
IntSize ImageSource::frameSizeAtIndex(size_t index, RespectImageOrientationEnum shouldRespectOrientation) const
{
if (!m_decoder)
return IntSize();
IntSize size = m_decoder->frameSizeAtIndex(index);
if ((shouldRespectOrientation == RespectImageOrientation) && m_decoder->orientationAtIndex(index).usesWidthAsHeight())
return IntSize(size.height(), size.width());
return size;
}
bool ImageSource::getHotSpot(IntPoint& hotSpot) const
{
return m_decoder ? m_decoder->hotSpot(hotSpot) : false;
}
int ImageSource::repetitionCount()
{
return m_decoder ? m_decoder->repetitionCount() : cAnimationNone;
}
size_t ImageSource::frameCount() const
{
return m_decoder ? m_decoder->frameCount() : 0;
}
bool ImageSource::createFrameAtIndex(size_t index, SkBitmap* bitmap)
{
return m_decoder && m_decoder->createFrameAtIndex(index, bitmap);
}
float ImageSource::frameDurationAtIndex(size_t index) const
{
if (!m_decoder)
return 0;
// Many annoying ads specify a 0 duration to make an image flash as quickly as possible.
// We follow Firefox's behavior and use a duration of 100 ms for any frames that specify
// a duration of <= 10 ms. See <rdar://problem/7689300> and <path_to_url
// for more information.
const float duration = m_decoder->frameDurationAtIndex(index) / 1000.0f;
if (duration < 0.011f)
return 0.100f;
return duration;
}
ImageOrientation ImageSource::orientationAtIndex(size_t index) const
{
return m_decoder ? m_decoder->orientationAtIndex(index) : DefaultImageOrientation;
}
bool ImageSource::frameHasAlphaAtIndex(size_t index) const
{
return !m_decoder || m_decoder->frameHasAlphaAtIndex(index);
}
bool ImageSource::frameIsCompleteAtIndex(size_t index) const
{
return m_decoder && m_decoder->frameIsCompleteAtIndex(index);
}
size_t ImageSource::frameBytesAtIndex(size_t index) const
{
return m_decoder ? m_decoder->frameBytesAtIndex(index) : 0;
}
} // namespace blink
```
|
Living in the intersection of cryptography and psychology, password psychology is the study of what makes passwords or cryptographic keys easy to remember or guess.
In order for a password to work successfully and provide security to its user, it must be kept secret and un-guessable; this also requires the user to memorize their password. The psychology behind choosing a password is a unique balance between memorization, security and convenience. Password security involves many psychological and social issues including; whether or not to share a password, the feeling of security, and the eventual choice of whether or not to change a password. Passwords may also be reflective of personality. Those who are more uptight or security-oriented may choose longer or more complicated passwords. Those who are lax or who feel more secure in their everyday lives may never change their password. The most common password is Password1, which may point to convenience over security as the main concern for internet users.
History
The use and memorization of both nonsense and meaningful alphanumeric material has had a long history in psychology beginning with Hermann Ebbinghaus. Since then, numerous studies have established that not only are both meaningful and nonsense “words” easily forgotten, but that both their forgetting curves are exponential with time. Chomsky advocates meaning as arising from semantic features, leading to the idea of “concept formation” in the 1930s.
Current research
Research is being done to find new ways of enhancing and creating new techniques for cognitive ability and memorization when it comes to password selection. A study from 2004 indicates that the typical college student creates about 4 different passwords for use with about 8 different items, such as computers, cell phones, and email accounts, and the typical password is used for about two items. Information about the type of passwords points to an approximate even split between linguistic and numeric passwords with about a quarter using a mix of linguistic/numeric information. Names (proper, nicknames) are the most common information used for passwords, and dates are the second most common type of information used in passwords.
Research is also being done regarding the effect of policies that force users to create more secure and effective passwords. The results of this study show that a password composition policy reduces the similarity of passwords to dictionary words. However, such a policy did not reduce the use of meaningful information in passwords such as names and birth dates, nor did it reduce password recycling.
Memorization problems
Password psychology is directly linked to memorization and the use of mnemonics. Mnemonic devices are often used as passwords but many choose to use simpler passwords. It has been shown that mnemonic devices and simple passwords are equally easy to remember and that the choice of convenience plays a key role in password creation.
Password alternatives
In order to address the issues presented by memorization and security many businesses and internet sites have turned to accepting different types of authentication. This authentication could be a single use password, non-text based, Biometric, a 2D key, multi-factor authentication, or Cognitive Passwords that are question based. Many of these options are more expensive, time consuming or still require some form of memorization. Thus, most businesses and individuals still use the common format of single word and text-based passwords as security protection.
The most common alternative to tradition passwords and PIN codes has been biometric authentication. Biometric authentication is a method where systems use physical and/or behavioral traits unique to a specific individual to authorize access. Some of the most popular forms of biometric passwords are as follows: fingerprint, palm prints, iris, retina, voice, and facial structure. The appeal of biometrics as a form of passwords is that they increase security. Only one person has access to a set of fingerprints or retinal patterns which means the likelihood of hacking decreases significantly. Biometric authentication has 4 important factors, or modules, that keep systems and accounts from being compromised: sensor module, feature extraction module, template database, and matching module. These 4 sections of biometric authentication, while more involved, create a layer of protection that a tradition password option cannot. The sensor module is responsible for getting a hold of a user’s method of protection whether it be fingerprint scan, facial scan, or voice. The second module, feature extraction, is where all the raw data acquired from the previous module is broken down into the key components. The template, or database module, takes the key components gathered previously and saves them virtually. Lastly, the matching module is employed in order to verify if the inputted biometric method is legitimate. The modules that record, process, and verify biometrics, need to be run in 2 different stages, enrollment and recognition; within these 2 stages we see more sub-stages. In the enrollment stage we see the entirety of the four modules working at once as a digital version of the biometric data is generated and stored. The recognition stage has two sub-sections called verification and identification. During verification process the systems job is to ensure that the individual trying to gain access is who they are stating they are. The identification process fully identifies the individual.
Though biometric authentication is a method that in seen increasingly more often, it isn’t without its issues. A biometric system is affected by similar issues that a tradition password system has. When a user inputs their biometric information one of four things can happen. A user may be truly be who they say they are and are granted access to the system. Conversely, a user may be impersonating someone and will be rejected access. The two other scenarios are when an authentic user is rejected access and an impersonator is granted access. This type of fraud can occur as there are certain individuals that may share virtually identical voices. In other instances, the initial attempt to record the biometric data may have been compromised. During the 4 modules, a user may have inputted corrupted data. An example of this is most commonly seen in fingerprints where an individual may use a wet finger or a scarred finger to record their data. These errors introduce the possibility of insecurity. These issues can occur for facial recognition. If a pair of twins or even two people who like similar try to access a system, they may be granted access.
See also
Password strength
Password policy
Password cracking
Passphrase
References
Password authentication
Cyberpsychology
|
```python
# -*- coding: utf-8 -*-
import sys
import os
sys.path.insert(0, os.path.abspath(os.path.join(os.path.dirname(__file__), '..')))
import hypertools
```
|
```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}
```
|
Kerry DuWors (born September 26, 1980) is a Canadian violinist, chamber musician and educator.
Praised as a “dynamic performer” (Scott St. John) with “fearless competence” (Winnipeg Free Press), Kerry DuWors is the first prize winner of the 26th E-Gré National Music Competition and has been among the winners of the Canada Council’s Musical Instrument Bank Competition in 2009, 2006 and 2003. DuWors has collaborated with many acclaimed soloists and ensembles including James Ehnes, Yo-Yo Ma, Isabel Bayrakdarian, Dame Evelyn Glennie, Martin Fröst, Marc-André Hamelin, Andrew Dawes, Scott St. John, St. Lawrence and Penderecki Quartets, and the Gryphon Trio.
Recently, DuWors has performed as a soloist with the Winnipeg Symphony Orchestra (2009), Red Deer Symphony (2010), Manitoba Chamber Orchestra (2010) and Brandon Chamber Players (2011). In 2010–2011 she joined New York based The Knights for performances with Yo-Yo Ma and a tour of Germany with Jan Vogler. She also toured the US with the Galileo Piano Trio and held a residency at the Banff Center for the Arts while collaborating with pianist Futaba Niekawa.
DuWors began her musical training while growing up in Saskatoon, Saskatchewan. She furthered her studies at University of Victoria with Ann Elliot-Goldschmid (B.Mus.) of the Lafayette String Quartet; and University of Toronto under Lorand Fenyves (M.Mus.). While at University at Toronto she was awarded the Eaton Graduate Scholarship, the Yo-Yo Ma Fellowship for Strings and the Felix Galimir Award for Chamber Music Excellence. DuWors has been assistant professor of Violin and Chamber Music at Brandon University since 2003. In 2010 she began a Doctorate in Musical Arts at Eastman School of Music as a student of Charles Castleman.
See also
E-Gré National Music Competition: "Past Winners" Retrieved Jan. 28, 2012
Canada Council for the Arts: "Cumulative List of Winners" Retrieved Jan. 28, 2012
Brandon University: "Kerry DuWors" Retrieved Jan. 28,2012
U of T Magazine: "Sonata of Success" Retrieved July 21, 2012
References
External links
Official Website
Living people
1980 births
|
```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
```
|
```smalltalk
using System;
using ObjCRuntime;
using Foundation;
using Security;
#if !NET
using NativeHandle = System.IntPtr;
#endif
namespace LocalAuthentication {
/// <summary>Enumerates supported biometric authentication types.</summary>
[NoWatch]
[NoTV]
[MacCatalyst (13, 1)]
[Native]
public enum LABiometryType : long {
None,
TouchId,
[MacCatalyst (13, 1)]
FaceId,
#if !NET
[NoMac]
[Obsolete ("Use 'FaceId' instead.")]
TypeFaceId = FaceId,
#endif
[iOS (17, 0), Mac (14, 0), MacCatalyst (17, 0)]
OpticId = 1L << 2,
}
/// <summary>Signature for a function to be invoked in response to a<see cref="M:LocalAuthentication.LAContext.EvaluatePolicy(LocalAuthentication.LAPolicy,System.String,LocalAuthentication.LAContextReplyHandler)" />invocation.</summary>
/// <remarks>The method when invoked returns a boolean indicating if the policy evaluation was successful, and on failure a detailed description of the error in the error parameter.</remarks>
[MacCatalyst (13, 1)]
delegate void LAContextReplyHandler (bool success, NSError error);
/// <summary>The context in which authentication policies are evaluated.</summary>
///
/// <related type="externalDocumentation" href="path_to_url">Apple documentation for <c>LAContext</c></related>
[NoTV] // ".objc_class_name_LAContext", referenced from: '' not found
[MacCatalyst (13, 1)]
[BaseType (typeof (NSObject))]
interface LAContext {
[NoWatch]
[MacCatalyst (13, 1)]
[NullAllowed] // by default this property is null
[Export ("localizedFallbackTitle")]
string LocalizedFallbackTitle { get; set; }
#if !NET
[NoTV]
[Field ("LAErrorDomain")]
NSString ErrorDomain { get; }
#endif
[Export ("canEvaluatePolicy:error:")]
bool CanEvaluatePolicy (LAPolicy policy, out NSError error);
[Async]
[Export ("evaluatePolicy:localizedReason:reply:")]
void EvaluatePolicy (LAPolicy policy, string localizedReason, LAContextReplyHandler reply);
[MacCatalyst (13, 1)]
[Export ("invalidate")]
void Invalidate ();
[MacCatalyst (13, 1)]
[Export ("setCredential:type:")]
bool SetCredentialType ([NullAllowed] NSData credential, LACredentialType type);
[MacCatalyst (13, 1)]
[Export ("isCredentialSet:")]
bool IsCredentialSet (LACredentialType type);
[MacCatalyst (13, 1)]
[Export ("evaluateAccessControl:operation:localizedReason:reply:")]
void EvaluateAccessControl (SecAccessControl accessControl, LAAccessControlOperation operation, string localizedReason, Action<bool, NSError> reply);
[MacCatalyst (13, 1)]
[Export ("evaluatedPolicyDomainState")]
[NullAllowed]
NSData EvaluatedPolicyDomainState { get; }
[NoWatch]
[MacCatalyst (13, 1)]
[NullAllowed, Export ("localizedCancelTitle")]
string LocalizedCancelTitle { get; set; }
[NoWatch]
[MacCatalyst (13, 1)]
[Field ("LATouchIDAuthenticationMaximumAllowableReuseDuration")]
double /* NSTimeInterval */ TouchIdAuthenticationMaximumAllowableReuseDuration { get; }
[MacCatalyst (13, 1)]
[Export ("touchIDAuthenticationAllowableReuseDuration")]
double /* NSTimeInterval */ TouchIdAuthenticationAllowableReuseDuration { get; set; }
[Deprecated (PlatformName.iOS, 9, 0)]
[Deprecated (PlatformName.MacOSX, 10, 11)]
[MacCatalyst (13, 1)]
[Deprecated (PlatformName.MacCatalyst, 13, 1)]
[NullAllowed]
[Export ("maxBiometryFailures")]
NSNumber MaxBiometryFailures { get; set; }
[NoWatch, NoTV]
[MacCatalyst (13, 1)]
[Export ("localizedReason")]
string LocalizedReason { get; set; }
[Watch (9, 0), NoTV]
[MacCatalyst (13, 1)]
[Export ("interactionNotAllowed")]
bool InteractionNotAllowed { get; set; }
[NoWatch]
[MacCatalyst (13, 1)]
[Export ("biometryType")]
LABiometryType BiometryType { get; }
}
[Mac (13, 0), iOS (16, 0), MacCatalyst (16, 0), NoWatch, NoTV]
[BaseType (typeof (LARight))]
[DisableDefaultCtor]
interface LAPersistedRight {
[Export ("key")]
LAPrivateKey Key { get; }
[Export ("secret")]
LASecret Secret { get; }
}
delegate void LAPrivateKeyCompletionHandler ([NullAllowed] NSData data, [NullAllowed] NSError error);
[Mac (13, 0), iOS (16, 0), MacCatalyst (16, 0), NoWatch, NoTV]
[BaseType (typeof (NSObject))]
[DisableDefaultCtor]
interface LAPrivateKey {
[Export ("publicKey")]
LAPublicKey PublicKey { get; }
[Async]
[Export ("signData:secKeyAlgorithm:completion:")]
void Sign (NSData data, SecKeyAlgorithm algorithm, LAPrivateKeyCompletionHandler handler);
[Export ("canSignUsingSecKeyAlgorithm:")]
bool CanSign (SecKeyAlgorithm algorithm);
[Async]
[Export ("decryptData:secKeyAlgorithm:completion:")]
void Decrypt (NSData data, SecKeyAlgorithm algorithm, LAPrivateKeyCompletionHandler handler);
[Export ("canDecryptUsingSecKeyAlgorithm:")]
bool CanDecrypt (SecKeyAlgorithm algorithm);
[Async]
[Export ("exchangeKeysWithPublicKey:secKeyAlgorithm:secKeyParameters:completion:")]
void ExchangeKeys (NSData publicKey, SecKeyAlgorithm algorithm, NSDictionary parameters, LAPrivateKeyCompletionHandler handler);
[Export ("canExchangeKeysUsingSecKeyAlgorithm:")]
bool CanExchangeKeys (SecKeyAlgorithm algorithm);
}
delegate void LAPublicKeyCompletionHandler ([NullAllowed] NSData data, [NullAllowed] NSError error);
delegate void LAPublicKeyVerifyDataCompletionHandler ([NullAllowed] NSError error);
[Mac (13, 0), iOS (16, 0), MacCatalyst (16, 0), NoWatch, NoTV]
[BaseType (typeof (NSObject))]
[DisableDefaultCtor]
interface LAPublicKey {
[Async]
[Export ("exportBytesWithCompletion:")]
void ExportBytes (LAPublicKeyCompletionHandler handler);
[Async]
[Export ("encryptData:secKeyAlgorithm:completion:")]
void Encrypt (NSData data, SecKeyAlgorithm algorithm, LAPublicKeyCompletionHandler handler);
[Export ("canEncryptUsingSecKeyAlgorithm:")]
bool CanEncrypt (SecKeyAlgorithm algorithm);
[Async]
[Export ("verifyData:signature:secKeyAlgorithm:completion:")]
void Verify (NSData signedData, NSData signature, SecKeyAlgorithm algorithm, LAPublicKeyVerifyDataCompletionHandler handler);
[Export ("canVerifyUsingSecKeyAlgorithm:")]
bool CanVerify (SecKeyAlgorithm algorithm);
}
[Mac (13, 0), iOS (16, 0), MacCatalyst (16, 0), NoWatch, NoTV]
[BaseType (typeof (NSObject))]
interface LAAuthenticationRequirement {
[Static]
[Export ("defaultRequirement")]
LAAuthenticationRequirement DefaultRequirement { get; }
[Static]
[Export ("biometryRequirement")]
LAAuthenticationRequirement BiometryRequirement { get; }
[Static]
[Export ("biometryCurrentSetRequirement")]
LAAuthenticationRequirement BiometryCurrentSetRequirement { get; }
[Static]
[Export ("biometryRequirementWithFallback:")]
LAAuthenticationRequirement GetBiometryRequirement (LABiometryFallbackRequirement fallback);
}
[Mac (13, 0), iOS (16, 0), MacCatalyst (16, 0), NoWatch, NoTV]
[BaseType (typeof (NSObject))]
interface LABiometryFallbackRequirement {
[Static]
[Export ("defaultRequirement")]
LABiometryFallbackRequirement DefaultRequirement { get; }
[Static]
[Export ("devicePasscodeRequirement")]
LABiometryFallbackRequirement DevicePasscodeRequirement { get; }
}
delegate void LARightAuthorizeCompletionHandler ([NullAllowed] NSError error);
[Mac (13, 0), iOS (16, 0), MacCatalyst (16, 0), NoWatch, NoTV]
[BaseType (typeof (NSObject))]
interface LARight {
[Export ("state")]
LARightState State { get; }
[Export ("tag")]
nint Tag { get; set; }
[Export ("initWithRequirement:")]
NativeHandle Constructor (LAAuthenticationRequirement requirement);
[Async]
[Export ("authorizeWithLocalizedReason:completion:")]
void Authorize (string localizedReason, LARightAuthorizeCompletionHandler handler);
[Async]
[Export ("checkCanAuthorizeWithCompletion:")]
void CheckCanAuthorize (LARightAuthorizeCompletionHandler handler);
[Async]
[Export ("deauthorizeWithCompletion:")]
void Deauthorize (Action handler);
}
delegate void LARightStoreCompletionHandler ([NullAllowed] LAPersistedRight right, [NullAllowed] NSError error);
delegate void LARightStoreRemoveRightCompletionHandler ([NullAllowed] NSError error);
[Mac (13, 0), iOS (16, 0), MacCatalyst (16, 0), NoWatch, NoTV]
[BaseType (typeof (NSObject))]
[DisableDefaultCtor]
interface LARightStore {
[Static]
[Export ("sharedStore")]
LARightStore SharedStore { get; }
[Async]
[Export ("rightForIdentifier:completion:")]
void Get (string identifier, LARightStoreCompletionHandler handler);
[Async]
[Export ("saveRight:identifier:completion:")]
void Save (LARight right, string identifier, LARightStoreCompletionHandler handler);
[Async]
[Export ("saveRight:identifier:secret:completion:")]
void Save (LARight right, string identifier, NSData secret, LARightStoreCompletionHandler handler);
[Async]
[Export ("removeRight:completion:")]
void Remove (LAPersistedRight right, LARightStoreRemoveRightCompletionHandler handler);
[Async]
[Export ("removeRightForIdentifier:completion:")]
void Remove (string identifier, LARightStoreRemoveRightCompletionHandler handler);
[Async]
[Export ("removeAllRightsWithCompletion:")]
void RemoveAll (LARightStoreRemoveRightCompletionHandler handler);
}
delegate void LASecretCompletionHandler ([NullAllowed] NSData data, [NullAllowed] NSError error);
[Mac (13, 0), iOS (16, 0), MacCatalyst (16, 0), NoWatch, NoTV]
[BaseType (typeof (NSObject))]
[DisableDefaultCtor]
interface LASecret {
[Async]
[Export ("loadDataWithCompletion:")]
void LoadData (LASecretCompletionHandler handler);
}
}
```
|
Molycria is a genus of Australian ground spiders that was first described by Eugène Louis Simon in 1887.
Species
it contains thirty-six species, found in the Northern Territory, Western Australia, South Australia, New South Wales, and Queensland:
Molycria amphi Platnick & Baehr, 2006 – Australia (Queensland)
Molycria broadwater Platnick & Baehr, 2006 – Australia (Queensland, New South Wales)
Molycria bulburin Platnick & Baehr, 2006 – Australia (Queensland)
Molycria bundjalung Platnick & Baehr, 2006 – Australia (New South Wales)
Molycria burwelli Platnick & Baehr, 2006 – Australia (Queensland)
Molycria canonba Platnick & Baehr, 2006 – Australia (Queensland, New South Wales)
Molycria cleveland Platnick & Baehr, 2006 – Australia (Queensland)
Molycria cooki Platnick & Baehr, 2006 – Australia (Queensland)
Molycria dalby Platnick & Baehr, 2006 – Australia (Queensland, New South Wales)
Molycria daviesae Platnick & Baehr, 2006 – Australia (Queensland)
Molycria dawson Platnick & Baehr, 2006 – Australia (Queensland)
Molycria drummond Platnick & Baehr, 2006 – Australia (Queensland)
Molycria goanna Platnick & Baehr, 2006 – Australia (Queensland, New South Wales)
Molycria grayi Platnick & Baehr, 2006 – Australia (Queensland, New South Wales, Lord Howe Is.)
Molycria isla Platnick & Baehr, 2006 – Australia (Queensland)
Molycria kaputar Platnick & Baehr, 2006 – Australia (New South Wales)
Molycria mammosa (O. Pickard-Cambridge, 1874) (type) – Australia (New South Wales, Capital Territory)
Molycria mcleani Platnick & Baehr, 2006 – Australia (Queensland)
Molycria milledgei Platnick & Baehr, 2006 – Australia (New South Wales)
Molycria moffatt Platnick & Baehr, 2006 – Australia (Queensland)
Molycria monteithi Platnick & Baehr, 2006 – Australia (Queensland)
Molycria moranbah Platnick & Baehr, 2006 – Australia (Queensland)
Molycria nipping Platnick & Baehr, 2006 – Australia (Queensland)
Molycria quadricauda (Simon, 1908) – Southern Australia
Molycria raveni Platnick & Baehr, 2006 – Australia (Queensland)
Molycria robert Platnick & Baehr, 2006 – Australia (Queensland)
Molycria smithae Platnick & Baehr, 2006 – Australia (New South Wales)
Molycria stanisici Platnick & Baehr, 2006 – Australia (Queensland)
Molycria taroom Platnick & Baehr, 2006 – Australia (Queensland)
Molycria thompsoni Platnick & Baehr, 2006 – Australia (Queensland)
Molycria tooloombah Platnick & Baehr, 2006 – Australia (Queensland)
Molycria upstart Platnick & Baehr, 2006 – Australia (Queensland)
Molycria vokes Platnick & Baehr, 2006 – Australia (Western Australia, Northern Territory, South Australia)
Molycria wallacei Platnick & Baehr, 2006 – Australia (Queensland)
Molycria wardeni Platnick & Baehr, 2006 – Australia (Queensland)
Molycria wrightae Platnick & Baehr, 2006 – Australia (Queensland)
See also
List of Gnaphosidae species
References
Araneomorphae genera
Gnaphosidae
|
```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*/
```
|
Blue Remembered Earth is a science fiction novel by Welsh author Alastair Reynolds, first published by Gollancz on 19 January 2012. It describes the efforts of two adult siblings to solve a mystery in the pseudo-utopian 2160s. The novel is the first of the Poseidon's Children trilogy, which follows humanity's development over many centuries, with the intention of portraying a more optimistic future than anything Reynolds had previously written. The second book in the trilogy, On the Steel Breeze, was released on 26 September 2013, and the trilogy's finale, Poseidon's Wake, was released on 30 April 2015.
Background
Reynolds first announced his plans to write the Poseidon's Children trilogy (known at the time as the "11k" trilogy) in early 2009. He described the first novel of the series as featuring a utopian future where Africa is a leading technological power. Blue Remembered Earth was initially scheduled for publication in 2011, but was ultimately released in January 2012.
Plot summary
Blue Remembered Earth takes place in the 2160s, at a time when humanity has repaired Earth's climate and extensively colonised the inner Solar System. An omnipresent surveillance system (known as the "Mechanism") ensures that violent crime is almost unheard-of, and genetic engineering has vastly extended human lifespans. China, India and the nations of Africa are now the world's leading technological powers, although they face competition from the United Aquatic Nations, a new underwater civilisation populated by water-breathing transhumans. Almost all humans possess neural computer interfaces known as "augs", which allow them to access online information, view augmented reality displays, translate speech in real-time and operate telepresence robots. Some individuals, wishing to escape the constant surveillance of Earth's Mechanism, live in a bohemian, ungoverned "Descrutinized Zone" on the far side of the Moon.
The story focuses on Geoffrey and Sunday Akinya, a brother and sister who are members of a powerful African corporate family. Following the death of their influential grandmother Eunice, the siblings begin investigating a series of cryptic messages that Eunice left across the Solar System over the previous century, during her voyages to Pythagoras Crater, Phobos, Pavonis Mons, and the Kuiper Belt. It emerges that Eunice placed herself in exile in the Winter Palace, a space station at one of the Moon's Lagrange points. It is in this station that she died, but not before initiating a mysterious research project. Facing opposition from powerful Earth authorities and even members of their own family, Geoffrey and Sunday are forced to travel to the edge of the Solar System to discover Eunice's secret.
Reception
Eric Brown of The Guardian gave Blue Remembered Earth a highly positive review, saying that "Reynolds's near-future is so brilliantly extrapolated, with original ideas fizzing off every page, that the reader is left awestruck at what further wonders await in the following volumes." Niall Harrison of Strange Horizons praised Reynolds' intricate worldbuilding while criticizing the thriller elements as making the plot "more functional, and less textured". Javier Martinez of the Los Angeles Review of Books praised the novel as "engrossing" and "deeply romantic", noting that it is "informed by an infectious sense of optimism".
References
British science fiction novels
2012 British novels
Novels set in the 2160s
Future history
Novels by Alastair Reynolds
Victor Gollancz Ltd books
Utopian novels
Augmented reality in fiction
Fiction set in the Kuiper belt
Fiction set on Phobos (moon)
Fiction about the Solar System
Novels about mass surveillance
Novels about genetic engineering
Underwater civilizations in fiction
Cyborgs in literature
Novels about robots
Telepresence in fiction
Novels set on the Moon
Africa in fiction
2012 science fiction novels
Underwater novels
|
```php
<?php
namespace Spatie\SchemaOrg\Contracts;
interface WantActionContract
{
public function actionStatus($actionStatus);
public function additionalType($additionalType);
public function agent($agent);
public function alternateName($alternateName);
public function description($description);
public function disambiguatingDescription($disambiguatingDescription);
public function endTime($endTime);
public function error($error);
public function identifier($identifier);
public function image($image);
public function instrument($instrument);
public function location($location);
public function mainEntityOfPage($mainEntityOfPage);
public function name($name);
public function object($object);
public function participant($participant);
public function potentialAction($potentialAction);
public function provider($provider);
public function result($result);
public function sameAs($sameAs);
public function startTime($startTime);
public function subjectOf($subjectOf);
public function target($target);
public function url($url);
}
```
|
The 2003 MTV Movie Awards was held on May 31, 2003 in Los Angeles. It was hosted by Seann William Scott and Justin Timberlake and featured performances by t.A.T.u., 50 Cent, and Pink. Colin Farrell was presented an award for Trans-Atlantic Breakthrough Performance by Victoria and David Beckham, although this award was not broadcast in the United States.
The show included a parody of The Matrix Reloaded, intercutting actual footage with new material from the hosts with appearances by Wanda Sykes as the Oracle and Will Ferrell as the Architect. The unedited version is featured in the DVD version of the film.
Performers
Pink — "Feel Good Time"
50 Cent — "In Da Club" / "Wanksta"
t.A.T.u. — "All the Things She Said" / "Not Gonna Get Us"
Presenters
Hugh Jackman and Famke Janssen — presented Breakthrough Female
Will Smith and Martin Lawrence — presented Best Comedic Performance
Samuel L. Jackson and Colin Farrell — presented Best Fight
Mark Wahlberg and Mýa — introduced Pink
Queen Latifah and Adrien Brody — presented Best Kiss
Jason Biggs and Alyson Hannigan — presented Best On-Screen Team
Sharon Osbourne — introduced 50 Cent
Beyoncé and Johnny Knoxville — presented Breakthrough Male
Roselyn Sánchez — introduced Ashton Kutcher and P. Diddy
Ashton Kutcher and P. Diddy — presented Best Villain
Paul Walker and Tyrese Gibson — presented Best Action Sequence
David and Victoria Beckham — presented Best Trans-Atlantic Performance (unaired)
Kate Hudson and Luke Wilson — presented Best Virtual Performance
Amanda Bynes and Hilary Duff — introduced t.A.T.u.
Harrison Ford and Josh Hartnett — presented Best Female Performance
Demi Moore — presented Best Male Performance
Keanu Reeves — presented Best Movie
Awards
References:
Best Movie
The Lord of the Rings: The Two Towers
Barbershop
8 Mile
The Ring
Spider-Man
Best Male Performance
Eminem – 8 Mile
Vin Diesel – XXX
Leonardo DiCaprio – Catch Me If You Can
Tobey Maguire – Spider-Man
Viggo Mortensen – The Lord of the Rings: The Two Towers
Best Female Performance
Kirsten Dunst – Spider-Man
Halle Berry – Die Another Day
Kate Hudson – How to Lose a Guy in 10 Days
Queen Latifah – Chicago
Reese Witherspoon – Sweet Home Alabama
Breakthrough Male
Eminem – 8 Mile
Nick Cannon – Drumline
Kieran Culkin – Igby Goes Down
Derek Luke – Antwone Fisher
Ryan Reynolds – National Lampoon's Van Wilder
Breakthrough Female
Jennifer Garner – Daredevil
Kate Bosworth – Blue Crush
Maggie Gyllenhaal – Secretary
Eve – Barbershop
Beyoncé – Austin Powers in Goldmember
Nia Vardalos – My Big Fat Greek Wedding
Best On-Screen Team
Elijah Wood, Sean Astin, and Gollum – The Lord of the Rings: The Two Towers
Kate Bosworth, Michelle Rodriguez and Sanoe Lake – Blue Crush
Jackie Chan and Owen Wilson – Shanghai Knights
Will Ferrell, Vince Vaughn and Luke Wilson – Old School
Johnny Knoxville, Bam Margera, Steve-O and Chris Pontius – Jackass: The Movie
Best Villain
Daveigh Chase – The Ring
Willem Dafoe – Spider-Man
Daniel Day-Lewis – Gangs of New York
Colin Farrell – Daredevil
Mike Myers – Austin Powers in Goldmember
Best Comedic Performance
Mike Myers – Austin Powers in Goldmember
Will Ferrell – Old School
Cedric the Entertainer – Barbershop
Johnny Knoxville – Jackass: The Movie
Adam Sandler – Mr. Deeds
Best Virtual Performance
Gollum – The Lord of the Rings: The Two Towers: When actor Andy Serkis (who played Gollum in the film) came up to the stage to accept his award, he gave a foul mouthed acceptance speech in character as Gollum that was so well received that it also later received an award of its own. The speech won the 2004 Hugo Award for Best Dramatic Presentation, Short Form.
Scooby-Doo – Scooby-Doo
Kangaroo Jack – Kangaroo Jack
Dobby – Harry Potter and the Chamber of Secrets
Yoda – Star Wars: Episode II – Attack of the Clones
Best Trans-Atlantic Performance
Colin Farrell – Phone Booth
Orlando Bloom – The Lord of the Rings: The Two Towers
Keira Knightley – Bend It Like Beckham
Jude Law – Road To Perdition
Rosamund Pike – Die Another Day
Best Kiss
Tobey Maguire and Kirsten Dunst – Spider-Man
Ben Affleck and Jennifer Garner – Daredevil
Nick Cannon and Zoe Saldana – Drumline
Leonardo DiCaprio and Cameron Diaz – Gangs of New York
Adam Sandler and Emily Watson – Punch-Drunk Love
Best Action Sequence
The Battle for Helms Deep – The Lord of the Rings: The Two Towers
Collision on Highway 23 – Final Destination 2
Escape on ATV's – Scooby-Doo
The Arena Conflict – Star Wars: Episode II – Attack of the Clones
Best Fight
Yoda vs. Christopher Lee – Star Wars: Episode II – Attack of the Clones
Jet Li vs. The Ultimate Fighters – Cradle 2 the Grave
Johnny Knoxville vs. Butterbean – Jackass: The Movie
Fann Wong vs. The Palace Intruders – Shanghai Knights
Tobey Maguire vs. Willem Dafoe – Spider-Man
References
External links
2003 MTV Movie Awards on imdb
2003
Mtv Movie Awards
2003 in Los Angeles
2003 in American cinema
|
```css
`vh` and `vw`, `vmin` and `vmax`
`currentColor` improves code reusability
Use `border-radius` to style rounded corners of an element
Difference between `initial` and `inherit`
How to flip an image
```
|
```yaml
args:
- default: false
description: Resolve and investigate domains from this URL. Also accepts a comma-separated list of up to 1,000 URLs.
isArray: false
name: url
required: true
secret: false
- default: false
description: Optionally include the investigate results into the Context Data. Defaults to false.
isArray: false
name: include_context
required: false
secret: false
comment: Resolves a URL or fully qualified domain name (FQDN) and looks up a complete profile of the domain on the DomainTools Iris Investigate API.
commonfields:
id: DomainExtractAndInvestigate
version: -1
enabled: true
name: DomainExtractAndInvestigate
outputs:
- contextPath: Domain.Name
description: The name of the domain.
type: String
- contextPath: Domain.DNS
description: The DNS of the domain.
type: String
- contextPath: Domain.DomainStatus
description: The status of the domain.
type: Boolean
- contextPath: Domain.CreationDate
description: The creation date.
type: Date
- contextPath: Domain.ExpirationDate
description: The expiration date of the domain.
type: Date
- contextPath: Domain.NameServers
description: The nameServers of the domain.
type: String
- contextPath: Domain.Registrant.Country
description: The registrant country of the domain.
type: String
- contextPath: Domain.Registrant.Email
description: The registrant email of the domain.
type: String
- contextPath: Domain.Registrant.Name
description: The registrant name of the domain.
type: String
- contextPath: Domain.Registrant.Phone
description: The registrant phone number of the domain.
type: String
- contextPath: Domain.Malicious.Vendor
description: The vendor who classified the domain as malicious.
type: String
- contextPath: Domain.Malicious.Description
description: The description as to why the domain was found to be malicious.
type: String
- contextPath: DomainTools.Domains.Name
description: The domain name in DomainTools.
type: String
- contextPath: DomainTools.Domains.LastEnriched
description: The last Time DomainTools enriched domain data.
type: Date
- contextPath: DomainTools.Domains.Analytics.OverallRiskScore
description: The Overall Risk Score in DomainTools.
type: Number
- contextPath: DomainTools.Domains.Analytics.ProximityRiskScore
description: The Proximity Risk Score in DomainTools.
type: Number
- contextPath: DomainTools.Domains.Analytics.ThreatProfileRiskScore.RiskScore
description: The Threat Profile Risk Score in DomainTools.
type: Number
- contextPath: DomainTools.Domains.Analytics.ThreatProfileRiskScore.Threats
description: The threats of the Threat Profile Risk Score in DomainTools.
type: String
- contextPath: DomainTools.Domains.Analytics.ThreatProfileRiskScore.Evidence
description: The Threat Profile Risk Score Evidence in DomainTools.
type: String
- contextPath: DomainTools.Domains.Analytics.WebsiteResponseCode
description: The Website Response Code in DomainTools.
type: Number
- contextPath: DomainTools.Domains.Analytics.AlexaRank
description: The Alexa Rank in DomainTools.
type: Number
- contextPath: DomainTools.Domains.Analytics.Tags
description: The Tags in DomainTools.
type: String
- contextPath: DomainTools.Domains.Identity.RegistrantName
description: The name of the registrant.
type: String
- contextPath: DomainTools.Domains.Identity.RegistrantOrg
description: The organization of the registrant.
type: String
- contextPath: DomainTools.Domains.Identity.RegistrantContact.Country.value
description: The country value of the registrant contact.
type: String
- contextPath: DomainTools.Domains.Identity.RegistrantContact.Country.count
description: The count of the registrant contact country.
type: Number
- contextPath: DomainTools.Domains.Identity.RegistrantContact.Email.value
description: The Email value of the registrant contact.
type: String
- contextPath: DomainTools.Domains.Identity.RegistrantContact.Email.count
description: The Email count of the registrant contact.
type: Number
- contextPath: DomainTools.Domains.Identity.RegistrantContact.Name.value
description: The name value of the registrant contact.
type: String
- contextPath: DomainTools.Domains.Identity.RegistrantContact.Name.count
description: The name count of the registrant contact.
type: Number
- contextPath: DomainTools.Domains.Identity.RegistrantContact.Phone.value
description: The phone value of the registrant contact.
type: String
- contextPath: DomainTools.Domains.Identity.RegistrantContact.Phone.count
description: The phone count of the registrant contact.
type: Number
- contextPath: DomainTools.Domains.Identity.SOAEmail
description: The SOA record of the Email.
type: String
- contextPath: DomainTools.Domains.Identity.SSLCertificateEmail
description: The Email of the SSL certificate.
type: String
- contextPath: DomainTools.Domains.Identity.AdminContact.Country.value
description: The country value of the administrator contact.
type: String
- contextPath: DomainTools.Domains.Identity.AdminContact.Country.count
description: The country count of the administrator contact.
type: Number
- contextPath: DomainTools.Domains.Identity.AdminContact.Email.value
description: The Email value of the administrator contact.
type: String
- contextPath: DomainTools.Domains.Identity.AdminContact.Email.count
description: The Email count of the administrator contact.
type: Number
- contextPath: DomainTools.Domains.Identity.AdminContact.Name.value
description: The name value of the administrator contact.
type: String
- contextPath: DomainTools.Domains.Identity.AdminContact.Name.count
description: The name count of the administrator contact.
type: Number
- contextPath: DomainTools.Domains.Identity.AdminContact.Phone.value
description: The phone value of the administrator contact.
type: String
- contextPath: DomainTools.Domains.Identity.AdminContact.Phone.count
description: The phone count of the administrator contact.
type: Number
- contextPath: DomainTools.Domains.Identity.TechnicalContact.Country.value
description: The country value of the technical contact.
type: String
- contextPath: DomainTools.Domains.Identity.TechnicalContact.Country.count
description: The country count of the technical contact.
type: Number
- contextPath: DomainTools.Domains.Identity.TechnicalContact.Email.value
description: The Email value of the technical contact.
type: String
- contextPath: DomainTools.Domains.Identity.TechnicalContact.Email.count
description: The Email count of the technical contact.
type: Number
- contextPath: DomainTools.Domains.Identity.TechnicalContact.Name.value
description: The name value of the technical Contact.
type: String
- contextPath: DomainTools.Domains.Identity.TechnicalContact.Name.count
description: The name count of the technical contact.
type: Number
- contextPath: DomainTools.Domains.Identity.TechnicalContact.Phone.value
description: The phone value of the technical contact.
type: String
- contextPath: DomainTools.Domains.Identity.TechnicalContact.Phone.count
description: The phone count of the technical contact.
type: Number
- contextPath: DomainTools.Domains.Identity.BillingContact.Country.value
description: The country value of the billing contact.
type: String
- contextPath: DomainTools.Domains.Identity.BillingContact.Country.count
description: The country count of the billing contact.
type: Number
- contextPath: DomainTools.Domains.Identity.BillingContact.Email.value
description: The Email value of the billing contact.
type: String
- contextPath: DomainTools.Domains.Identity.BillingContact.Email.count
description: The Email count of the billing contact.
type: Number
- contextPath: DomainTools.Domains.Identity.BillingContact.Name.value
description: The name value of the billing contact.
type: String
- contextPath: DomainTools.Domains.Identity.BillingContact.Name.count
description: The name count of the billing contact.
type: Number
- contextPath: DomainTools.Domains.Identity.BillingContact.Phone.value
description: The phone value of the billing contact.
type: String
- contextPath: DomainTools.Domains.Identity.BillingContact.Phone.count
description: The phone count of the billing contact.
type: Number
- contextPath: DomainTools.Domains.Identity.EmailDomains
description: The Email Domains.
type: String
- contextPath: DomainTools.Domains.Identity.AdditionalWhoisEmails.value
description: The value of the Additional Whois Emails record.
type: String
- contextPath: DomainTools.Domains.Identity.AdditionalWhoisEmails.count
description: The count of the Additional Whois Emails record.
type: Number
- contextPath: DomainTools.Domains.Registration.DomainRegistrant
description: The registrant of the domain.
type: String
- contextPath: DomainTools.Domains.Registration.RegistrarStatus
description: The status of the registrar.
type: String
- contextPath: DomainTools.Domains.Registration.DomainStatus
description: The active status of the domain.
type: Boolean
- contextPath: DomainTools.Domains.Registration.CreateDate
description: The date the domain was created.
type: Date
- contextPath: DomainTools.Domains.Registration.ExpirationDate
description: The expiration date of the domain.
type: Date
- contextPath: DomainTools.Domains.Hosting.IPAddresses.address.value
description: The address value of IP addresses.
type: String
- contextPath: DomainTools.Domains.Hosting.IPAddresses.address.count
description: The address count of IP addresses.
type: Number
- contextPath: DomainTools.Domains.Hosting.IPAddresses.asn.value
description: The ASN value of IP addresses.
type: String
- contextPath: DomainTools.Domains.Hosting.IPAddresses.asn.count
description: The ASN count of IP addresses.
type: Number
- contextPath: DomainTools.Domains.Hosting.IPAddresses.country_code.value
description: The country code value of IP addresses.
type: String
- contextPath: DomainTools.Domains.Hosting.IPAddresses.country_code.count
description: The country code count of IP addresses.
type: Number
- contextPath: DomainTools.Domains.Hosting.IPAddresses.isp.value
description: The ISP value of IP addresses.
type: String
- contextPath: DomainTools.Domains.Hosting.IPAddresses.isp.count
description: The ISP count of IP addresses.
type: Number
- contextPath: DomainTools.Domains.Hosting.IPCountryCode
description: The country code of the IP address.
type: String
- contextPath: DomainTools.Domains.Hosting.MailServers.domain.value
description: The domain value of the Mail Servers.
type: String
- contextPath: DomainTools.Domains.Hosting.MailServers.domain.count
description: The domain count of the Mail Servers.
type: Number
- contextPath: DomainTools.Domains.Hosting.MailServers.host.value
description: The host value of the Mail Servers.
type: String
- contextPath: DomainTools.Domains.Hosting.MailServers.host.count
description: The host count of the Mail Servers.
type: Number
- contextPath: DomainTools.Domains.Hosting.MailServers.ip.value
description: The IP value of the Mail Servers.
type: String
- contextPath: DomainTools.Domains.Hosting.MailServers.ip.count
description: The IP count of the Mail Servers.
type: Number
- contextPath: DomainTools.Domains.Hosting.SPFRecord
description: The SPF Record.
type: String
- contextPath: DomainTools.Domains.Hosting.NameServers.domain.value
description: The domain value of the domain NameServers.
type: String
- contextPath: DomainTools.Domains.Hosting.NameServers.domain.count
description: The domain count of the domain NameServers.
type: Number
- contextPath: DomainTools.Domains.Hosting.NameServers.host.value
description: The host value of the domain NameServers.
type: String
- contextPath: DomainTools.Domains.Hosting.NameServers.host.count
description: The host count of the domain NameServers.
type: Number
- contextPath: DomainTools.Domains.Hosting.NameServers.ip.value
description: The IP value of the domain NameServers.
type: String
- contextPath: DomainTools.Domains.Hosting.NameServers.ip.count
description: The IP count of domain NameServers.
type: Number
- contextPath: DomainTools.Domains.Hosting.SSLCertificate.hash.value
description: The hash value of the SSL certificate.
type: String
- contextPath: DomainTools.Domains.Hosting.SSLCertificate.hash.count
description: The hash count of the SSL certificate.
type: Number
- contextPath: DomainTools.Domains.Hosting.SSLCertificate.organization.value
description: The organization value of the SSL certificate.
type: String
- contextPath: DomainTools.Domains.Hosting.SSLCertificate.organization.count
description: The organization count of the SSL certificate information.
type: Number
- contextPath: DomainTools.Domains.Hosting.SSLCertificate.subject.value
description: The subject value of the SSL certificate information.
type: String
- contextPath: DomainTools.Domains.Hosting.SSLCertificate.subject.count
description: The subject count of the SSL certificate information.
type: Number
- contextPath: DomainTools.Domains.Hosting.RedirectsTo.value
description: The Redirects To Value of the domain.
type: String
- contextPath: DomainTools.Domains.Hosting.RedirectsTo.count
description: The Redirects To Count of the domain.
type: Number
- contextPath: DomainTools.Domains.Analytics.GoogleAdsenseTrackingCode
description: The tracking code of Google Adsense.
type: Number
- contextPath: DomainTools.Domains.Analytics.GoogleAnalyticTrackingCode
description: The tracking code of Google Analytics.
type: Number
- contextPath: DBotScore.Indicator
description: The indicator of the DBotScore.
type: String
- contextPath: DBotScore.Type
description: The indicator type of the DBotScore.
type: String
- contextPath: DBotScore.Vendor
description: The vendor used to calculate the score.
type: String
- contextPath: DBotScore.Score
description: The actual score.
type: Number
script: '-'
system: false
tags:
- DomainTools
timeout: '0'
type: python
subtype: python3
fromversion: 6.6.0
dockerimage: demisto/python3:3.11.9.104657
tests:
- No tests (auto formatted)
```
|
```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
]
```
|
Raymond Darrel Austin is Diné (Navajo) scholar and former Associate Justice for the Supreme Court of the Navajo Nation, where he presided over the case of Navajo Nation v. Russell Means. Since 2016, he is a professor in the Department of Applied Indigenous Studies at Northern Arizona University. Austin has practiced law in both the U.S. and tribal courts systems, and has published extensively on Federal Indian Law and Policy.
Education
Austin received his B.S. degree in psychology from Arizona State University in 1979. He attended the University of New Mexico School of Law, where he earned his J.D. in 1983. He received a Ph.D. in American Indian Studies (Law and Policy Concentration) from the University of Arizona in 2007.
Career
In 1982, he was clerk for the Chief Justice at the New Mexico Supreme Court. After completing law school in 1983, he became an attorney at the Navajo-Hopi Legal Services (Navajo Nation). In 1985, Austin became an associate justice at the Navajo Nation Supreme Court where he served for sixteen years. Meanwhile, he was also a lecturer at the National American Indian Justice Center from 1986 to 1990 and a judge pro tempore at the Arizona Court of Appeals (Division I) from 1993 to 1994. In addition, he was also a visiting professor of law in Stanford Law School, University of Utah College of Law, and Arizona state University College of Law.
In 2001, Austin left the Navajo Nation Supreme Court and became a teaching and research assistant in the University of Arizona College of Law for six years. During this time period, he was also a visiting professor of law in Harvard Law School and the University of Extremadura Law School. In 2005, he became a solicitor at the Pascua Yaqui Tribe Court of Appeals as well as an adjunct professor of law at the University of Arizona College of Law, both for two years. From 2006 to 2016, he became a SJD dissertation committee at the University of Arizona College of Law. In addition, from 2007 to 2016, he was also a dissertation committee at the University of Arizona and served as a professor of practice (law) at the University of Arizona College of Law. Meanwhile, Austin was a faculty member of the Tribal Executive Education Seminars and January in Tucson Program which is an Indigenous Peoples Law and Policy Program and Native Nations Institute at the University of Arizona College of Law. In 2009, he also became an affiliate faculty member at the American Indian Studies Department in the University of Arizona. In 2010, he was a visiting lecturer of law at the University of Turin and in 2015, he became a visiting lecturer of law (Dean's lecture series) at the University of Ottawa Law School. From 2016 to present, Austin is a professor at Northern Arizona University in the Department of Applied Indigenous Studies.
Selected works
Books
Austin's book, Navajo Courts and Navajo Common Law A Tradition of Tribal Self-Governance, was published in November 2009. The book covers Navajo Nation court system and includes detailed case studies of the application of Navajo customary law. In 2010, a book review of Austin's book was published by the University of Oklahoma College of Law and included in the American Indian Law Review.
References
Northern Arizona University faculty
Arizona State University alumni
Navajo Nation government
|
```python
# or more contributor license agreements. See the NOTICE file
# distributed with this work for additional information
# regarding copyright ownership. The ASF licenses this file
#
# path_to_url
#
# Unless required by applicable law or agreed to in writing,
# "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
# specific language governing permissions and limitations
"""Bound deduction."""
from . import _ffi_api
def deduce_bound(var, cond, hint_map, relax_map):
"""Deduce the bound of the target variable in the cond.
Parameters
----------
var : Var
The target variable to be deduced.
cond : PrimExpr
The condition
hint_map : Map[Var, IntSet]
Domain of variables used to help deduction.
relax_map : Map[Var, IntSet]
The fomain of the variables to be relaxed
using the provided domain.
"""
return _ffi_api.DeduceBound(var, cond, hint_map, relax_map)
```
|
```javascript
import objectAssign from 'UTILS/object-assign'
import dateHelper from 'UTILS/date'
const formatHotmap = (hotmap) => {
if (!hotmap || !hotmap.datas) return null
const now = dateHelper.validator.fullDate()
const { datas } = hotmap
const result = {}
const streak = {
longest: {
count: 0,
start: null,
end: null,
},
current: {
count: 0,
start: null,
end: null,
},
daily: {
count: 0,
date: null
},
weekly: {
count: 0,
start: null,
end: null,
},
}
const levelRange = {
0: {
sum: 0,
count: 1
},
1: null,
2: null,
3: null,
4: null,
}
let total = 0
let start = null
let end = null
let weekTmp = {
count: 0,
start: null,
end: null,
}
const tmp = new Set()
for (let i = 0; i < datas.length; i += 1) {
const item = datas[i]
const { data, date, level } = item
if (tmp.has(date)) continue
tmp.add(date)
result[new Date(date).getTime() / 1000] = data
if (!streak.daily.date || data > streak.daily.count) {
streak.daily = {
date,
count: data
}
}
const dayOfWeek = dateHelper.date.dayOfWeek(date)
if (dayOfWeek === '0') {
if (weekTmp.count > streak.weekly.count) {
streak.weekly = objectAssign({}, weekTmp)
}
weekTmp = {
count: 0,
start: null,
end: null
}
}
weekTmp.count += data
if (!weekTmp.start) weekTmp.start = date
weekTmp.end = date
if (level !== 0) {
if (!levelRange[level]) {
levelRange[level] = {
sum: 0,
count: 0,
}
}
levelRange[level].sum += data
levelRange[level].count += 1
}
if (date <= now) {
if (data === 0) {
if (streak.longest.count < streak.current.count) {
streak.longest = objectAssign({}, streak.current)
}
streak.current.count = 0
} else {
streak.current.count += 1
}
if (!streak.current.start) streak.current.start = date
streak.current.end = date
}
if (i === 0) start = date
end = date
total += data
}
if (streak.longest.count < streak.current.count) {
streak.longest = objectAssign({}, streak.current)
}
return {
end,
start,
total,
streak,
datas: result,
levelRanges: Object.keys(levelRange)
.filter(l => !!levelRange[l])
.map(l => Math.ceil(levelRange[l].sum / levelRange[l].count)),
}
}
export default formatHotmap
```
|
Elizabeth of Austria (; 9 July 1526 – 15 June 1545) was Queen of Poland by marriage. She was the eldest of fifteen children of Ferdinand I, Holy Roman Emperor, and his wife Anne of Bohemia and Hungary. A member of the House of Habsburg, she was married to Sigismund II Augustus, who was already crowned as King of Poland and Grand Duke of Lithuania even though both of his parents were still alive and well. The marriage was short and unhappy. Elizabeth was of frail health, experiencing epileptic seizures, and died at age 18.
Marriage plans
Elizabeth spent most of her childhood in the Hofburg, Innsbruck. She was raised with strict discipline and received a good education from humanist Kaspar Ursinus Velius, but was not taught the Polish language despite her early arranged marriage to Sigismund II Augustus. The marriage plan was first discussed when Elizabeth was only a one year old. Louis, King of Hungary and Bohemia, died in August 1526 without leaving an heir. The Hungarian throne was contested between Louis' brother-in-law Ferdinand I and John Zápolya. Louis' uncle Sigismund I the Old and Hungarian nobility supported Zápolya. The marriage of Elizabeth to Sigismund's son was proposed as the means to end Polish support to Zápolya. The Polish Queen Bona Sforza opposed the wedding as she opposed the growing influence of the Habsburgs.
In February 1530, ten-year-old Sigismund II Augustus was co-crowned vivente rege as King of Poland (his father was still alive and in good health) to secure his inheritance in Poland. Envoys of George, Duke of Saxony, attended the coronation ceremony and negotiated the marriage between Elizabeth and Sigismund August on behalf of Ferdinand. Great Chancellor of the Crown Krzysztof Szydłowiecki supported the match and organized a preliminary marriage treaty, signed on 10–11 November 1530 in Poznań. According to the treaty, the marriage was to take place in 1533 when Elizabeth reached the age of seven. Her dowry was 100,000 ducats. In exchange, the Poles would grant her the cities of Nowy Sącz, Sanok, Przemyśl, Biecz as her dower.
Sigismund Augustus and Elizabeth were first cousins once removed. (Casimir IV Jagiellon was a great-grandfather of Elizabeth and a grandfather of Sigismund August). This close relationship required a matrimonial dispensation, which was issued by Pope Clement VII on 24 August 1531. The final marriage treaty, delayed mostly due to the opposition by Bona Sforza, was signed only on 16 June 1538 in Breslau (now Wrocław) by Johannes Dantiscus. The treaty did not differ from the preliminary treaty of 1530 other than the age of the bride which was now set at 16. The betrothal ceremony took place on 17 July 1538 in Innsbruck. Bona continued to lobby against the marriage and instead proposed Princess Margaret of France.
Queen of Poland
Elizabeth and a twelve-person escort departed Vienna on 21 April 1543. She was met at Olomouc by Samuel Maciejowski, Bishop of Płock and a retinue of 1,500 knights. On 5 May 1543, Elizabeth entered Kraków and met Sigismund Augustus for the first time. The same day 16-year-old Elizabeth married 22-year-old Sigismund Augustus in Wawel Cathedral. The wedding celebrations continued for two weeks. She was also crowned as Queen of Poland, which only increased the ire of Bona Sforza, who detested her title of "Old Queen".
The marriage was not a happy one. Sigismund Augustus, who already had several mistresses, did not find Elizabeth attractive and continued to have extramarital affairs. Raised in a strict household to be obedient, Elizabeth was too timid and meek to object to this. A long journey from Austria to Poland had further deteriorated her already frail state of health. She was diagnosed with epilepsy and started having seizures. At the same time Bona openly expressed her dislike of Elizabeth and continued to search for ways to destroy the marriage. Bona questioned the wording of the matrimonial dispensation; a new dispensation was issued on 17 May 1544. On the other hand, Polish nobility liked and sympathized with Elizabeth – a young, pleasant woman who was ignored by her husband and taunted by her ambitious mother-in-law. Her father-in-law Sigismund I the Old was also sympathetic to her, but was too weak to protect her from Bona.
Two months after the wedding, plague reached Kraków and the royal family departed the capital city. Sigismund Augustus left for the Grand Duchy of Lithuania, while Sigismund I the Old, Bona, and Elizabeth toured various cities in Poland. After a year of separation, the couple met again in Brest. Sigismund Augustus liked living independently in Lithuania and convinced his father to entrust him with ruling the Grand Duchy. In fall 1544, Elizabeth and Sigismund Augustus moved to Vilnius. For a few months Sigismund Augustus attempted to keep up appearances of a successful marriage to appease the Habsburgs, but soon started ignoring his wife and continued his affair with Barbara Radziwiłł.
In April 1545, Elizabeth's health deteriorated and she was tormented by her increasingly frequent seizures. On 8 June 1545, Sigismund Augustus went to Kraków to receive Elizabeth's dowry, leaving his wife alone in Vilnius. In Kraków, Sigismund Augustus inquired about treatments and asked Ferdinand I to send his own doctors. But it was too late. On 15 June, the young queen died exhausted by her many epileptic seizures. She was buried on 24 July 1545 (after her husband returned from Kraków) in Vilnius Cathedral next to her husband's uncle, King Alexander Jagiellon.
After Elizabeth's death Sigismund Augustus married his mistress Barbara Radziwiłł and, after her death, Elizabeth's younger sister, Catherine of Austria. Sigismund had no children with any his three wives.
Ancestors
References
Notes
Bibliography
External links
Przemysław Jędrzejewski, ELŻBIETA AUSTRIACZKA – KRÓLOWA POLSKA I WIELKA KSIĘŻNA LITEWSKA (1526–1545)
1526 births
1545 deaths
Burials at Vilnius Cathedral
Wives of Sigismund II Augustus
16th-century House of Habsburg
16th-century Austrian women
Neurological disease deaths in Lithuania
Deaths from epilepsy
Royalty and nobility with epilepsy
Daughters of emperors
Children of Ferdinand I, Holy Roman Emperor
Daughters of kings
People from Innsbruck
People from Linz
Austrian royalty and nobility with disabilities
|
Stochastic hill climbing is a variant of the basic hill climbing method. While basic hill climbing always chooses the steepest uphill move, "stochastic hill climbing chooses at random from among the uphill moves; the probability of selection can vary with the steepness of the uphill move."
See also
Stochastic gradient descent
References
Optimization algorithms and methods
|
```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())
}
}
}
}
```
|
Jabbar Kandi (, also Romanized as Jabbār Kandī; also known as ʿAntar Kandī-ye Soflá) is a village in Chaldoran-e Shomali Rural District, in the Central District of Chaldoran County, West Azerbaijan Province, Iran. At the 2006 census, its population was 59, in 13 families.
References
Populated places in Chaldoran County
|
```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());
}
}
```
|
Elgin Bryce Holt (September 4, 1873 – October 6, 1945) was an American geologist, mine owner and engineer, amateur scientist, anthropologist and entrepreneur who reorganized and managed the Cerro de Plata Mining Company in Magdalena, Sonora, Mexico.
Biography
Holt was born in Harrison, Arkansas, the sixth of Lydia Elizabeth (née Ryan) and "Judge" Isham Right Holt's eight children. In 1879, the family moved to a homestead raising cattle along the San Francisco river near Alma, New Mexico. In 1892, the family moved to Las Cruces, New Mexico, allowing the four youngest children to attend the New Mexico Agricultural College. Very successful in mining silver in Mexico, he was known as the "Silver King of Sonora". A member of the American Institute of Mining Engineers and the American Association of Engineers, Holt died in Los Angeles, California and is buried in Forest Lawn Cemetery.
Education
In 1897, Holt was a member of the fourth graduating class of the New Mexico College of Agriculture and Mechanic Arts (now New Mexico State University) having completed the Mining Engineering course. He earned degrees in Geology and Mineralogy. His senior thesis was entitled "The Potassium Cyanide Method of the Determination of Copper".
During his senior year Holt was manager of the college football team and editor-in-chief of the New Mexico Collegian in 1897, the college student newspaper.
Early career
In 1903, Holt and a former classmate W. C. Mossman, left for the 1904 World's Fair in St. Louis, Missouri, to join Zach Mulhall's Congress of Rough Riders and Ropers in the show's "broncho riding act".
Holt began his career renting his father's cattle business, working the family herd with his brother Isham for six years. During that time, Holt completed a post-graduate course in assaying.
Holt's older brother Ernest had a number of mining interests in Sonora, Mexico but was killed in 1900 by a revolver that was said to have fallen from his cot and exploded. Holt sold his cattle and traveled to Sonora, Mexico in 1902 to investigate his brother's mining holdings, which had passed to the Yaqui Gold Company.
After serving as Deputy Sheriff of Cochise County, Arizona in 1903 and 1904, Holt traveled to Santa Ana, Sonora, Mexico in June, 1905.
Mining career
In 1909 Holt and his brother Walter formed the Holt Bros. Mining Engineers company in Magdalena. They also operated an assay office in the same location, allowing them to hear about developments in the mining regions of Sonora.
The brothers prospected for themselves. They made a rich strike of silver at the Compania mine west of Noria Station. The three inch vein of ore was said to be 30% silver.
They also managed mining operations at a number of area mines, including the Sierra Prieta copper mine in Magdalena. In 1909 Holt also served as superintendent and general manager of the Cabrillo Mining company, located 30 miles west of Estacion Llano in Sonora, Mexico. Holt had "discovered and taken charge" of the property in 1907. He ran a tunnel under the "antigua patio process" mine that had played out and discovered chloride silver ore that ran as high as 600 ounces per ton. The property had suffered from a lack of water necessary to mine. Holt sank a 50' well shaft, providing all necessary water for the project.
In 1911, Holt incorporated the Arizona-Sonora Mines Company in Nogales, Arizona to manage a high quality gold strike at the Juan Cabral mining property near Tucabe, Magdalena. Holt's listed address was Magdalena, Sonora, Mexico.
Silver mining success
The Holt brothers met James Campbell Besley, a mine broker from nearby Hermosillo. In 1909 Besley had sold the Cerro de Plata mine, located in Sonora, Mexico, 25 miles southwest of Nogales to a group of Kentucky investors. After two years of disappointing results, the investors had asked Besley to find a purchaser for the mine. Besley brokered a deal with the Holt brothers who purchased the 150 acre mine. Holt said he started the mine with an "absurdly small cash capital of $ 200", adding "we have made the mine literally pay its own way".
In July 1912, Holt made a deal with Roy & Titcomb, Inc. of Nogales, Arizona to build a mill and cyanide plant for treatment of silver ore from the Cerro de Plata mine. Acting as general manager of the mine, Holt claimed "five hundred thousand dollars of silver is in plain sight at the Cerro de Plata mine".
The mill was started November 5, 1912. Mine development and ore shipments continued until thirty one lots of high grade ore had been shipped, mostly in railcar loads, aggregating more than 1400 tons and averaging 117 ounces of silver to the ton. 26,000 ounces of fine silver in the form of bars and precipitates were shipped to the Selby Reduction & Refining Works, near San Francisco, California during the first five weeks' production. In one section the silver content of the ore was assayed as high as 150 ounces to the ton.
Holt was soon shipping 25,000 ounces of silver a month, then worth $ .61 per ounce for a total of $ 15,250 ( - adjusted for current inflation) per month. The success of Holt's operation resulted in his expanding the mine's processing capabilities, erecting a larger 100-ton mill and cyanide plant.
In 1913, Holt and his brother Walter reorganized the US Cerro de Plata Mining Company, combining it with the Mexican corporation Cerro de Plata Mining Company S.A.. James Campbell Besley, Roy & Titcomb, Inc. and Francis J. Hobson were named initial stockholders of the new corporation.
Mexican revolutionaries stopped Holt on March 10, 1913, while he was transporting silver bullion from the mine to Nogales, Arizona. Traveling in an automobile under heavy guard, Holt was held up by 250 men. Holt and his party "were relieved of all arms and ammunition but otherwise unmolested, as the leader stated they did not want the bullion, only arms".
A November 1913 newspaper article reported a 200% increase in net production receipts at the Cerro de Plata mine, growing from $7,000 realized in the month of October to an estimated monthly profit of $14,000 () from the production of "the little old dinky plant now in use". The article mentioned plans of doubling the production capacity at the mine.
In 1914, the Cerro de Plata mine was reported to be a "silver bonanza" and "one of the coming big bonanzas of Mexico". Holt was president and manager of the mine and his brother Walter was secretary and treasurer.
Holt displayed 16,000 ounces of silver bullion taken from the Cerro de Plata mine in December 1914. The bullion, estimated at the time being worth over $8,000 () was displayed in the window of the International drug store in Nogales, Arizona along with a silver "Savior on the cross" cast from the same refined silver ore. The display was taken to Phoenix, Arizona a week later, shown at the American Mining Congress. Holt was the delegate from Santa Cruz county, Arizona.
By 1915, Holt was referred to as the "Silver King of Sonora". Holt claimed "during these (past) three years we have had a total production of nearly 700,000 ounces of silver" and "we already have 1,000,000 ounces of silver blocked out above the 300 foot level and will begin further sinking soon".
In 1916, Holt was personally supervising the extraction of lead and silver ore from the Wandering Jew mine group in Santa Cruz County, Arizona. The ore was hauled by wagon to Patagonia, Arizona and shipped to El Paso, Texas for processing.
Bandits, said to be Yaqui insurgents burned the Cerro de Plata Mining Company store in October 1916. They destroyed the company assaying office and shot at the company caretaker, killing his mule. Holt estimated the loss at $1,000. The ore tailing mill and cyanide plant were not damaged.
It was reported Holt still owned silver mines in the Sonora area in 1920.
Later career
Mine engineering consultant
In 1921, Holt was developing mining properties in San Luis Gonzaga, Sinaloa, Mexico. Holt was a director of the Mexican Metals Recovery Co., incorporated in Arizona in 1922. The company was headquartered in El Paso, Texas. In 1937 Holt held an option to develop the Mowry mine, located in Santa Cruz County, Arizona.
Arizona State mining engineer
Holt worked as a district mine engineer for the Arizona State Department of Mineral Resources. His initial assignment was to compile and codify rules and regulations regarding mining on the various federal and state classifications of land in Arizona. His reports on state mining activity were often printed as news stories in prominent newspapers.
Holt was one of two of the state Department of Mineral Resources's four field engineers that lost funding in 1945 by a veto cast by Governor Sidney Preston Osborn during budget cuts.
Amateur scientist
Anthropology
Holt's article "Cliff Dwellers of the Mexican Sierra Madre" was published in the November, 1926 Bulletin of the Pan American Union. The article explored the greater part of the Sierra Madre from the Rio Aros, in the State of Chihuahua, to southwestern Durango, bordering the State of Nayarit.
Entomology
Holt reported a new type of ichneumon fly in the spring of 1896, a female example taken at Las Cruces, New Mexico. Named at the time Paniscus pulcher by the US Department of Agriculture, the insect was deemed a new species and described as being "very distinct in the entire lack of scutellar carinae and the highly contrasting color of the thorax".
Holt collected an example of Gorytes hamatus, a sand fly at Las Cruces, New Mexico in 1896. His collected insect is listed in Contributions to the Entomology of New Mexico: Volume 1.
Holt also provided the United States National Museum an example of a Dasymutilla Pseudopappas mutillidae wasp, taken in the Mesilla Valley of New Mexico in 1896.
Paleontology
Holt donated fossil and mineral specimens he had found in the Arizona and Mexican desert. Among them were "exceptionally choice samples of cassiterite (mineral tin oxide)" he found in Durango, Mexico and donated to the University of Nebraska Uni Museum in 1926.
He donated fossil crocodile and phytosaur specimens to the American Museum of Natural History in 1936. He also donated Temnospondyli fossils found at St. Johns, Apache County, Arizona to the American Museum of Natural History.
Death and burial
Apparently despondent due to a long bout of ill health, Holt attempted suicide on October 5, 1945, by repeatedly hitting himself in the head with a hammer. He was then a resident of Los Angeles, California. First treated at Georgia Street Receiving Hospital, Holt was later transferred to General Hospital where he was diagnosed with a skull fracture. He died the next day, October 6, 1945. His funeral rites were held on October 10, 1945, in Los Angeles.
Holt is buried in Forest Lawn Memorial Park in Glendale, Los Angeles County, California.
References
1873 births
1945 deaths
People from Harrison, Arkansas
American geologists
Silver mining
Mining engineering
Amateur paleontologists
19th-century American engineers
20th-century American engineers
New Mexico State University alumni
|
```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);
```
|
AAA refers to Authentication (to prove identity), Authorization (to give permission) and Accounting (to log an audit trail).
It is a framework used to control and track access within a computer network.
Common network protocols providing this functionality include TACACS+, RADIUS, and Diameter.
Usage of AAA in Diameter (protocol)
In some cases, the term AAA has been used to refer to protocol-specific information. For example, Diameter uses the URI scheme AAA, which stands for Authentication, Authorization and Accounting, and the Diameter-based Protocol AAAS, which stands for Authentication, Authorization and Accounting with Secure Transport. These protocols were defined by the Internet Engineering Task Force in RFC 6733 and are intended to provide an Authentication, Authorization, and Accounting (AAA) framework for applications, such as network access or IP mobility in both local and roaming situations.
While the term AAA has been used in such a narrow context, the concept of AAA is more widely used within the industry. As a result, it is incorrect to refer to AAA and Diameter as being one and the same.
Usage of AAA servers in CDMA networks
AAA servers in CDMA data networks are entities that provide Internet Protocol (IP) functionality to support the functions of authentication, authorization and accounting. The AAA server in the CDMA wireless data network architecture is similar to the HLR in the CDMA wireless voice network architecture.
Types of AAA servers include the following:
Access Network AAA (AN-AAA): Communicates with the RNC in the Access Network (AN) to enable authentication and authorization functions to be performed at the AN. The interface between AN and AN-AAA is known as the A12 interface.
Broker AAA (B-AAA): Acts as an intermediary to proxy AAA traffic between roaming partner networks (i.e., between the H-AAA server in the home network and V-AAA server in the serving network). B-AAA servers are used in CRX networks to enable CRX providers to offer billing settlement functions.
Home AAA (H-AAA): The AAA server in the roamer's home network. The H-AAA is similar to the HLR in voice. The H-AAA stores user profile information, responds to authentication requests, and collects accounting information.
Visited AAA (V-AAA): The AAA server in the visited network from which a roamer is receiving service. The V-AAA in the serving network communicates with the H-AAA in a roamer's home network. Authentication requests and accounting information are forwarded by the V-AAA to the H-AAA, either directly or through a B-AAA.
Current AAA servers communicate using the RADIUS protocol. As such, TIA specifications refer to AAA servers as RADIUS servers. However, future AAA servers are expected to use a successor protocol to RADIUS known as Diameter.
The behavior of AAA servers (radius servers) in the CDMA2000 wireless IP network is specified in TIA-835.
See also
Layer 8
Cyberoam
Computer access control
References
Code division multiple access
Computer security procedures
|
The National Olympic Committee of Thailand under the Royal Patronage of His Majesty the King () is the national Olympic committee in Thailand for the Olympic Games movement, based in Ampawan House, Bangkok, Thailand. It is a non-profit organisation that selects teams and raises funds to send Thailand competitors to Olympic events organised by the International Olympic Committee (IOC), Asian Games events organised by the Olympic Council of Asia (OCA) and Southeast Asian Games events organised by the Southeast Asian Games Federation (SEAGF).
History
The forerunner of the NOCT was the "International Relations Committee for Sports" which was set up in 1946, originally a society for expatriates living in Thailand to participate in sports, and raise money through ticket sales for public sports participation and the Thai Red Cross Society.
The Committee decided to create an official Olympic organization to help develop good relations with other nations via sport, and the NOCT was officially formed on June 20, 1948; and subsequently recognized by the International Olympic Committee at the IOC meeting in Copenhagen on May 15, 1950. His Majesty King Bhumibol Adulyadej (Rama IX) granted a Royal Patronage to the NOCT on December 26, 1949, as well as the official Symbol of the Olympic Committee of Thailand on January 8, 1951.
Governance
Executive Board
President
National Governing Body members
Supervised members
Recognized members
See also
Thailand at the Olympics
Thailand at the Paralympics
Thailand at the Asian Games
References
External links
National Olympic Committee of Thailand
Thailand
Oly
Thailand at the Olympics
1948 establishments in Thailand
Sports organizations established in 1948
Organizations based in Thailand under royal patronage
|
```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 .
```
|
New Gurgaon is a planned city situated in the state of Haryana in India. The two main clusters in New Gurgaon along the upcoming Dwarka-Gurgaon Expressway are Sectors 102 to 113 and Sectors 76 to 95 95A, Sector 83 and Sector 83. New Gurgaon is well connected with three highways, NH48, Kundli–Manesar–Palwal Expressway and Dwarka-Gurgaon Expressway, Railway Station, Airport, and the proposed ISBT. Moreover, it is bisected by the National Highway Pataudi Road, which is the most promising upcoming real estate area of Gurgaon. According to the development plan for Gurgaon-Manesar Urban Complex-2025, the residential sectors of Gurgaon will ultimately reach Manesar. In the coming times, New Gurgaon will attract more people, industries, and businesses than Old Gurgaon. New Gurgaon will have new ISBT at interconnection on NH-8 with Dwarka Expressway, and more planned city residential, and commercial buildings, there are many ready-to-move and under-development projects in Gurgaon like Orris Gateway Sco plots, Orris Market 89, SS The Leaf, etc.
References
Villages in Gurgaon district
|
```php
<?php
/**
*/
namespace OCA\DAV\Tests\unit\DAV;
use OCA\DAV\Files\BrowserErrorPagePlugin;
use Sabre\DAV\Exception\NotFound;
use Sabre\HTTP\Response;
class BrowserErrorPagePluginTest extends \Test\TestCase {
/**
* @dataProvider providesExceptions
* @param $expectedCode
* @param $exception
*/
public function test($expectedCode, $exception): void {
/** @var BrowserErrorPagePlugin | \PHPUnit\Framework\MockObject\MockObject $plugin */
$plugin = $this->getMockBuilder(BrowserErrorPagePlugin::class)->setMethods(['sendResponse', 'generateBody'])->getMock();
$plugin->expects($this->once())->method('generateBody')->willReturn(':boom:');
$plugin->expects($this->once())->method('sendResponse');
/** @var \Sabre\DAV\Server | \PHPUnit\Framework\MockObject\MockObject $server */
$server = $this->getMockBuilder('Sabre\DAV\Server')->disableOriginalConstructor()->getMock();
$server->expects($this->once())->method('on');
$httpResponse = $this->getMockBuilder(Response::class)->disableOriginalConstructor()->getMock();
$httpResponse->expects($this->once())->method('addHeaders');
$httpResponse->expects($this->once())->method('setStatus')->with($expectedCode);
$httpResponse->expects($this->once())->method('setBody')->with(':boom:');
$server->httpResponse = $httpResponse;
$plugin->initialize($server);
$plugin->logException($exception);
}
public function providesExceptions() {
return [
[ 404, new NotFound()],
[ 500, new \RuntimeException()],
];
}
}
```
|
Esa Eljas Timonen (28 May 1925, Nurmes – 19 April 2015) was a Finnish politician. He served as Deputy Minister of Communications from 12 September 1964 to 27 May 1966, as Deputy Minister of Social Affairs from 27 May 1966 to 31 August 1967, as Minister of Employment from 14 May to 15 July 1970 and again from 29 October 1971 to 23 February 1972 and as Minister of Transport from 13 June to 30 November 1975. Timonen was a Member of the Parliament of Finland from 1958 to 1966, representing the Agrarian League, which renamed itself the Centre Party in 1965. He served as the Governor of Northern Karelia Province from 1967 to 1992.
References
1925 births
2015 deaths
People from Nurmes
Centre Party (Finland) politicians
Government ministers of Finland
Ministers of Labour of Finland
Ministers of Transport and Public Works of Finland
Members of the Parliament of Finland (1958–1962)
Members of the Parliament of Finland (1962–1966)
Members of the Parliament of Finland (1966–1970)
|
```javascript
Multi-line string variables
Double and single quotes
Hoisting applies only to variable declarations, not initializations
Using `eval`
How to merge two arrays
```
|
Subrata Roy (Bengali: সুব্রত রায়) is an Indian-born American inventor, educator, and scientist known for his work in plasma-based flow control and plasma-based self-sterilizing technology. He is a professor of Mechanical and Aerospace Engineering at the University of Florida and the founding director of the Applied Physics Research Group at the University of Florida.
Biography
Subrata Roy earned his Ph.D. in engineering science from the University of Tennessee in Knoxville, TN in 1994. Roy was a senior research scientist at Computational Mechanics Corporation in Knoxville, Tennessee, and then professor of mechanical engineering at the Kettering University up to 2006. In 2006, Roy joined the University of Florida as a faculty member of the Department of Mechanical and Aerospace Engineering. He is a professor of Mechanical and Aerospace Engineering and the founding director of the Applied Physics Research Group at the University of Florida. He has also worked as a visiting professor at the University of Manchester and the Indian Institute of Technology Bombay.
Scientific work
Subrata Roy's research and scientific work encompasses Computational Fluid Dynamics (CFD), plasma physics, heat transfer, magnetohydrodynamics, electric propulsion, and micro/nanoscale flows. In 2003, Roy incorporated Knudsen's theory that handles surface collisions of molecules by diffusive and specular reflections into hydrodynamic models, which has been used in shale gas seepage studies. In 2006, Roy invented the Wingless Electromagnetic Air Vehicle (WEAV) which was included in Scientific American in 2008 as the world's first wingless, electromagnetically driven air vehicle design. Roy is known for introducing various novel designs and configurations of plasma actuators for applications in mitigation of flow drag related fuel consumption, noise reduction, and active film cooling of turbine blades and propulsion. These designs and configurations include serpentine geometry plasma actuators, fan geometry plasma actuators, micro-scale actuators, multibarrier plasma actuators, and plasma actuated channels of atmospheric plasma actuators.
Roy also led multidisciplinary research on innovating eco-friendly ways of microorganism decontamination using plasma reactors.
Roy served as the Technical Discipline Chair for the 36th AIAA Thermophysics Conference in 2003, the 48th Aerospace Sciences Meeting (for Thermophysics) in 2010, the AIAA SciTech Plasma Dynamics and Lasers Conference in 2016, and served as the Forum Technical Chair for AIAA SciTech in 2018. Roy served (20052007) as an Associate Editor of the Journal of Fluids Engineering and served (20122017) as an Academic Editor of PLOS One. Roy serves as a nation appointed member to the NATO Science and Technology Organisation working group on plasma actuator technologies; a member of the editorial board of Scientific Reports-Nature ; and, an Associate Editor of Frontiers in Physics, Frontiers in Astronomy and Space Sciences, and Journal of Fluid Flow, Heat and Mass Transfer. Roy is an inducted Fellow of the National Academy of Inventors, a Distinguished Visiting Fellow of the Royal Academy of Engineering, a Fellow of the Royal Aeronautical Society, a lifetime member and Fellow of the American Society of Mechanical Engineers, and an Associated Fellow of the American Institute of Aeronautics and Astronautics.
Honors
Fellow, National Academy of Inventors
Distinguished Visiting Fellow, Royal Academy of Engineering
Fellow, Royal Aeronautical Society
Lifetime Fellow, American Society of Mechanical Engineers
References
External links
University of Florida faculty
Living people
American engineers
Plasma physicists
Computational fluid dynamicists
Scientists from Kolkata
Indian emigrants to the United States
Bengali scientists
American Hindus
20th-century Indian physicists
21st-century American inventors
University of Tennessee alumni
Jadavpur University alumni
Year of birth missing (living people)
American academics of Indian descent
Indian scholars
|
This list of 1929 motorsport champions is a list of national or international auto racing series with a Championship decided by the points or positions earned by a driver from multiple races.
Open wheel racing
See also
List of motorsport championships
Auto racing
1929 in motorsport
1929
|
Grupul 1 Aeronautic ("1st Aeronautical Group" in English), also known as Grupul 1 Aviație ("1st Aviation Group") was one of the three groups of the Romanian Air Corps created following the aviation reorganization in the winter of 1916/1917.
History
After the reorganization of the Romanian Air Corps in the winter of 1916/1917, under the advice of the French Military Mission, 3 Aeronautical groups were created. Each composed of 2 reconnaissance and 1 fighter squadrons and each assigned to a Romanian or Russian army. with its headquarters at Bacău was assigned to the 2nd Romanian Army.
The group, commanded by Major (Maj.) Sturdza, was composed the following squadrons:
- commanded by Captain (Cpt.) (until March), then by Captain Panait Cholet
- commanded by Cpt. Scarlat Ștefănescu
- commanded by Cpt.
Campaign of 1917
together with Grupul 2 Aeronautic contributed to the Battle of Mărăști. On 15 August 1917, the airmen of the group carried out 18 reconnaissance, bombing missions, photographing the enemy positions on the front of the 2nd Romanian Army.
In preparation for an offensive on the Oituz Valley, the airmen of executed numerous reconnaissance missions between 3 - 7 September 1917, the fighter pilots of N.1 squadron continued patrolling the front-line, engaging aircraft of the Central Powers. On 8 September, airmen of the F.2 and N.1 squadrons engaged enemy aircraft over Târgu Ocna, and Slănic. The next day, managing to shoot down 3 aircraft. Between 9 - 12 September, 18 combat missions were completed, with dogfights being carried out in 12 of them. Two enemy aircraft were brought down, while the reconnaissance squadrons managed to photograph the whole front between Cireșoaia-Cașin and the .
From 22 September 1917, was composed of:
and - with the aerodrome at Borzești
- at Gârbovanul
1918
From January 1918, was commanded by Maj. Athanase Enescu. All squadrons of the group were located at Bacău.
Following Order no. 275/1918, the squadrons of the group were moved to auxiliary airfields, closer to the front-line in Bessarabia.
1919
In 1919, the N.1 and B.4 (ex-F.4) squadrons, part of commanded by Major Ștefan Protopopescu, set their base at Chișinău, in order to support the Romanian troops of . (, which was part of , was also sent to the front, being based at Cernăuți. All 3 squadrons executed mainly reconnaissance and bombing missions. The S.2 Squadron which was previously part of the 1st Group, was assigned to the newly formed 5th Aviation Group in Transylvania. It returned to the Group in 1920.
See also
Grupul 2 Aeronautic
List of Romanian Air Force units
References
Aviation history of Romania
Romania in World War I
Romanian Air Corps units
|
```shell
Repeating commands with `watch`
Clear the terminal instantly
Terminal based browser
Random password generator
Adding directories to your `$PATH`
```
|
The 2018 National Premier Leagues was the sixth season of the Australian National Premier Leagues football competition. The league competition was played amongst eight separate divisions, divided by FFA state and territory member federations. The divisions are ACT, NSW, Northern NSW, Queensland, South Australia, Tasmania, Victoria and Western Australia. The winners of each respective divisional league competed in a finals playoff tournament at season end, culminating in a Grand Final.
Campbelltown City were crowned National Premier Leagues Champions and qualified directly for the 2019 FFA Cup Round of 32.
League tables
ACT
Finals
NSW
Finals
Northern NSW
Finals
Queensland
Finals
South Australia
Finals
Tasmania
Victoria
Finals
Western Australia
Finals
Final Series
The winner of each league competition (top of the table) in the NPL will compete in a single match knockout tournament to decide the National Premier Leagues Champion for 2018. The quarter final match-ups were decided by an open draw. Home advantage for the semi-finals and final is based on a formula relating to time of winning (normal time, extra time or penalties), goals scored and allowed, and yellow/red cards. The winner will additionally qualify for the 2019 FFA Cup Round of 32.
Quarter-finals
Semi-finals
Grand Final
References
External links
Official website
2018
2018 domestic association football leagues
2018 in Australian soccer
|
Richard Robinson is an American and Bermudian chess player, Chess Olympiad individual gold medal winner (1996).
Biography
Richard Robinson was from New York City but he worked in Bermuda for many years. He is known as a regular member of US chess tournaments. His peak success in chess was in 1996 in Yerevan, where he won the gold medal at second board in the Chess Olympiad individual rankings, ahead of his percentage Grandmaster Alex Yermolinsky.
References
External links
Richard Robinson chess games at 365Chess.com
1956 births
2009 deaths
American chess players
Bermudian chess players
20th-century chess players
|
Oberea subneavei is a species of beetle in the family Cerambycidae. It was described by Stephan von Breuning in 1961.
References
Beetles described in 1961
subneavei
|
```javascript
/*
* one or more contributor license agreements. See the NOTICE file distributed
* with this work for additional information regarding copyright ownership.
*/
import React, {runLastEffect, runAllEffects} from 'react';
import {shallow} from 'enzyme';
import {MenuItem} from '@carbon/react';
import {showPrompt} from 'prompt';
import {useUiConfig} from 'hooks';
import {getVariableNames} from './service';
import {AddFiltersButton} from './AddFiltersButton';
jest.mock('hooks', () => ({
useUiConfig: jest
.fn()
.mockReturnValue({optimizeProfile: 'platform', userTaskAssigneeAnalyticsEnabled: true}),
useErrorHandling: () => ({
mightFail: jest.fn().mockImplementation((data, cb) => cb(data)),
}),
}));
const props = {
availableFilters: [],
setAvailableFilters: jest.fn(),
mightFail: jest.fn().mockImplementation((data, cb) => cb(data)),
reports: [{id: 'reportId'}],
persistReports: jest.fn(),
};
jest.mock('prompt', () => ({
showPrompt: jest.fn().mockImplementation(async (config, cb) => await cb()),
}));
jest.mock('./service', () => ({
getVariableNames: jest.fn(),
}));
beforeEach(() => {
props.setAvailableFilters.mockClear();
props.persistReports.mockClear();
getVariableNames.mockClear();
});
it('should not allow adding the same filter twice', () => {
const node = shallow(
<AddFiltersButton {...props} availableFilters={[{type: 'instanceStartDate'}]} />
);
expect(node.find(MenuItem).at(0)).toBeDisabled();
});
it('should disable options that rely on process data if there are no reports', () => {
const node = shallow(<AddFiltersButton {...props} />);
expect(node.find(MenuItem).last()).not.toBeDisabled();
node.setProps({reports: []});
expect(node.find(MenuItem).last()).toBeDisabled();
});
it('should show a prompt to save the dashboard when adding filters that rely on processes on a dashboard with unsaved reports', async () => {
const node = shallow(
<AddFiltersButton {...props} reports={[{id: 'reportId'}, {report: {name: 'unsaved report'}}]} />
);
node.find(MenuItem).last().simulate('click');
await flushPromises();
expect(showPrompt).toHaveBeenCalledTimes(1);
expect(props.persistReports).toHaveBeenCalledTimes(1);
});
it('should fetch variable names', () => {
shallow(<AddFiltersButton {...props} />);
runLastEffect();
expect(getVariableNames).toHaveBeenCalledWith(['reportId']);
});
it('should remove filters that are no longer valid', () => {
getVariableNames.mockReturnValue([{type: 'String', name: 'a'}]);
shallow(
<AddFiltersButton
{...props}
availableFilters={[
{type: 'variable', data: {name: 'a', type: 'String'}},
{type: 'variable', data: {name: 'b', type: 'Boolean'}},
]}
/>
);
runLastEffect();
expect(props.setAvailableFilters).toHaveBeenCalledWith([
{type: 'variable', data: {name: 'a', type: 'String'}},
]);
});
it('should include the allowed values for string and number variables', () => {
const node = shallow(<AddFiltersButton {...props} />);
node
.find(MenuItem)
.findWhere((n) => n.prop('label') === 'Variable')
.first()
.simulate('click');
const modal = node.find('.dashboardVariableFilter');
expect(modal).toExist();
const newFilter = {
type: 'variable',
data: {
type: 'String',
name: 'stringVar',
data: {operator: 'in', values: ['aStringValue'], allowCustomValues: false},
},
};
modal.prop('addFilter')(newFilter);
expect(props.setAvailableFilters).toHaveBeenCalledWith([newFilter]);
});
it('should not include a data field for boolean and date variables', () => {
const node = shallow(<AddFiltersButton {...props} />);
node
.find(MenuItem)
.findWhere((n) => n.prop('label') === 'Variable')
.first()
.simulate('click');
const modal = node.find('.dashboardVariableFilter');
modal.prop('addFilter')({
type: 'variable',
data: {type: 'Boolean', name: 'newVar', data: {value: true}},
});
expect(props.setAvailableFilters).toHaveBeenCalledWith([
{
type: 'variable',
data: {
type: 'Boolean',
name: 'newVar',
},
},
]);
modal.prop('addFilter')({
type: 'variable',
data: {
type: 'Date',
name: 'newVar',
data: {type: 'relative', start: {value: 1, unit: 'years'}, end: null},
},
});
expect(props.setAvailableFilters).toHaveBeenCalledWith([
{
type: 'variable',
data: {
type: 'Date',
name: 'newVar',
},
},
]);
});
it('should include a checkbox to allow custom values', () => {
const node = shallow(<AddFiltersButton {...props} />);
node
.find(MenuItem)
.findWhere((n) => n.prop('label') === 'Variable')
.first()
.simulate('click');
const postText = shallow(
node.find('.dashboardVariableFilter').prop('getPosttext')({type: 'String'})
);
expect(postText.find('[type="checkbox"]')).toExist();
});
it('should show an assignee filter modal with additional content', async () => {
const node = shallow(<AddFiltersButton {...props} />);
await runAllEffects();
node
.find(MenuItem)
.findWhere((n) => n.prop('label') === 'Assignee')
.first()
.simulate('click');
expect(node.find('.dashboardAssigneeFilter')).toExist();
const postText = shallow(
node.find('.dashboardAssigneeFilter').prop('getPosttext')({type: 'String'})
);
expect(postText.find('[type="checkbox"]')).toExist();
});
it('should not show assignee options when assignee analytics are disabled', async () => {
useUiConfig.mockImplementation(() => ({
userTaskAssigneeAnalyticsEnabled: false,
}));
const node = shallow(<AddFiltersButton {...props} />);
await runAllEffects();
expect(node.find(MenuItem).findWhere((n) => n.prop('label') === 'Assignee').length).toBe(0);
});
it('should not show candidate group options in C8 environment', async () => {
useUiConfig.mockReturnValueOnce({optimizeProfile: 'cloud'});
const node = shallow(<AddFiltersButton {...props} />);
await runAllEffects();
expect(
node
.find(MenuItem)
.findWhere((n) => n.prop('label') === 'Assignee' || n.prop('label') === 'Candidate group')
.length
).toBe(0);
});
```
|
```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
```
|
In Scotland a teind () was a tithe derived from the produce of the land for the maintenance of the clergy.
It is also an old lowland term for a tribute due to be paid by the fairies to the devil every seven years. Found in the story of Tam Lin as well as in the ballad of Thomas the Rhymer.
Teind is a Scots word for tithe, meaning a tenth part.
Scottish Reformation and the Thirds of Benefices
Teinds had been used to support the living expenses of clergy. On 15 February 1562 the Privy Council of Scotland regulated the collection of a third of the teinds for the stipends of ministers of the reformed church and the expenses of the royal household. A survey was made of rentals and revenues received by clergy. The resulting "Books of Assumption" is a record of the wealth of the church of Scotland at the Reformation and reveals the names of many secular or laymen owners who then owned former ecclesiastic properties. The detailed record also reveals the variety of agricultural produce, fishing, and coal or lime produced on the lands.
On 1 March 1562 John Wishart of Pitarrow was appointed comptroller and collector-general of teinds. A "Collectory" was established to manage the Thirds of Benefices. In this capacity he became paymaster of the reformed clergy, many of whom resented the scantiness of their stipends. According to John Knox, the saying was current, "The good laird of Pittarro was ane earnest professour of Christ; but the mekle Devill receave the comptrollar". Wishart appointed a kinsman George Wishart of Drymme as a sub-collector of Thirds of Benefices from Forfar and Kincardine, and his account includes payments made by Mary, Queen of Scots, to Knox and his servants, and to David Rizzio.
Extracts from the accounts of the Thirds of Benefices, the records of Collectory between 1561 and 1572 were published by Gordon Donaldson. Much of the money or produce collected went towards the expenses of the royal household and guard. In 1563, John Knox complained that "the gaird and the effairis of the kytcheing wer so gryping that the mynisteris stipendis could nocht be payit". The accounts record wine, beef and mutton, and cheese bought for the royal household. Coal from Wallyford in East Lothian was sent to the Palace of Holyroodhouse for Mary, Queen of Scots, and some was shipped to Aberdeen when she visited.
Some entries relate to the Chaseabout Raid of 1565. John Wishart, a supporter of Mary's half-brother Lord James was replaced as Collector by William Murray of Tullibardine. Subsequently, Adam Erskine of Cambuskenneth, was Collector General.
See also
Court of Teinds
Queen of the Fairies
Elphame
References
Fairies
Scots law legal terminology
Personal taxes
Taxation in Scotland
History of the Church of Scotland
Scots language
Economy and Christianity
Christian law
Giving
History of taxation in the United Kingdom
Legal history of Scotland
Political history of Scotland
Abolished taxes
Monarchy and money
2000 disestablishments in Scotland
Tithes
Scottish exchequer
|
Tim McCreadie (born April 12, 1974) is an American Dirt Late Model racing driver. He is the 2021 and 2022 Lucas Oil Late Model Dirt Series Champion. In 2007 he ran a partial schedule in NASCAR West Series, ARCA RE/MAX Series, NASCAR Busch Series, and World of Outlaws Late Model Series.
Racing career
As a youth, McCreadie raced go karts in the Thousand Island region of New York, and advanced to small block modifieds. McCreadie was 59-time DIRT Big-Block feature winner prior to moving on to the Late Models. McCreadie was voted the 2006 Al Holbert Memorial National Driver of the Year by the Eastern Motorsport Press Association.
McCreadie won the 2006 Chili Bowl as well as the 2006 World of Outlaws Late Model Series Championship. McCreadie signed a development deal with Richard Childress Racing in 2007, racing six events in the NASCAR Nationwide Series. He earned top-15s at Gateway International Raceway and O'Reilly Raceway Park as was thought by many to be one of the next up-and-comers in the sport. He tested the RCR NNS car at Daytona International Speedway and topped the speed charts early on. Despite these successes, however, sponsorship could not be found for his team and he and Richard Childress Racing agreed to part ways.
In 2008, McCreadie won the Topless 100 Late Model Race, leading all 100 laps. On September 27, 2008, he won the best race of his career the 5th Annual Late Model Knoxville Nationals, taking home a whopping $40,000. The 2008 season also saw him earn a win at the Jackson 100, beating some of the biggest name in the sport of auto racing, as well as trying his hand in the commentary booth as an analyst for Speed TV for the Rite Aid 200 at the Syracuse Mile.
In January 2009 McCreadie severely injured his back at the 2009 Chili Bowl race after a serious midget car roll over. Tim broke one vertebra, has floating pieces in his back. He resumed racing in 2010.
In 2013, McCreadie won the "USA Nationals" at the Cedar Lake Speedway in New Richmond, Wisconsin worth $50,000.
In 2014, McCreadie won the "Prairie Dirt Classic" at the Fairbury American Legion Speedway in Fairbury, Illinois worth $25,000.
In 2016, McCreadie joined the Lucas Oil Late Model Dirt Series full-time for the first time in his career.
In 2017, McCreadie won the "Silver Dollar Nationals" at the I-80 Speedway in Greenwood, Nebraska worth $53,000. He also won the "North-South 100" at the Florence Speedway in Union, Kentucky worth $50,000, and repeated in 2020.
In 2018, McCreadie became the first driver from New York state to win the World 100.
In 2019, McCreadie won the Firecracker 100 at the Lernerville Speedway in Sarver, PA driving the K&L Rumley Enterprises #6 Longhorn Chassis.
In 2022 he won the Firecracker 100 again for the second time.
Family
Tim is the son of Bob and Sandy McCreadie, and has two siblings, Tyne and Jordan. His father is the legendary modified driver "Barefoot" Bob McCreadie, an inductee to the Lowe's Motor Speedway Walk of Fame, the Dirt Motorsports Northeast Hall of Fame, and the Eastern Motorsport Press Association Hall of Fame. Tim McCreadie's nickname is "T-Mac".
Motorsports career results
NASCAR
(key) (Bold – Pole position awarded by qualifying time. Italics – Pole position earned by points standings or practice time. * – Most laps led.)
Busch Series
Busch East Series
West Series
ARCA Re/Max Series
(key) (Bold – Pole position awarded by qualifying time. Italics – Pole position earned by points standings or practice time. * – Most laps led.)
References
External links
Living people
1974 births
Sportspeople from Watertown, New York
Racing drivers from New York (state)
ARCA Menards Series drivers
NASCAR drivers
Richard Childress Racing drivers
|
"Happy Heart" is a song written by James Last and Jackie Rae. Versions of the song by Petula Clark and Andy Williams charted simultaneously in 1969 and had their best showings on Billboard magazine's Easy Listening chart, where Clark peaked at number 12 and Williams spent two weeks at number 1.
History
The first recording of "Happy Heart" to reach the charts in Billboard magazine was an instrumental version by record producer Nick DeCaro that debuted on the Easy Listening chart in the March 15, 1969, issue and got as high as number 22 over the course of seven weeks. DeCaro had recently produced the albums Born Free, Love, Andy, and Honey for Williams, who recorded "Happy Heart" on March 8 of that year. Williams also performed the song for Clark's NBC television special Portrait of Petula that would air on April 7.
A full-page advertisement in the March 22 issue of Billboard with the headline The Latest Thing from Paris showed a pair of bare legs standing in cleated running shoes and described the rush that Clark and her record company were in to get a recording of the song out:
Last Monday. Petula races from Paris to Hollywood. She lives in Paris. She records in Hollywood. She races in with no suitcase. Just one song. A quick trip for just one short song? Not with the song Petula's holding. What Petula holds is probably the song of the year. That night, with arranger Ernie Freeman, Petula records "Happy Heart". By Tuesday morning [Warner Bros. executive Joe] Smith has "Happy Heart" all wrapped up and shipping. We, too, are off to the races. "Happy Heart" is, indeed, the latest thing. Right now, the guys from Warners're racing at you, with that latest thing. From Petula. Excited? Petula's "Happy Heart" beats at Warner Bros., who race to win.
Critical reception
The differences between the arrangements of the two vocal versions stood out for critics. Billboard described both of them in one capsule review, which also appeared in the March 22 issue. "Miss Clark's reading is soulful with a driving slow beat. Williams's, produced by Jerry Fuller, is a brighter tempo with much jukebox appeal as well."
Clark's recording appeared on her Portrait of Petula album, and in reviewing the LP for Allmusic, Joe Viglione wrote, "She does take the tempo of Andy Williams's 'Happy Heart' down a bit."
Chart success
Clark and Williams each debuted "Happy Heart" on Billboard'''s Easy Listening chart in the April 5 issue, but Clark reached only number 12 during her seven weeks there. Williams, on the other hand, enjoyed two weeks at number one during a 14-week stay. Both recordings made their first appearance on the magazine's Hot 100 in the April 12 issue, which began a five-week run for Clark that took the song as high as number 62. During his 11 weeks there, Williams went to number 22.
In Canada both recordings debuted on RPM magazine's Adult Contemporary chart in the April 14 issue. Clark made it to number 9 on that list, and Williams peaked at number 2. On their list of pop hits, the RPM 100, Clark repeated the number 62 showing that the song made on the US pop chart, and Williams got to number 25.
On May 13 the Williams version also began 10 weeks on the UK Singles Chart, where it reached number 19.
Film soundtrack appearances
Director Danny Boyle chose the Williams version for the soundtrack of his 1994 British film Shallow Grave, and in 2013 Rolling Stone revisited the scene in which it was used. "As the twisty noir ends, Ewan McGregor, knife stuck through his chest, grins sublimely as his blood drips down onto the stacks of money stashed between the floorboards. He grins, knowing his double-cross worked." The Williams song begins during these final moments of the film, and Boyle explained the logic behind his selection. "'You don't want to do anything too obvious. You're trying to find an extra irony, an extra delight,' Boyle says. 'That was a big track for my dad. He loved crooners. And, God's honest truth, we were hanging out in Glasgow where we did most of the shooting, and as we got into a black cab, the driver was playing it. That moment, as you get into the cab, you go, "That's the end of the film." You know. It's perfect. Despite what you're seeing, inside he's feeling, "It's my happy heart," and singing loud as he can.'" Blatantly borrowing from "Shallow Graves", the horror movie "1BR (2019)", uses the same Andy Williams version for the same effect. 1BR is a horror movie about a young aspiring costume designer that moves into an LA apartment community which on the surface appears idyllic, unaware that they assimilate new tenants using operant conditioning" torture. The song is used as a reoccurring ironic counterpoint to the gruesome imagery and torture.
The female impersonator Holly Woodlawn lip-synced to the Clark version in the 1998 Tommy O'Haver film Billy's Hollywood Screen Kiss. The soundtrack CD included the Clark recording as well as a new remix of the song. In the August 8, 1998, issue of Billboard, Dance Trax columnist Larry Flick wrote, "Speaking of revamping oldies, Junior Vasquez has done a fine job of tweaking Petula Clark's 'Happy Heart' into a thumpy house anthem" and added that "the track benefits tremendously from a rare peek into Vasquez's festive sense of humor. He seems to be having a blast playing with Clark's girlish vocal, wrapping it in vibrant synths and wriggling percussion fills." Two months later, in the October 10 issue, the Vasquez remix reached number 5 on the Billboard'' Hot Dance Breakouts chart for Maxi-Singles Sales, which describes Breakouts as titles with future chart potential based on sales reports.
Chart statistics
Nick DeCaro
Clark version
Clark version (1998 Junior Vasquez Remix)
Williams version
See also
List of number-one adult contemporary singles of 1969 (U.S.)
References
Bibliography
1969 singles
Songs written by Jackie Rae
Andy Williams songs
Petula Clark songs
Columbia Records singles
1969 songs
Songs with music by James Last
|
Pubitelphusa trigonalis is a moth of the family Gelechiidae. It is found in Korea.
The wingspan is 14-14.5 mm. The forewings have a dark grey basal fascia within one-fourth of the length and a creamy white antemedian band on the anterior half, with two brownish scale-tufts on the posterior half. The median fascia is dark fuscous, with several small scale-tufts on its surface. The costa has a small ochreous spot at the middle and a large, triangular ochreous patch at three-fourths. The area beyond the medial fascia is densely speckled with dark fuscous scales centrally and there are ochreous scales scattered along the inner margin beyond the tornus. The hindwings are grey.
Etymology
The species name refers to the shape of the fusion of the vinculum and the sacculus and is derived from the Greek trigono.
References
Moths described in 2007
Litini
|
The 2021–22 season is the 52nd season in the existence of FC Utrecht and the club's 52nd consecutive season in the top flight of Dutch football. In addition to the domestic league, FC Utrecht participated in this season's editions of the KNVB Cup. In the regular season, they have qualified for the play-offs, for this they played for a place in the second round of the UEFA Europa Conference League.
Players
First-team squad
Transfers
Summer
Transfers in
Transfers out
Winter
Transfers in
Transfers out
Outside transfer window
Transfers in
Pre-season and friendlies
Competitions
Overall record
Eredivisie
League table
Results summary
Results by round
Matches
The league fixtures were announced on 11 June 2021.
KNVB Cup
Play-offs
Semi-finals
Statistics
Goalscorers
Friendlies
Assists
Monthly Awards
Attendance
Home games
Away supporters
References
External links
FC Utrecht seasons
FC Utrecht
|
Vendetta may refer to:
Feud or vendetta, a long-running argument or fight
Film
Vendetta (1919 film), a film featuring Harry Liedtke
Vendetta (1950 film), an American drama produced by Howard Hughes
Vendetta (1986 film), an American action film
Vendetta (1995 film), a Swedish film
Vendetta (1996 film), a film featuring Richard Lynch
Vendetta (1999 film), an HBO crime drama
Vendetta (2013 film), a British film
Vendetta (2015 film), an American film
Vendetta (2017 film), an American pornographic film
Vendetta (2022 film), an action thriller starring Bruce Willis
Literature
La Vendetta (novel), a novel by Honoré de Balzac
Vendetta (Dibdin novel), by Michael Dibdin
Vendetta (Star Trek), a novel by Peter David
Vendetta: Lucky's Revenge, a novel by Jackie Collins
Vendetta, a novel by Derek Lambert
Vendetta!, an 1886 novel by Marie Corelli
"A Vendetta", an 1883 short story by Guy de Maupassant
Music
Vendetta Records, a record label
Bands
Vendetta (German band), a metal group
Vendetta (Spanish band), a ska/punk rock band
Vendetta, a punk band in Brazil
Albums
Vendetta (Celesty album)
Vendetta (Mic Geronimo album)
Vendetta: First Round, an EP by Ivy Queen
Vendetta (Ivy Queen album)
Vendetta (Throwdown album)
Vendetta (Zemfira album)
Songs
"Vendetta", a song by Slipknot from All Hope Is Gone
"Vendetta", a song by Andy Mineo from Uncomfortable
"Vendetta", a song by Chelsea Collins
Television
Vendetta (TV series), a 1966–1968 BBC series starring Stelio Candelli
Vendetta (Armenian TV series), a 2016 Armenian romantic drama television series
"Vendetta" (Arrow), a 2012 episode of Arrow
"Vendetta" (Batman: The Animated Series), a 1992 episode of Batman: The Animated Series
"The Vendetta" (Dynasty), a 1986 episode of Dynasty
"Vendetta" (Warehouse 13), a 2010 episode of Warehouse 13
Vendetta (Making Fiends), a character in Making Fiends
Video games
Vendetta (1989 video game), a video game by System 3
Vendetta (1991 video game), an arcade game by Konami
Vendetta Online, a 2004 science fiction MMORPG
Vendetta, a mission in Call of Duty: World at War.
Other uses
HMAS Vendetta (D69), a V-class destroyer commissioned into the Royal Navy in 1917
HMAS Vendetta (D08), a Daring-class destroyer commissioned in 1958
Vendetta, a perfume by Valentino
Vendetta, a guitar by Dean Guitars
People with the surname
David Vendetta (born 1968), French DJ
See also
Def Jam Vendetta, a 2003 fighting game by Electronic Arts
HMAS Vendetta, a list of ships of the Royal Australian Navy
La Vendetta (disambiguation)
V for Vendetta (disambiguation)
|
```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
}
```
|
Cantemus is a Lithuanian chamber choir. It was founded in 1986 in Vilnius, Lithuania. Its first concert was held that same year on December 31 at St. Casimir's Church. In a short time the choir became winner of many competitions and was awarded the title of an "Exemplary Choir".
The choir is conducted by its founder, Laurynas Vakaris Lopas. The repertoire of the choir consists of about 300 items by over 100 composers.
Since 1988 the choir has participated in various international competitions of choral music and won awards and prizes: Béla Bartók's (Hungary), Tours (France), Tolosa (Spain), Arezzo (Italy), Gorizia (Italy), Tallinn (Estonia).
Cantemus is an active participant in the Church Choir Festivals in Marijampolė and Šiauliai, the vocal jazz festival in Panevėžys, the festival of modern Jewish music, the concerts of the music of Jeronimas Kačinskas, and many other musical events in Lithuania.
Recordings
1989 - Juozas Naujalis, "Motetai"
1996 - "Cantica sacra Lituanica"
See also
Music of Lithuania
Musical groups established in 1986
Culture in Vilnius
1986 establishments in the Soviet Union
|
The Opelika Owls were a Minor League Baseball team that represented Opelika, Alabama in the Georgia–Alabama League from 1946 to 1951.
External links
Baseball Reference
Lee County, Alabama
Baseball teams established in 1913
Sports clubs and teams disestablished in 1951
Professional baseball teams in Alabama
Defunct Georgia-Alabama League teams
1913 establishments in Alabama
1914 disestablishments in Alabama
1946 establishments in Alabama
1951 disestablishments in Alabama
Defunct baseball teams in Alabama
Baseball teams disestablished in 1951
|
"O.P.P." is a song by American hip hop group Naughty by Nature, released in August 1991 by Tommy Boy as the lead single from the group's self-titled second album, Naughty by Nature (1991). It was one of the first rap songs to become a pop hit when it reached No. 6 on the US Billboard Hot 100 and No. 35 on the UK Singles Chart. Rodd Houston and Marcus Raboy directed the music video for the song. Its declaration, "Down wit' O.P.P", was a popular catchphrase in the US in the early 1990s.
The song was a hugely successful single; Spin magazine named it one of the greatest singles of the 1990s, offering a brief verdict with the rhetorical question, "Ever wonder where Puffy came from?" It also made some media outlets' lists of one of the best rap songs of all time: including The Source, VH1 (No. 22), and Rolling Stone (No. 80). The song was also ranked No. 20 in VH1's "40 Greatest Hip Hop Songs of the '90s" in 2012 and No. 96 in Billboard magazine's "500 Best Pop Songs of All Time" in 2023.
Content
The song samples Melvin Bliss' "Synthetic Substitution" and The Jackson 5's "ABC". Its lyrics concern sexual infidelity, with "O.P.P." standing for "other people's pussy" and "other people's penis". Treach told in an interview with New York Times, "'O.P.P.' is about crazy messing with other people's girls. Everybody knows about that, girls messing, guys messing, you know the bit. It goes on, so everybody could relate, the fellas and the girls, and it's got a hook for the party and everybody can crazy groove to it."
Critical reception
Upon the single release, Larry Flick from Billboard remarked that here, the act drops samples of the Jackson Five's "ABC" onto "a rousing hip-hop beat-base. Anthemic rhymes are icing on the cake. Have a taste." James Bernard from Entertainment Weekly described it as "a sly, body-rocking tune with a melodic pop hook and plenty of cute double entendres". Dennis Hunt from Los Angeles Times viewed it as a "lively, lewd hit single", "which is cleverly constructed on the framework of the Jackson 5’s bubble-gum soul classic". David Bennun from Melody Maker called it "a genitally-fixated rap on the joys of infidelity". A reviewer from Music & Media felt "It's further proof of the new direction in rap heading more towards a normal pop song. The combination of the piano hook and the female backup makes this funky rhyme memorable."
Peter Watrous from New York Times wrote, "There are a couple of signs that "O.P.P.", an old-fashioned cheating song by Naughty by Nature [...] is shaping up as one of the summer's hits on local streets. The first indication is the sound of "O.P.P" coming from the back of Jeeps; the second is that bootleg T-shirts advertising the band—Trech (Trech Criss), Vin Rock (Vinnie Brown) and Kay Gee (Keir Gist) -- are being sold all over lower Manhattan." Johnny Lee from Smash Hits declared the song as "everso jumpy". Scott Poulson-Bryant from Spin said, "I'm definitely down with "O.P.P."—you will be too."
Retrospective response
German rock and pop culture magazine Spex included "O.P.P." in their "The Best Singles of the Century" list in 1999. In a 2021 retrospective review, Jesse Ducker from Albumism said about the song, "It's one of the most light-hearted songs about infidelity this side of Clarence Carter's "Back Door Santa", as Treach gleefully lists the virtues of engaging in sexual congress with someone else's girl." Stanton Swihart of AllMusic felt it's "a song that somehow managed the trick of being both audaciously catchy and subversively coy at the same time." He added, "Its irrepressible appeal was so widespread, in fact, that it played just as well to the hardcore heads in the hood as it did to the hip-hop dabblers in the suburbs." Jean Rosenbluth from Los Angeles Times stated, "The fabulously wicked chant "O.P.P." masterfully captured hip-hop's silly side even better than that genre's prime exponent, Digital Underground." In October 2023, Billboard magazine ranked the song number 96 in their "500 Best Pop Songs of All Time", saying, "Three decades later, all it takes is the opening piano plinks to remind even the most conservative ‘90s kid that deep down, damn skippy, they’re still a card-carrying member."
Music video
A music video was produced to promote the single, directed by Rodd Houston and Marcus Raboy. It begins with a man removing his wedding ring and dropping it. The group raps at a club behind a fence and people dance behind them. The video was later made available on Naughty by Nature's official YouTube channel in 2010, and had generated more than 19 million views as of January 2023.
Track listing
"O.P.P." (Vocal)
"Wickedest Man Alive" (Vocal)
"O.P.P." (Sunny Days Remix)
"Wickedest Man Alive" (Instrumental)
"O.P.P." (Instrumental)
Official versions
"O.P.P." (Album Version)
"O.P.P." (Vocal)
"O.P.P." (Instrumental)
"O.P.P." (Sunny Days Remix)
Charts
Weekly charts
Year-end charts
In popular culture
The song has been used as a soundtrack to various films as well as television series, including the TV sitcoms The Fresh Prince of Bel-Air and The Office, and the films La Haine, Jarhead, and Up in the Air. In the film Sister Act 2: Back In The Habit, the song was parodied as 'Down With G.O.D'. In the video game Minecraft, the phrase "Down with O.P.P.!" was used as a splash text which appeared on the game's menu screen. The splash was added on February 7, 2010 in Java Edition version Indev 20100207-1 but was later removed in version 1.16 Release Candidate 1 on June 18, 2020.
References
1991 singles
Songs written by Berry Gordy
Songs written by Freddie Perren
Naughty by Nature songs
Music videos directed by Marcus Raboy
Songs written by Deke Richards
Songs written by Alphonzo Mizell
1991 songs
Songs written by Treach
Songs written by KayGee
Songs written by Vin Rock
Tommy Boy Records singles
Song recordings produced by Naughty by Nature
Songs about infidelity
|
```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;
}
}
```
|
Edward Lutwyche Parker (1785–1850), was a United States Presbyterian clergyman. Rev. Edward L. Parker was a brother-in-law of Rev. Abishai Alden, nephew of Barnabas and Mary Patterson Alden, grandaunt of Key West Mayor (Col.) Alexander Patterson, grandfather of Eva Patterson Braxton. Eva was a daughter of George and Ida Euphemia Bethel Patterson. Ida was a daughter of Key West (Florida) mayor Winer Bethel.
Life
He was born in Litchfield, New Hampshire, on 28 July 1785. He graduated at Dartmouth College in 1807, and studied divinity at Hanover, New Hampshire, and subsequently at Thetford, Vermont, and Salem, Massachusetts. Edward was a son of Dr. Jonathan and Dorothy Coffin Parker. Dr. Jonathan Parker was the son of Rev Thomas Parker, minister at Dracut, Massachusetts. Rev. Parker's father was Capt or Lt. Josiah Parker, son of Capt. James Parker (b. 1617). Capt. Parker was an ancestor of Mrs. Major Samuel Lawrence.
Sarah Loring resided at 267 Clarendon Street in Boston Back Bay, Massachusetts. Alexander Hamilton Rice Sr. as Boston mayor, led the development of Boston Back Bay area. The first land development company in Boston, Massachusetts was the Mt Vernon Properties. John Dandridge Henley Luce also resided at 267 Clarendon Street. John father was Adm. Stephen Bleecker Luce, father of the US Naval War College in Newport, Rhode Island. John D.H. Luce was a grandson of Capt John Dandridge Henley, a nephew of George Washington. Capt Henley served in the Barbary War with Capt John Trippe, an ancestor of Juan Trippe, founder of Pan American Airlines in Key West, Florida. [Adm Stephen B. Luce struck his flag aboard the USS Galenia in Key West, Florida, in 1887. Adm. Luce's grandson was Maj. Stephen Henley Noyes US Army pioneer aviator and photographer. Major Noyes was a descendant of Rev James Noyes Jr., a co-founder and trustee of Yale College. Major Noyes was a 6x great grandson of Rhode Island Gov. Benedict Arnold. Commodore Matthew C. Perry, military founder of Key West, Florida, was a 4x great-grandson of Gov. Benedict Arnold.
From 1819 until his death Parker was pastor of the Presbyterian church in Londonderry, New Hampshire.
Parker died in Derry, New Hampshire, 14 July 1850.
Works
Parker published ten sermons, and left a History of Londonderry, which was printed, with a memoir (Boston, 1851).
Notes
References
1785 births
1850 deaths
American Presbyterian ministers
People from Londonderry, New Hampshire
People from Litchfield, New Hampshire
|
```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)}}
```
|
```go
package apimanagement
//
// 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 Microsoft (R) AutoRest Code Generator.
// Changes may cause incorrect behavior and will be lost if the code is regenerated.
import (
"context"
"github.com/Azure/go-autorest/autorest"
"github.com/Azure/go-autorest/autorest/azure"
"github.com/Azure/go-autorest/autorest/validation"
"net/http"
)
// EmailTemplateClient is the apiManagement Client
type EmailTemplateClient struct {
BaseClient
}
// NewEmailTemplateClient creates an instance of the EmailTemplateClient client.
func NewEmailTemplateClient(subscriptionID string) EmailTemplateClient {
return NewEmailTemplateClientWithBaseURI(DefaultBaseURI, subscriptionID)
}
// NewEmailTemplateClientWithBaseURI creates an instance of the EmailTemplateClient client.
func NewEmailTemplateClientWithBaseURI(baseURI string, subscriptionID string) EmailTemplateClient {
return EmailTemplateClient{NewWithBaseURI(baseURI, subscriptionID)}
}
// CreateOrUpdate updates an Email Template.
// Parameters:
// resourceGroupName - the name of the resource group.
// serviceName - the name of the API Management service.
// templateName - email Template Name Identifier.
// parameters - email Template update parameters.
func (client EmailTemplateClient) CreateOrUpdate(ctx context.Context, resourceGroupName string, serviceName string, templateName TemplateName, parameters EmailTemplateUpdateParameters) (result EmailTemplateContract, err error) {
if err := validation.Validate([]validation.Validation{
{TargetValue: serviceName,
Constraints: []validation.Constraint{{Target: "serviceName", Name: validation.MaxLength, Rule: 50, Chain: nil},
{Target: "serviceName", Name: validation.MinLength, Rule: 1, Chain: nil},
{Target: "serviceName", Name: validation.Pattern, Rule: `^[a-zA-Z](?:[a-zA-Z0-9-]*[a-zA-Z0-9])?$`, Chain: nil}}},
{TargetValue: parameters,
Constraints: []validation.Constraint{{Target: "parameters.EmailTemplateUpdateParameterProperties", Name: validation.Null, Rule: false,
Chain: []validation.Constraint{{Target: "parameters.EmailTemplateUpdateParameterProperties.Subject", Name: validation.Null, Rule: false,
Chain: []validation.Constraint{{Target: "parameters.EmailTemplateUpdateParameterProperties.Subject", Name: validation.MaxLength, Rule: 1000, Chain: nil},
{Target: "parameters.EmailTemplateUpdateParameterProperties.Subject", Name: validation.MinLength, Rule: 1, Chain: nil},
}},
{Target: "parameters.EmailTemplateUpdateParameterProperties.Body", Name: validation.Null, Rule: false,
Chain: []validation.Constraint{{Target: "parameters.EmailTemplateUpdateParameterProperties.Body", Name: validation.MinLength, Rule: 1, Chain: nil}}},
}}}}}); err != nil {
return result, validation.NewError("apimanagement.EmailTemplateClient", "CreateOrUpdate", err.Error())
}
req, err := client.CreateOrUpdatePreparer(ctx, resourceGroupName, serviceName, templateName, parameters)
if err != nil {
err = autorest.NewErrorWithError(err, "apimanagement.EmailTemplateClient", "CreateOrUpdate", nil, "Failure preparing request")
return
}
resp, err := client.CreateOrUpdateSender(req)
if err != nil {
result.Response = autorest.Response{Response: resp}
err = autorest.NewErrorWithError(err, "apimanagement.EmailTemplateClient", "CreateOrUpdate", resp, "Failure sending request")
return
}
result, err = client.CreateOrUpdateResponder(resp)
if err != nil {
err = autorest.NewErrorWithError(err, "apimanagement.EmailTemplateClient", "CreateOrUpdate", resp, "Failure responding to request")
}
return
}
// CreateOrUpdatePreparer prepares the CreateOrUpdate request.
func (client EmailTemplateClient) CreateOrUpdatePreparer(ctx context.Context, resourceGroupName string, serviceName string, templateName TemplateName, parameters EmailTemplateUpdateParameters) (*http.Request, error) {
pathParameters := map[string]interface{}{
"resourceGroupName": autorest.Encode("path", resourceGroupName),
"serviceName": autorest.Encode("path", serviceName),
"subscriptionId": autorest.Encode("path", client.SubscriptionID),
"templateName": autorest.Encode("path", templateName),
}
const APIVersion = "2017-03-01"
queryParameters := map[string]interface{}{
"api-version": APIVersion,
}
preparer := autorest.CreatePreparer(
autorest.AsContentType("application/json; charset=utf-8"),
autorest.AsPut(),
autorest.WithBaseURL(client.BaseURI),
autorest.WithPathParameters("/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", pathParameters),
autorest.WithJSON(parameters),
autorest.WithQueryParameters(queryParameters))
return preparer.Prepare((&http.Request{}).WithContext(ctx))
}
// CreateOrUpdateSender sends the CreateOrUpdate request. The method will close the
// http.Response Body if it receives an error.
func (client EmailTemplateClient) CreateOrUpdateSender(req *http.Request) (*http.Response, error) {
return autorest.SendWithSender(client, req,
azure.DoRetryWithRegistration(client.Client))
}
// CreateOrUpdateResponder handles the response to the CreateOrUpdate request. The method always
// closes the http.Response Body.
func (client EmailTemplateClient) CreateOrUpdateResponder(resp *http.Response) (result EmailTemplateContract, err error) {
err = autorest.Respond(
resp,
client.ByInspecting(),
azure.WithErrorUnlessStatusCode(http.StatusOK, http.StatusCreated),
autorest.ByUnmarshallingJSON(&result),
autorest.ByClosing())
result.Response = autorest.Response{Response: resp}
return
}
// Delete reset the Email Template to default template provided by the API Management service instance.
// Parameters:
// resourceGroupName - the name of the resource group.
// serviceName - the name of the API Management service.
// templateName - email Template Name Identifier.
// ifMatch - the entity state (Etag) version of the Email Template to delete. A value of "*" can be used for
// If-Match to unconditionally apply the operation.
func (client EmailTemplateClient) Delete(ctx context.Context, resourceGroupName string, serviceName string, templateName TemplateName, ifMatch string) (result autorest.Response, err error) {
if err := validation.Validate([]validation.Validation{
{TargetValue: serviceName,
Constraints: []validation.Constraint{{Target: "serviceName", Name: validation.MaxLength, Rule: 50, Chain: nil},
{Target: "serviceName", Name: validation.MinLength, Rule: 1, Chain: nil},
{Target: "serviceName", Name: validation.Pattern, Rule: `^[a-zA-Z](?:[a-zA-Z0-9-]*[a-zA-Z0-9])?$`, Chain: nil}}}}); err != nil {
return result, validation.NewError("apimanagement.EmailTemplateClient", "Delete", err.Error())
}
req, err := client.DeletePreparer(ctx, resourceGroupName, serviceName, templateName, ifMatch)
if err != nil {
err = autorest.NewErrorWithError(err, "apimanagement.EmailTemplateClient", "Delete", nil, "Failure preparing request")
return
}
resp, err := client.DeleteSender(req)
if err != nil {
result.Response = resp
err = autorest.NewErrorWithError(err, "apimanagement.EmailTemplateClient", "Delete", resp, "Failure sending request")
return
}
result, err = client.DeleteResponder(resp)
if err != nil {
err = autorest.NewErrorWithError(err, "apimanagement.EmailTemplateClient", "Delete", resp, "Failure responding to request")
}
return
}
// DeletePreparer prepares the Delete request.
func (client EmailTemplateClient) DeletePreparer(ctx context.Context, resourceGroupName string, serviceName string, templateName TemplateName, ifMatch string) (*http.Request, error) {
pathParameters := map[string]interface{}{
"resourceGroupName": autorest.Encode("path", resourceGroupName),
"serviceName": autorest.Encode("path", serviceName),
"subscriptionId": autorest.Encode("path", client.SubscriptionID),
"templateName": autorest.Encode("path", templateName),
}
const APIVersion = "2017-03-01"
queryParameters := map[string]interface{}{
"api-version": APIVersion,
}
preparer := autorest.CreatePreparer(
autorest.AsDelete(),
autorest.WithBaseURL(client.BaseURI),
autorest.WithPathParameters("/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", pathParameters),
autorest.WithQueryParameters(queryParameters),
autorest.WithHeader("If-Match", autorest.String(ifMatch)))
return preparer.Prepare((&http.Request{}).WithContext(ctx))
}
// DeleteSender sends the Delete request. The method will close the
// http.Response Body if it receives an error.
func (client EmailTemplateClient) DeleteSender(req *http.Request) (*http.Response, error) {
return autorest.SendWithSender(client, req,
azure.DoRetryWithRegistration(client.Client))
}
// DeleteResponder handles the response to the Delete request. The method always
// closes the http.Response Body.
func (client EmailTemplateClient) DeleteResponder(resp *http.Response) (result autorest.Response, err error) {
err = autorest.Respond(
resp,
client.ByInspecting(),
azure.WithErrorUnlessStatusCode(http.StatusOK, http.StatusNoContent),
autorest.ByClosing())
result.Response = resp
return
}
// Get gets the details of the email template specified by its identifier.
// Parameters:
// resourceGroupName - the name of the resource group.
// serviceName - the name of the API Management service.
// templateName - email Template Name Identifier.
func (client EmailTemplateClient) Get(ctx context.Context, resourceGroupName string, serviceName string, templateName TemplateName) (result EmailTemplateContract, err error) {
if err := validation.Validate([]validation.Validation{
{TargetValue: serviceName,
Constraints: []validation.Constraint{{Target: "serviceName", Name: validation.MaxLength, Rule: 50, Chain: nil},
{Target: "serviceName", Name: validation.MinLength, Rule: 1, Chain: nil},
{Target: "serviceName", Name: validation.Pattern, Rule: `^[a-zA-Z](?:[a-zA-Z0-9-]*[a-zA-Z0-9])?$`, Chain: nil}}}}); err != nil {
return result, validation.NewError("apimanagement.EmailTemplateClient", "Get", err.Error())
}
req, err := client.GetPreparer(ctx, resourceGroupName, serviceName, templateName)
if err != nil {
err = autorest.NewErrorWithError(err, "apimanagement.EmailTemplateClient", "Get", nil, "Failure preparing request")
return
}
resp, err := client.GetSender(req)
if err != nil {
result.Response = autorest.Response{Response: resp}
err = autorest.NewErrorWithError(err, "apimanagement.EmailTemplateClient", "Get", resp, "Failure sending request")
return
}
result, err = client.GetResponder(resp)
if err != nil {
err = autorest.NewErrorWithError(err, "apimanagement.EmailTemplateClient", "Get", resp, "Failure responding to request")
}
return
}
// GetPreparer prepares the Get request.
func (client EmailTemplateClient) GetPreparer(ctx context.Context, resourceGroupName string, serviceName string, templateName TemplateName) (*http.Request, error) {
pathParameters := map[string]interface{}{
"resourceGroupName": autorest.Encode("path", resourceGroupName),
"serviceName": autorest.Encode("path", serviceName),
"subscriptionId": autorest.Encode("path", client.SubscriptionID),
"templateName": autorest.Encode("path", templateName),
}
const APIVersion = "2017-03-01"
queryParameters := map[string]interface{}{
"api-version": APIVersion,
}
preparer := autorest.CreatePreparer(
autorest.AsGet(),
autorest.WithBaseURL(client.BaseURI),
autorest.WithPathParameters("/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", pathParameters),
autorest.WithQueryParameters(queryParameters))
return preparer.Prepare((&http.Request{}).WithContext(ctx))
}
// GetSender sends the Get request. The method will close the
// http.Response Body if it receives an error.
func (client EmailTemplateClient) GetSender(req *http.Request) (*http.Response, error) {
return autorest.SendWithSender(client, req,
azure.DoRetryWithRegistration(client.Client))
}
// GetResponder handles the response to the Get request. The method always
// closes the http.Response Body.
func (client EmailTemplateClient) GetResponder(resp *http.Response) (result EmailTemplateContract, err error) {
err = autorest.Respond(
resp,
client.ByInspecting(),
azure.WithErrorUnlessStatusCode(http.StatusOK),
autorest.ByUnmarshallingJSON(&result),
autorest.ByClosing())
result.Response = autorest.Response{Response: resp}
return
}
// GetEntityTag gets the entity state (Etag) version of the email template specified by its identifier.
// Parameters:
// resourceGroupName - the name of the resource group.
// serviceName - the name of the API Management service.
// templateName - email Template Name Identifier.
func (client EmailTemplateClient) GetEntityTag(ctx context.Context, resourceGroupName string, serviceName string, templateName TemplateName) (result autorest.Response, err error) {
if err := validation.Validate([]validation.Validation{
{TargetValue: serviceName,
Constraints: []validation.Constraint{{Target: "serviceName", Name: validation.MaxLength, Rule: 50, Chain: nil},
{Target: "serviceName", Name: validation.MinLength, Rule: 1, Chain: nil},
{Target: "serviceName", Name: validation.Pattern, Rule: `^[a-zA-Z](?:[a-zA-Z0-9-]*[a-zA-Z0-9])?$`, Chain: nil}}}}); err != nil {
return result, validation.NewError("apimanagement.EmailTemplateClient", "GetEntityTag", err.Error())
}
req, err := client.GetEntityTagPreparer(ctx, resourceGroupName, serviceName, templateName)
if err != nil {
err = autorest.NewErrorWithError(err, "apimanagement.EmailTemplateClient", "GetEntityTag", nil, "Failure preparing request")
return
}
resp, err := client.GetEntityTagSender(req)
if err != nil {
result.Response = resp
err = autorest.NewErrorWithError(err, "apimanagement.EmailTemplateClient", "GetEntityTag", resp, "Failure sending request")
return
}
result, err = client.GetEntityTagResponder(resp)
if err != nil {
err = autorest.NewErrorWithError(err, "apimanagement.EmailTemplateClient", "GetEntityTag", resp, "Failure responding to request")
}
return
}
// GetEntityTagPreparer prepares the GetEntityTag request.
func (client EmailTemplateClient) GetEntityTagPreparer(ctx context.Context, resourceGroupName string, serviceName string, templateName TemplateName) (*http.Request, error) {
pathParameters := map[string]interface{}{
"resourceGroupName": autorest.Encode("path", resourceGroupName),
"serviceName": autorest.Encode("path", serviceName),
"subscriptionId": autorest.Encode("path", client.SubscriptionID),
"templateName": autorest.Encode("path", templateName),
}
const APIVersion = "2017-03-01"
queryParameters := map[string]interface{}{
"api-version": APIVersion,
}
preparer := autorest.CreatePreparer(
autorest.AsHead(),
autorest.WithBaseURL(client.BaseURI),
autorest.WithPathParameters("/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", pathParameters),
autorest.WithQueryParameters(queryParameters))
return preparer.Prepare((&http.Request{}).WithContext(ctx))
}
// GetEntityTagSender sends the GetEntityTag request. The method will close the
// http.Response Body if it receives an error.
func (client EmailTemplateClient) GetEntityTagSender(req *http.Request) (*http.Response, error) {
return autorest.SendWithSender(client, req,
azure.DoRetryWithRegistration(client.Client))
}
// GetEntityTagResponder handles the response to the GetEntityTag request. The method always
// closes the http.Response Body.
func (client EmailTemplateClient) GetEntityTagResponder(resp *http.Response) (result autorest.Response, err error) {
err = autorest.Respond(
resp,
client.ByInspecting(),
azure.WithErrorUnlessStatusCode(http.StatusOK),
autorest.ByClosing())
result.Response = resp
return
}
// ListByService lists a collection of properties defined within a service instance.
// Parameters:
// resourceGroupName - the name of the resource group.
// serviceName - the name of the API Management service.
// top - number of records to return.
// skip - number of records to skip.
func (client EmailTemplateClient) ListByService(ctx context.Context, resourceGroupName string, serviceName string, top *int32, skip *int32) (result EmailTemplateCollectionPage, err error) {
if err := validation.Validate([]validation.Validation{
{TargetValue: serviceName,
Constraints: []validation.Constraint{{Target: "serviceName", Name: validation.MaxLength, Rule: 50, Chain: nil},
{Target: "serviceName", Name: validation.MinLength, Rule: 1, Chain: nil},
{Target: "serviceName", Name: validation.Pattern, Rule: `^[a-zA-Z](?:[a-zA-Z0-9-]*[a-zA-Z0-9])?$`, Chain: nil}}},
{TargetValue: top,
Constraints: []validation.Constraint{{Target: "top", Name: validation.Null, Rule: false,
Chain: []validation.Constraint{{Target: "top", Name: validation.InclusiveMinimum, Rule: 1, Chain: nil}}}}},
{TargetValue: skip,
Constraints: []validation.Constraint{{Target: "skip", Name: validation.Null, Rule: false,
Chain: []validation.Constraint{{Target: "skip", Name: validation.InclusiveMinimum, Rule: 0, Chain: nil}}}}}}); err != nil {
return result, validation.NewError("apimanagement.EmailTemplateClient", "ListByService", err.Error())
}
result.fn = client.listByServiceNextResults
req, err := client.ListByServicePreparer(ctx, resourceGroupName, serviceName, top, skip)
if err != nil {
err = autorest.NewErrorWithError(err, "apimanagement.EmailTemplateClient", "ListByService", nil, "Failure preparing request")
return
}
resp, err := client.ListByServiceSender(req)
if err != nil {
result.etc.Response = autorest.Response{Response: resp}
err = autorest.NewErrorWithError(err, "apimanagement.EmailTemplateClient", "ListByService", resp, "Failure sending request")
return
}
result.etc, err = client.ListByServiceResponder(resp)
if err != nil {
err = autorest.NewErrorWithError(err, "apimanagement.EmailTemplateClient", "ListByService", resp, "Failure responding to request")
}
return
}
// ListByServicePreparer prepares the ListByService request.
func (client EmailTemplateClient) ListByServicePreparer(ctx context.Context, resourceGroupName string, serviceName string, top *int32, skip *int32) (*http.Request, error) {
pathParameters := map[string]interface{}{
"resourceGroupName": autorest.Encode("path", resourceGroupName),
"serviceName": autorest.Encode("path", serviceName),
"subscriptionId": autorest.Encode("path", client.SubscriptionID),
}
const APIVersion = "2017-03-01"
queryParameters := map[string]interface{}{
"api-version": APIVersion,
}
if top != nil {
queryParameters["$top"] = autorest.Encode("query", *top)
}
if skip != nil {
queryParameters["$skip"] = autorest.Encode("query", *skip)
}
preparer := autorest.CreatePreparer(
autorest.AsGet(),
autorest.WithBaseURL(client.BaseURI),
autorest.WithPathParameters("/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates", pathParameters),
autorest.WithQueryParameters(queryParameters))
return preparer.Prepare((&http.Request{}).WithContext(ctx))
}
// ListByServiceSender sends the ListByService request. The method will close the
// http.Response Body if it receives an error.
func (client EmailTemplateClient) ListByServiceSender(req *http.Request) (*http.Response, error) {
return autorest.SendWithSender(client, req,
azure.DoRetryWithRegistration(client.Client))
}
// ListByServiceResponder handles the response to the ListByService request. The method always
// closes the http.Response Body.
func (client EmailTemplateClient) ListByServiceResponder(resp *http.Response) (result EmailTemplateCollection, err error) {
err = autorest.Respond(
resp,
client.ByInspecting(),
azure.WithErrorUnlessStatusCode(http.StatusOK),
autorest.ByUnmarshallingJSON(&result),
autorest.ByClosing())
result.Response = autorest.Response{Response: resp}
return
}
// listByServiceNextResults retrieves the next set of results, if any.
func (client EmailTemplateClient) listByServiceNextResults(lastResults EmailTemplateCollection) (result EmailTemplateCollection, err error) {
req, err := lastResults.emailTemplateCollectionPreparer()
if err != nil {
return result, autorest.NewErrorWithError(err, "apimanagement.EmailTemplateClient", "listByServiceNextResults", nil, "Failure preparing next results request")
}
if req == nil {
return
}
resp, err := client.ListByServiceSender(req)
if err != nil {
result.Response = autorest.Response{Response: resp}
return result, autorest.NewErrorWithError(err, "apimanagement.EmailTemplateClient", "listByServiceNextResults", resp, "Failure sending next results request")
}
result, err = client.ListByServiceResponder(resp)
if err != nil {
err = autorest.NewErrorWithError(err, "apimanagement.EmailTemplateClient", "listByServiceNextResults", resp, "Failure responding to next results request")
}
return
}
// ListByServiceComplete enumerates all values, automatically crossing page boundaries as required.
func (client EmailTemplateClient) ListByServiceComplete(ctx context.Context, resourceGroupName string, serviceName string, top *int32, skip *int32) (result EmailTemplateCollectionIterator, err error) {
result.page, err = client.ListByService(ctx, resourceGroupName, serviceName, top, skip)
return
}
// Update updates the specific Email Template.
// Parameters:
// resourceGroupName - the name of the resource group.
// serviceName - the name of the API Management service.
// templateName - email Template Name Identifier.
// parameters - update parameters.
func (client EmailTemplateClient) Update(ctx context.Context, resourceGroupName string, serviceName string, templateName TemplateName, parameters EmailTemplateUpdateParameters) (result autorest.Response, err error) {
if err := validation.Validate([]validation.Validation{
{TargetValue: serviceName,
Constraints: []validation.Constraint{{Target: "serviceName", Name: validation.MaxLength, Rule: 50, Chain: nil},
{Target: "serviceName", Name: validation.MinLength, Rule: 1, Chain: nil},
{Target: "serviceName", Name: validation.Pattern, Rule: `^[a-zA-Z](?:[a-zA-Z0-9-]*[a-zA-Z0-9])?$`, Chain: nil}}}}); err != nil {
return result, validation.NewError("apimanagement.EmailTemplateClient", "Update", err.Error())
}
req, err := client.UpdatePreparer(ctx, resourceGroupName, serviceName, templateName, parameters)
if err != nil {
err = autorest.NewErrorWithError(err, "apimanagement.EmailTemplateClient", "Update", nil, "Failure preparing request")
return
}
resp, err := client.UpdateSender(req)
if err != nil {
result.Response = resp
err = autorest.NewErrorWithError(err, "apimanagement.EmailTemplateClient", "Update", resp, "Failure sending request")
return
}
result, err = client.UpdateResponder(resp)
if err != nil {
err = autorest.NewErrorWithError(err, "apimanagement.EmailTemplateClient", "Update", resp, "Failure responding to request")
}
return
}
// UpdatePreparer prepares the Update request.
func (client EmailTemplateClient) UpdatePreparer(ctx context.Context, resourceGroupName string, serviceName string, templateName TemplateName, parameters EmailTemplateUpdateParameters) (*http.Request, error) {
pathParameters := map[string]interface{}{
"resourceGroupName": autorest.Encode("path", resourceGroupName),
"serviceName": autorest.Encode("path", serviceName),
"subscriptionId": autorest.Encode("path", client.SubscriptionID),
"templateName": autorest.Encode("path", templateName),
}
const APIVersion = "2017-03-01"
queryParameters := map[string]interface{}{
"api-version": APIVersion,
}
preparer := autorest.CreatePreparer(
autorest.AsContentType("application/json; charset=utf-8"),
autorest.AsPatch(),
autorest.WithBaseURL(client.BaseURI),
autorest.WithPathParameters("/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", pathParameters),
autorest.WithJSON(parameters),
autorest.WithQueryParameters(queryParameters))
return preparer.Prepare((&http.Request{}).WithContext(ctx))
}
// UpdateSender sends the Update request. The method will close the
// http.Response Body if it receives an error.
func (client EmailTemplateClient) UpdateSender(req *http.Request) (*http.Response, error) {
return autorest.SendWithSender(client, req,
azure.DoRetryWithRegistration(client.Client))
}
// UpdateResponder handles the response to the Update request. The method always
// closes the http.Response Body.
func (client EmailTemplateClient) UpdateResponder(resp *http.Response) (result autorest.Response, err error) {
err = autorest.Respond(
resp,
client.ByInspecting(),
azure.WithErrorUnlessStatusCode(http.StatusOK, http.StatusNoContent),
autorest.ByClosing())
result.Response = resp
return
}
```
|
```c
*
* Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to
* deal in the Software without restriction, including without limitation the
* rights to use, copy, modify, merge, publish, distribute, sublicense, and/or
* sell copies of the Software, and to permit persons to whom the Software is
* furnished to do so, subject to the following conditions:
*
* The above copyright notice and this permission notice shall be included in
* all copies or substantial portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
* FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS
* IN THE SOFTWARE.
*/
#include "uv.h"
#include "task.h"
#include <stdio.h>
#include <stdlib.h>
static char magic_cookie[] = "magic cookie";
static int seen_timer_handle;
static uv_timer_t timer;
static void walk_cb(uv_handle_t* handle, void* arg) {
ASSERT(arg == (void*)magic_cookie);
if (handle == (uv_handle_t*)&timer) {
seen_timer_handle++;
} else {
ASSERT(0 && "unexpected handle");
}
}
static void timer_cb(uv_timer_t* handle) {
ASSERT(handle == &timer);
uv_walk(handle->loop, walk_cb, magic_cookie);
uv_close((uv_handle_t*)handle, NULL);
}
TEST_IMPL(walk_handles) {
uv_loop_t* loop;
int r;
loop = uv_default_loop();
r = uv_timer_init(loop, &timer);
ASSERT(r == 0);
r = uv_timer_start(&timer, timer_cb, 1, 0);
ASSERT(r == 0);
/* Start event loop, expect to see the timer handle in walk_cb. */
ASSERT(seen_timer_handle == 0);
r = uv_run(loop, UV_RUN_DEFAULT);
ASSERT(r == 0);
ASSERT(seen_timer_handle == 1);
/* Loop is finished, walk_cb should not see our timer handle. */
seen_timer_handle = 0;
uv_walk(loop, walk_cb, magic_cookie);
ASSERT(seen_timer_handle == 0);
MAKE_VALGRIND_HAPPY();
return 0;
}
```
|
Henry St. Clair was an American politician. He represented Macon County, Alabama in 1872. He lived in Tuskegee. He testified about the political climate, canvassing, and acts of intimidation against African Americans who overwhelmingly supported the Republican Party.
He received the most votes November 8, 1870.
See also
African-American officeholders during and following the Reconstruction era
References
Year of birth missing
19th-century American politicians
Year of death missing
Republican Party members of the Alabama House of Representatives
African-American state legislators in Alabama
African-American politicians during the Reconstruction Era
|
A decoy (derived from the Dutch de kooi, literally "the cage" or possibly ende kooi, "duck cage") is usually a person, device, or event which resembles what an individual or a group might be looking for, but it is only meant to lure them. Decoys have been used for centuries most notably in game hunting, but also in wartime and in the committing or resolving of crimes.
Hunting
In hunting wildfowl, the term decoy may refer to two distinct devices. One, the duck decoy (structure), is a long cone-shaped wickerwork tunnel installed on a small pond to catch wild ducks. After the ducks settled on the pond, a small, trained dog would herd the birds into the tunnel. The catch was formerly sent to market for food, but now these are used only by ornithologists to catch ducks to be ringed and released. The word decoy, also originally found in English as "coy", derives from the Dutch de Kooi (the cage) and dates back to the early 17th century, when this type of duck trap was introduced to England from the Netherlands. As "decoy" came more commonly to signify a person or a device than a pond with a cage-trap, the latter acquired the retronym "decoy pool".
The other form, a duck decoy (model), otherwise known as a 'decoy duck', 'hunting decoy' or 'wildfowl decoy', is a life-size model of the creature. The hunter places a number about the hunting area as they will encourage wild birds to land nearby, hopefully within the range of the concealed hunter. Originally carved from wood, they are now typically made from plastic.
Wildfowl decoys (primarily ducks, geese, shorebirds, and crows, but including some other species) are considered a form of folk art. Collecting decoys has become a significant hobby both for folk art collectors and hunters. The world record was set in September 2007 when a pintail drake and Canada goose, both by A. Elmer Crowell, sold for 1.13 million dollars apiece.
Military decoy
The decoy in war is a low-cost device intended to represent a real item of military equipment.
They may be used in different ways:
deployed in amongst their real counterparts, to divert part of the enemy fire away from the real items of equipment.
for military deception, fooling the enemy into believing forces in a particular area are much stronger than they really are. One notable example are Quaker Guns.
to produce a multitude of false signals to overwhelm a radar or sonar defence system, such as flares for IR-guided missiles or chaff for ICBMs.
Bomb decoy
In irregular warfare, improvised explosive devices are commonly used as roadside bombs to target military patrols. Some guerrillas also use imitation IEDs to intimidate civilians, to waste bomb disposal resources, or to set up an ambush. Some terrorist groups use fake bombs during a hostage siege, in order to limit hostage rescue efforts.
Sonar decoy
A sonar decoy is a device designed to create a misleading reading on sonar, such as the appearance of a false target.
In biochemistry
In biochemistry, there are decoy receptors, decoy substrates and decoy RNA. In addition, digital decoys are used in protein folding simulations.
Decoy receptor
Decoy receptors, or sink receptors, are receptors that bind a ligand, inhibiting it from binding to its normal receptor. For instance, the receptor VEGFR-1 can prevent vascular endothelial growth factor (VEGF) from binding to the VEGFR-2 The TNF inhibitor etanercept exerts its anti-inflammatory effect by being a decoy receptor that binds to TNF.
Decoy substrate
A decoy substrate or pseudosubstrate is a protein that has similar structure to the substrate of an enzyme, in order to make the enzyme bind to the pseudosubstrate rather than to the real substrate, thus blocking the activity of the enzyme. These proteins are therefore enzyme inhibitors.
Examples include K3L produced by vaccinia virus, which prevents the immune system from phosphorylating the substrate eIF-2 by having a similar structure to eIF-2. Thus, the vaccinia virus avoids the immune system.
Digital decoys
In protein folding simulations, a decoy is a computer-generated protein structure which is designed so to compete with the real structure of the protein. Decoys are used to test the validity of a protein model; the model is considered correct only if it is able to identify the native state configuration of the protein among the decoys.
Decoys are generally used to overcome a main problem in protein folding simulations: the size of the conformational space. For very detailed protein models, it can be practically impossible to explore all the possible configurations to find the native state.
To deal with this problem, one can make use of decoys. The idea behind this is that it is unnecessary to search blindly through all possible conformations for the native conformation; the search can be limited to a relevant sub-set of structures. To start with, all non-compact configurations can be excluded.
A typical decoy set will include globular conformations of various shapes, some having no secondary structures, some having helices and sheets in different proportions.
The computer model being tested will be used to calculate the free energy of the protein in the decoy configurations. The minimum requirement for the model to be correct is that it identifies the native state as the minimum free energy state (see Anfinsen's dogma).
See also
References
External links
Decoy Magazine, Joe Engers - The ultimate publication for decoy lovers and collectors
The Midwest Decoy Collectors Association – The de facto international collectors association
The Book of Duck Decoys – Sir Ralph Payne-Gallwey, 1886 (full text)
British Duck Decoys of To-Day, 1918 – Joseph Whitaker (full text)
Hunting equipment
Penetration aids
|
```ruby
# frozen_string_literal: true
require "spec_helper"
describe "Accountability result comments", versioning: true do
let!(:component) { create(:component, manifest_name: :accountability, organization:) }
let!(:commentable) { create(:result, component:) }
let(:resource_path) { resource_locator(commentable).path }
include_examples "comments"
context "with comments blocked" do
let!(:component) { create(:component, manifest_name: :accountability, participatory_space:, organization:) }
let(:participatory_space) { create(:participatory_process, :with_steps, organization:) }
include_examples "comments blocked"
end
end
```
|
```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();
}
}
```
|
Villemeux-sur-Eure (, literally Villemeux on Eure) is a commune in the Eure-et-Loir department in northern France.
Population
See also
Communes of the Eure-et-Loir department
References
Communes of Eure-et-Loir
|
is a Japanese professional wrestler. She currently works for World Wonder Ring Stardom, where she is the current Artist of Stardom Champion (with Giulia and Thekla) in her first reign and a member of Donna Del Mondo.
Professional wrestling career
Actwres girl'Z (2020–2021)
Sakurai made her professional wrestling debut at AWG Act 46, an event promoted by Actwres girl'Z on February 11, 2020, where she fell short to Miku Aono. At Ice Ribbon/AWG Ice Ribbon & Actwres girl'Z Joint Show on November 16, 2020, she teamed up with Maya Yukihi to defeat Miku Aono and Nao Ishikawa.
World Wonder Ring Stardom (2021–present)
Cosmic Angels (2021-2022)
Sakurai made her debut in World Wonder Ring Stardom in the sixth night of the Stardom 5 Star Grand Prix 2021 from August 13 where she unsuccessfully challenged Unagi Sayaka for the Future of Stardom Championship. After the match she was presented as the newest member of Cosmic Angels and was announced to undergo a newcomer "challenge" against ten opponents during the tournament. At Stardom 10th Anniversary Grand Final Osaka Dream Cinderella on October 9, 2021, Sakurai teamed up with Mina Shirakawa in a losing effort against Marvelous (Rin Kadokura and Maria). Due to Unagi Sayaka and Mina Shirakawa starting feeling underappreciated by the leader Tam Nakano and due to doubting Sakurai and Tsukiyama the newcomers, tensions raised in the Cosmic Angels unit in November 2021, aspect which led to inner clashes between stablemates. At Kawasaki Super Wars, the first event of the Stardom Super Wars trilogy from November 3, 2021, Sakurai defeated stablemate Waka Tsukiyama in a match in which had Sakurai lost, she must have left the Cosmic Angels unit. At Tokyo Super Wars on November 27, 2021, Tsukiyama unsuccessfully challenged Ruaka and Waka Tsukiyama in a three-way match for the Future of Stardom Championship. Sakurai competed in the 2021 edition of the Goddesses of Stardom Tag League where she teamed up with Unagi Sayaka and scored a total of four points. At Stardom Dream Queendom on December 29, 2021, she teamed up with Mina Shirakawa and Unagi Sayaka to unsuccessfully challenge MaiHimePoi (Maika, Natsupoi and Himeka) in a Six-woman tag team match for the Artist of Stardom Championship.
Donna Del Mondo (2022-present)
On February 12, 2022 at Stardom in Osaka, after teaming up with stablemates Tam Nakano and Unagi Sayaka in a losing effort against Donna Del Mondo's Giulia, Thekla and Mirai, Sakurai decided to leave Cosmic Angels and join Donna Del Mondo after stating that she wanted to wrestle instead of just dancing. On May 27, 2023, at Flashing Champions, Sakurai alongside Giulia and Thekla, also known as the Baribari Bombers, defeated the Artist of Stardom Champions REStart (Kairi, Natsupoi and Saori Anou) to win the titles
Championships and accomplishments
Pro Wrestling Illustrated
Ranked No. 226 of the top 250 female singles wrestlers in the PWI Women's 250 in 2023
World Wonder Ring Stardom
Artist of Stardom Championship (1 time, current) – with Giulia and Thekla
References
External links
1990 births
Living people
Japanese female professional wrestlers
Sportspeople from Chiba Prefecture
21st-century female professional wrestlers
Artist of Stardom Champions
|
Almo is an unincorporated community in Calloway County, Kentucky, United States. No one knows when the community was founded, but a rail center was established in the early 1890s by the Nashville, Chattanooga & St. Louis Railway. A post office was opened on February 11, 1891, and given the name Buena, Kentucky. The name of the post office was changed to Almo on November 18, 1892. The new name may have been a shortening of the name Alamo from the Texas Revolution.
References
Unincorporated communities in Calloway County, Kentucky
Unincorporated communities in Kentucky
|
```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
```
|
Ralph Hanover (1980 – October 18, 2008) was a Standardbred colt who in 1983 became the seventh horse to capture the U.S. Pacing Triple Crown. Bred by Hanover Shoe Farms, as a yearling he was purchased for $58,000 by trainer Stewart Firlotte at the 1981 Standardbred Horse Sale Company's Harrisburg, Pennsylvania auction.
Racing career
Two-year-old championship season
Ralph Hanover made his racing debut at age two on June 11, 1982. He would win seven of his fifteen starts that year including the Bluegrass Stakes in Lexington, Kentucky and two editions of the Canadian Juvenile Circuit Stakes at Greenwood Raceway in Toronto and at Blue Bonnets Raceway in Montreal. He was voted the 1982 Two-year-old Canadian Colt & Gelding Pacer of the Year.
Triple Crown and World records
At age three, Ralph Hanover won the 1983 Triple Crown for pacers by capturing the Messenger Stakes at Roosevelt Raceway on June 18, the Cane Pace at Yonkers Raceway on August 20, and the Little Brown Jug at the Delaware County, Ohio Fair Grounds on September 22. For trainer & co-owner Firlotte, Ralph Hanover was driven in all three races by co-owner and principal driver Ron Waples who would later be inducted into both the U.S. and Canadian Halls of Fame.
In addition to his 1983 Triple Crown wins, Ralph Hanover won seventeen additional pacing events including the very important Adios and Meadowlands Pace in the United States and the Prix d'Été in Canada at Blue Bonnets Raceway in which Ralph Hanover set a new world record for the fastest mile by a three-year-old on a five-eighths mile track with a time of 1:54 flat. He set a second world record time for three-year-old pacers on a half-mile track when he was clocked in 1:55 3/5. Ralph Hanover set yet another world record for earnings by a Standardbred horse in a single season with his 1983 earnings of $1,711,990. Ralph Hanover was again voted the Champion Canadian Colt & Gelding Pacer of the Year for his age group as well the 1983 Three-year-old United States Colt & Gelding Pacer of the Year Award. In 1986 he would be inducted into the Canadian Horse Racing Hall of Fame.
At stud and retirement
Retired to stud after his three-year-old season having been syndicated for $7 million by P. J. "Jack" Baugh, owner of the historic Almahurst Farm near Nicholasville, Kentucky. Ralph Hanover was not as successful as a sire to the degree his investors had hoped. He was eventually sent to stand at Grand Royal Farms in Vienna, Ontario where he was pensioned before the 2001 breeding season at the age of 21. When Grand Royal Farms closed he was sent to Mac Lilley Farms in Dutton, Ontario where he remained until he had to be euthanized after old age brought on a debilitating illness.
References
1980 racehorse births
2008 racehorse deaths
American Standardbred racehorses
Racehorses bred in Pennsylvania
Triple Crown of Harness Racing winners
Little Brown Jug winners
Cane Pace winners
Messenger Stakes winners
Canadian Horse Racing Hall of Fame inductees
|
Bréel is a commune in the Orne department in northwestern France. On 1 January 2016, it was merged into the new commune of Athis-Val-de-Rouvre.The former commune is part of the area known as Suisse Normande.
Population
See also
Communes of the Orne department
References
Former communes of Orne
|
```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
#
```
|
```javascript
const path = require('path');
const webpack = require('webpack');
const config = {
context: __dirname,
entry: ['./js/ClientApp.jsx'],
devtool: process.env.NODE_ENV === 'development' ? 'cheap-eval-source-map' : false,
output: {
path: path.resolve(__dirname, 'public'),
filename: 'bundle.js',
publicPath: '/public/'
},
devServer: {
hot: true,
publicPath: '/public/',
historyApiFallback: true
},
resolve: {
extensions: ['.js', '.jsx', '.json'],
alias: {
react: 'preact-compat',
'react-dom': 'preact-compat'
}
},
stats: {
colors: true,
reasons: true,
chunks: false
},
plugins: [new webpack.HotModuleReplacementPlugin(), new webpack.NamedModulesPlugin()],
module: {
rules: [
{
enforce: 'pre',
test: /\.jsx?$/,
loader: 'eslint-loader',
exclude: /node_modules/
},
{
test: /\.jsx?$/,
loader: 'babel-loader',
include: [path.resolve('js'), path.resolve('node_modules/preact-compat/src')]
}
]
}
};
if (process.env.NODE_ENV === 'development') {
config.entry.unshift('webpack-hot-middleware/client?path=/__webpack_hmr&timeout=20000');
}
module.exports = config;
```
|
```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()
```
|
Fula people of Sierra Leone (Pular: 𞤊𞤵𞤤𞤩𞤫 𞤅𞤢𞤪𞤤𞤮𞤲) is the fourth major ethnic group in Sierra Leone after the Temne, Mende and Limba ethnic groups and a branch of the Fula people of West Africa. The Fula make up about 3.4% of Sierra Leone's population. The Sierra Leone Fula people settled in the Western Area region of Sierra Leone more than four hundred years ago as settlers from the Fouta Djallon Kingdom that expanded to northern Sierra Leone (Kabala, Bombali).
The Sierra Leonean Fula are traditionally a nomadic, pastoralist, trading people, herding cattle, goats and sheep across the vast dry hinterlands of their domain, keeping somewhat separate from the local agricultural populations. Many of the large shopping centers in Sierra Leone are owned and run by the Fula community.
Today, over 99% of Sierra Leonean Fula are Muslims of the Sunni tradition of Islam. The overwhelming majority of Fula are adherent to the Maliki School within Sunni Islam. A significant number of the Sierra Leonean Fula population are found in all regions of Sierra Leone as traders.
The Fulas have been migrating and settling within Sierra Leone since the 17th Century. Many Fulas today in Sierra Leone are descendants of those who fled the autocratic rule of president Ahmed Sekou Toure and found refuge in the 1960s and 1970s. Others are new arrivals of the last decades due to the open borders that the Mano River Union and globalisation have created in the West African region.
Family
The Sierra Leonean Fula villages are scattered, but each has a central court and a mosque. Together, these compose a miside (community). Each miside has a sub-chief who handles village affairs and who answers to a Sultan (chief). The homes of the settled Fula are round with clay walls and thatched roofs that projects over encircling porches. However, nomadic Fula live in simpler structures, since they are so often moving with the herds. These houses have neither walls nor verandahs, and are encircled by cattle corrals.
Daughters remain with their mothers until they marry. However, as soon as a son reaches puberty, he leaves the family compound and lives alone in a nearby compound, usually taking over a part of his father’s trade. This new compound will be the home of the son and his future wife.
Religious and traditional beliefs
The majority of Sierra Leonean Fulanis are Muslims. Few Christians can be found among them. Some of them practice herbal healings.
The "herd owner's feast" is one such ceremony. During this feast, a bull that has served ten seasons is presented, killed, and eaten.
The history of these peoples are of Arabs who settle in the region.
The Fula people also utilize practices of the Bondo secret society which aims at gradually but firmly establishing attitudes related to adulthood in girls, discussions on fertility, morality and proper sexual comportment. The society also maintains an interest in the well-being of its members throughout their lives.
Farming
The Sierra Leonean Fula are primarily skilled traders in diamonds, gems, gold, lending but formerly cattle, with their lives depending upon and revolving around trade cattle herds prior to the 19th century. The status of a family can be determined by the size and health of its trade. The more a man knows about trade, the greater respect he is given by the community.
Trade is usually a male activity; however, the women tend to act as accountants for the family. They also tend to the small livestock and poultry, cultivate gardens, and carry containers of milk and cheese to the local markets for sale or trade. As the Fula people are Muslim, a woman has all the rights and concerns provided her under Islam. In a Fula family, a mother is 7 times the father, as it pertains to respect and a mother’s rights under Islam.
Notable Sierra Leonean Fula people
Abubakarr Jalloh, former Sierra Leone Minister of Mineral Resources
Abu Bakarr Bah, Ph.D.: Professor of Sociology, Northern Illinois University, IL, USA and Editor-in-Chief, African Conflict & Peacebuilding Review
Alhaji M.B. Jalloh, former Sierra Leone ambassador to Saudi Arabia and the Persian Gulf States
Alpha Rashid Jalloh notable journalist and now magistrate
Alimamy Jalloh, Sierra Leonean football star
Alimamy Rassin, Sierra Leonean Fula chief during colonial period
Alhaji Amadu Jalloh, Sierra Leonean opposition politician and leader of the National Democratic Alliance political
Amadu Wurie, early Sierra Leonean educationist and politician
Abass Bundu, Speaker of the Sierra Leone Parliament
Chernor Maju Bah, current Majority leader of the opposition
Amadu Wurie, First Minister of Education of Sierra Leone
Alpha Wurie, Sierra Leone former minister of Health
Alhaji Mohamed Bailor Barrie, Prominent Sierra Leonean businessman, tribal leader, activist, and philanthropist in the 1970s and 1980s
Ibrahim Bah (nickname Inspector Bah), Retired Sierra Leonean footballer
Ibrahim Bundu, former majority leader of the Sierra Leone Parliament
Khalifa Jabbie
Mamadu Alphajor Bah, Sierra Leonean football star
Mohamed Juldeh Jalloh, current vice president of Sierra Leone
Momodu Allieu Pat-Sowe, former Transportation minister of Sierra Leone
Rashid Wurie, former Sierra Leonean international football star
Sajoh Bah, African languages advocate, author and poet,
Mohamed Kanu
Yayah Jalloh
References
See also
Koinadugu District
Ethnic groups in Sierra Leone
Muslim communities in Sierra Leone
Female genital mutilation
Female genital mutilation by country
|
is a public elementary school in Ginza, Chuo, Tokyo. It is operated by the Chuo City Board of Education (中央区教育委員会).
It has a plaque for . Another plaque stated that the façade, which has ivy, is seen as a symbol in Ginza.
The school's attendance boundary includes the following portions of Ginza: All of 5-8 chome, and parts of 1-chome (2-10-ban, and two lots of 11-ban), 2-chome (2-9 ban), 3-chome (2-8 ban), and 4-chome (1-8 ban).
History
The school's year of establishment is 1878.
A new building opened in 1912.
Another new building was established after the Great Kanto Earthquake.
U.S. bombing raids destroyed the school in May 1945. It was rebuilt to closely match the previous building.
By 2016 some new family-style apartments opened in the school's attendance boundary, prompting an increase of students in the attendance zone.
The school requires its students to wear school uniforms. In 2018 the school announced that a new set of optional uniforms would be designed by Armani. They were criticized by parents, Japanese government officials and opinion columnists being relatively expensive, especially as prices of school uniforms in general in Japan increased. The complete set had a cost of over 80,000 yen, more than $730 U.S. dollars. The price for the smallest compulsory set was over 100% more than that of the other uniform.
Student body
In 2016 the school had 334 students, with over 30 of them residing in the attendance boundary. Other students commuted from other areas such as Harumi and .
Operations
The cafeteria uses the same menu used in other Chuo City schools, although for special occasions it sources its broth from the owner of Ginza Kojyu. Area museums and theaters are places visited during field trips.
Notable alumni
Yukiji Asaoka
Shinzo Fukuhara
Mitsuharu Kaneko
Takeshi Katō
Tokoku Kitamura
Fumimaro Konoe
Yoshiko Okada
Tōson Shimazaki
See also
Elementary schools in Japan
List of elementary schools in Tokyo
References
External links
Taimei Elementary School
Educational institutions established in 1878
1878 establishments in Japan
Ginza
Buildings and structures in Chūō, Tokyo
Schools in Tokyo
Elementary schools in Japan
|
The Comstock-Harris House, also known as Eastbank, is a historic home in Winter Park, Florida. It is located at 724 Bonita Drive. It was added to the National Register of Historic Places on January 13, 1983. It is the oldest surviving home in Winter Park.
History
A small home was built on the site of the present house in 1878. In 1883, William C. Comstock, a Chicago businessman, finished construction into its current incarnation, that of a large Queen Anne style estate. The Comstock-Harris House, also known as Eastbank, is the oldest surviving home in Winter Park. It is situated on the east bank of Lake Osceola.
Originally a winter cottage, it consists of three floors and three stairways. The main staircase turns in front of a stained glass window. Red bricks make up the foundation of the house as well as the six interior fireplaces. The original color of the house was yellow with dark green trim. Before the grounds were subdivided, they consisted of sixty acres. Camphor trees lined the long drive that led to the house, which is now Bonita Drive.
Comstock died in 1924. The house was then sold to a Mr. Lasbury and then sold again in 1928 to John Harris. It has remained in the family since then.
References
External links
Orange County listings at National Register of Historic Places
Orange County listings at Florida's Office of Cultural and Historical Programs
Comstock-Harris House at the Winter Park Public Library "History for kids"
Houses on the National Register of Historic Places in Florida
National Register of Historic Places in Orange County, Florida
Buildings and structures in Winter Park, Florida
Houses in Orange County, Florida
Queen Anne architecture in Florida
Houses completed in 1878
1878 establishments in Florida
|
```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);
}
}
```
|
Megachile bicolor is a species of bee in the family Megachilidae. It was described by Johan Christian Fabricius in 1781.
References
Bicolor
Insects described in 1781
|
```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);
}
}
```
|
```objective-c
//
// CircularBuffer.h
// Strongbox
//
// Created by Strongbox on 14/08/2020.
//
#import <Foundation/Foundation.h>
NS_ASSUME_NONNULL_BEGIN
@interface ConcurrentCircularBuffer<ObjectType> : NSObject
- (instancetype)init NS_UNAVAILABLE;
- (instancetype)initWithCapacity:(NSUInteger)bufferSize NS_DESIGNATED_INITIALIZER;
- (void)addObject:(ObjectType)object;
- (NSArray<ObjectType>*)allObjects;
- (void)removeAllObjects;
@end
NS_ASSUME_NONNULL_END
```
|
The Lancaster-Oslo/Bergen (LOB) Corpus is a one-million-word collection of British English texts which was compiled in the 1970s in collaboration between the University of Lancaster, the University of Oslo, and the Norwegian Computing Centre for the Humanities, Bergen, to provide a British counterpart to the Brown Corpus compiled by Henry Kučera and W. Nelson Francis for American English in the 1960s.
Its composition was designed to match the original Brown corpus in terms of its size and genres as closely as possible using documents published in the UK in 1961 by British authors. Both corpora consist of 500 samples each comprising about 2000 words in the following genres:
The corpus has been also tagged, i.e. part-of-speech categories have been assigned to every word.
References
External links
LOB Corpus Manual
LOB Corpus from the Oxford Text Archive
1970s establishments in the United Kingdom
1970s establishments in Norway
1970s works
Lancaster University
University of Oslo
English corpora
Linguistic research
Applied linguistics
Corpora
|
In mathematics, the horizontal line test is a test used to determine whether a function is injective (i.e., one-to-one).
In calculus
A horizontal line is a straight, flat line that goes from left to right. Given a function (i.e. from the real numbers to the real numbers), we can decide if it is injective by looking at horizontal lines that intersect the function's graph. If any horizontal line intersects the graph in more than one point, the function is not injective. To see this, note that the points of intersection have the same y-value (because they lie on the line ) but different x values, which by definition means the function cannot be injective.
Variations of the horizontal line test can be used to determine whether a function is surjective or bijective:
The function f is surjective (i.e., onto) if and only if its graph intersects any horizontal line at least once.
f is bijective if and only if any horizontal line will intersect the graph exactly once.
In set theory
Consider a function with its corresponding graph as a subset of the Cartesian product . Consider the horizontal lines in :. The function f is injective if and only if each horizontal line intersects the graph at most once. In this case the graph is said to pass the horizontal line test. If any horizontal line intersects the graph more than once, the function fails the horizontal line test and is not injective.
See also
Vertical line test
Inverse function
Monotonic function
References
Basic concepts in set theory
|
DigitalBlast is a Japanese aerospace consulting firm focusing on the space industry in general. It provides guidance to firms seeking to enter the space sector, along with providing support for digital transformation. The company also manages SPACE Media, a news website focusing on private spaceflight.
Project NOAH
Project NOAH is a research and development project of DigitalBlast which aims to develop technologies that will realize a self-sustaining environment on the Moon, in anticipation of human habitats being built there in the near future. One goal of the project is to study the effects low-gravity has on plant production. The AMAZ research equipment will be the first step of this project.
AMAZ
AMAZ is a research equipment under development by DigitalBlast that will use centrifugal forces to create artificial gravity equivalent to the lunar surface. AMAZ will be sent to the International Space Station (ISS) and will be used to conduct research on plant growth. Experiments to be conducted by AMAZ include a study on the growth of moss in different gravity environments by Toyama University, and cultivating brewer's yeast in the gravity environment of the Moon and Mars in cooperation with the University of Tokyo and Nara Institute of Science and Technology.
In November 2022, DigitalBlast signed a contract with Axiom Space for placing AMAZ inside the ISS National Lab. Axiom Space will support AMAZ's safety review, along with providing a transport service to orbit and its retrieval. The agreement also left open the possibility of the AMAZ device later being placed inside the Axiom Orbital Segment, a privately operated space station that will be docked to the ISS. The same month, it was announced that Mitsubishi Heavy Industries was contracted to design AMAZ's flight model.
In February 2023, DigitalBlast announced plans for a modified version of AMAZ dubbed 'AMAZ Alpha', which will be used for cell culturing.
TAMAKI
TAMAKI is a research equipment that will be capable of supplying water to grow plants inside. TAMAKI will be carried inside an uncrewed science satellite complete with a retrieval space capsule being developed by Elevation Space. As of August 2022, TAMAKI was planned to be launched in 2026.
See also
Private spaceflight
References
External links
Companies based in Tokyo
Private spaceflight companies
|
The long-toed forest skink (Sphenomorphus anomalopus) is a species of skink found in Malaysia and Indonesia.
References
anomalopus
Reptiles described in 1890
Taxa named by George Albert Boulenger
Reptiles of the Malay Peninsula
Fauna of Sumatra
|
```swift
/// Conforming types can be converted to and from vector types.
///
/// This is the single requirement for any type that is to be animated
/// by `Animator`, `Simulator`, or `Spring`.
public protocol VectorConvertible {
/// The concrete VectorType implementation that can represent the
/// conforming type.
associatedtype AnimatableData: VectorArithmetic
/// The vector representation of this instance.
var animatableData: AnimatableData { get set }
}
extension VectorConvertible where AnimatableData == Self {
public var animatableData: Self {
get {
self
}
set {
self = newValue
}
}
public init(animatableData: Self) {
self = animatableData
}
}
// This protocol is intentionally similar to `VectorArithmetic` from SwiftUI, which
// may be added as a dependency in a future release.
public protocol VectorArithmetic: AdditiveArithmetic {
var magnitudeSquared: Double { get }
mutating func scale(by magnitude: Double)
}
extension Double: VectorArithmetic {
public var magnitudeSquared: Double {
self * self
}
public mutating func scale(by magnitude: Double) {
self *= magnitude
}
}
public struct VectorPair<First: VectorArithmetic, Second: VectorArithmetic>: VectorArithmetic {
public var first: First
public var second: Second
public init(first: First, second: Second) {
self.first = first
self.second = second
}
public var magnitudeSquared: Double {
first.magnitudeSquared + second.magnitudeSquared
}
public mutating func scale(by magnitude: Double) {
first.scale(by: magnitude)
second.scale(by: magnitude)
}
public static var zero: VectorPair<First, Second> {
VectorPair(
first: .zero,
second: .zero)
}
public static func - (lhs: VectorPair<First, Second>, rhs: VectorPair<First, Second>) -> VectorPair<First, Second> {
VectorPair(
first: lhs.first - rhs.first,
second: lhs.second - rhs.second)
}
public static func -= (lhs: inout VectorPair<First, Second>, rhs: VectorPair<First, Second>) {
lhs.first -= rhs.first
lhs.second -= rhs.second
}
public static func + (lhs: VectorPair<First, Second>, rhs: VectorPair<First, Second>) -> VectorPair<First, Second> {
VectorPair(
first: lhs.first + rhs.first,
second: lhs.second + rhs.second)
}
public static func += (lhs: inout VectorPair<First, Second>, rhs: VectorPair<First, Second>) {
lhs.first += rhs.first
lhs.second += rhs.second
}
}
/// ********************************************************************************
/// VectorConvertible conformance extensions
/// ********************************************************************************
/// Adds `VectorConvertible` conformance
extension Double: VectorConvertible {}
#if canImport(CoreGraphics)
import CoreGraphics
extension CGFloat: VectorArithmetic, VectorConvertible {
public var magnitudeSquared: Double {
Double(self * self)
}
public mutating func scale(by magnitude: Double) {
self *= CGFloat(magnitude)
}
}
/// Adds `VectorConvertible` conformance
extension CGSize: VectorConvertible {
public var animatableData: VectorPair<CGFloat, CGFloat> {
get {
VectorPair(
first: width,
second: height)
}
set {
width = newValue.first
height = newValue.second
}
}
public init(animatableData: VectorPair<CGFloat, CGFloat>) {
self.init(
width: animatableData.first,
height: animatableData.second)
}
}
/// Adds `VectorConvertible` conformance
extension CGPoint: VectorConvertible {
public var animatableData: VectorPair<CGFloat, CGFloat> {
get {
VectorPair(
first: x,
second: y)
}
set {
x = newValue.first
y = newValue.second
}
}
public init(animatableData: VectorPair<CGFloat, CGFloat>) {
self.init(
x: animatableData.first,
y: animatableData.second)
}
}
/// Adds `VectorConvertible` conformance
extension CGRect: VectorConvertible {
public init(animatableData: VectorPair<CGPoint.AnimatableData, CGSize.AnimatableData>) {
self.init(
origin: CGPoint(animatableData: animatableData.first),
size: CGSize(animatableData: animatableData.second))
}
public var animatableData: VectorPair<CGPoint.AnimatableData, CGSize.AnimatableData> {
get {
VectorPair(
first: origin.animatableData,
second: size.animatableData)
}
set {
origin.animatableData = newValue.first
size.animatableData = newValue.second
}
}
}
#endif
```
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.