text
stringlengths
1
22.8M
```javascript /** * @license Apache-2.0 * * * * path_to_url * * Unless required by applicable law or agreed to in writing, software * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. */ 'use strict'; // MODULES // var bench = require( '@stdlib/bench' ); var isBoolean = require( '@stdlib/assert/is-boolean' ).isPrimitive; var pkg = require( './../package.json' ).name; var hasInt16ArraySupport = require( './../lib' ); // MAIN // bench( pkg, function benchmark( b ) { var bool; var i; b.tic(); for ( i = 0; i < b.iterations; i++ ) { // Note: the following *could* be optimized away via loop-invariant code motion. If so, the entire loop will disappear. bool = hasInt16ArraySupport(); if ( typeof bool !== 'boolean' ) { b.fail( 'should return a boolean' ); } } b.toc(); if ( !isBoolean( bool ) ) { b.fail( 'should return a boolean' ); } b.pass( 'benchmark finished' ); b.end(); }); ```
```javascript /* eslint-env mocha */ import sinon from 'sinon'; import { expect } from 'chai'; import $ from 'jquery'; import { SessionManager, UIComponents } from '/client/imports/modules'; import { CollectionFilter } from '/client/imports/ui/collection'; describe('CollectionFilter', () => { afterEach(() => { CollectionFilter.filterRegex.set(''); CollectionFilter.excludedCollectionsByFilter.set([]); }); describe('isFiltered tests', () => { it('isFiltered regex exist', () => { // prepare CollectionFilter.filterRegex.set('^.a'); // execute const filtered = CollectionFilter.isFiltered(); // verify expect(filtered).to.equal(true); }); it('isFiltered regex does not exist & excludedCollectionsByFilter exist', () => { // prepare CollectionFilter.excludedCollectionsByFilter.set(['test']); // execute const filtered = CollectionFilter.isFiltered(); // verify expect(filtered).to.equal(true); }); it('isFiltered regex does not exist & excludedCollectionsByFilter does not exist', () => { // prepare // execute const filtered = CollectionFilter.isFiltered(); // verify expect(filtered).to.equal(false); }); }); describe('applyFilter tests', () => { beforeEach(() => { sinon.stub($.prototype, 'modal'); }); afterEach(() => { $.prototype.modal.restore(); }); it('applyFilter only with regex', () => { // prepare const regex = '^a.*'; sinon.stub($.prototype, 'val').returns(regex); // execute CollectionFilter.applyFilter(); // verify expect(CollectionFilter.filterRegex.get()).to.equal(regex); expect(CollectionFilter.excludedCollectionsByFilter.get()).to.eql([]); expect($.prototype.modal.callCount).to.equal(1); expect($.prototype.modal.calledWithExactly('hide')).to.equal(true); expect($.prototype.modal.getCall(0).thisValue.selector).to.equal('#collectionFilterModal'); // cleanup $.prototype.val.restore(); }); it('applyFilter without regex & excludedCollectionsByFilter with checked', () => { // prepare const excludedCollection = { name: 'sercan', checked: true }; sinon.stub($.prototype, 'DataTable').returns({ $: sinon.stub().returnsThis(), each: sinon.stub().yieldsOn(excludedCollection) }); sinon.stub($.prototype, 'val').returns(''); // execute CollectionFilter.applyFilter(); // verify expect(CollectionFilter.filterRegex.get()).to.equal(''); expect(CollectionFilter.excludedCollectionsByFilter.get()).to.eql([]); expect($.prototype.modal.callCount).to.equal(1); expect($.prototype.modal.calledWithExactly('hide')).to.equal(true); expect($.prototype.modal.getCall(0).thisValue.selector).to.equal('#collectionFilterModal'); // cleanup $.prototype.DataTable.restore(); $.prototype.val.restore(); }); it('applyFilter without regex & excludedCollectionsByFilter with unchecked', () => { // prepare const excludedCollection = { name: 'sercan' }; sinon.stub($.prototype, 'DataTable').returns({ $: sinon.stub().returnsThis(), each: sinon.stub().yieldsOn(excludedCollection) }); sinon.stub($.prototype, 'val').returns(''); // execute CollectionFilter.applyFilter(); // verify expect(CollectionFilter.filterRegex.get()).to.equal(''); expect(CollectionFilter.excludedCollectionsByFilter.get()).to.eql(['sercan']); expect($.prototype.modal.callCount).to.equal(1); expect($.prototype.modal.calledWithExactly('hide')).to.equal(true); expect($.prototype.modal.getCall(0).thisValue.selector).to.equal('#collectionFilterModal'); // cleanup $.prototype.DataTable.restore(); $.prototype.val.restore(); }); it('applyFilter with regex & excludedCollectionsByFilter with unchecked', () => { // prepare const regex = '^^\'=^)%'; const excludedCollection = { name: 'sercan' }; sinon.stub($.prototype, 'DataTable').returns({ $: sinon.stub().returnsThis(), each: sinon.stub().yieldsOn(excludedCollection) }); sinon.stub($.prototype, 'val').returns(regex); // execute CollectionFilter.applyFilter(); // verify expect(CollectionFilter.filterRegex.get()).to.equal(regex); expect(CollectionFilter.excludedCollectionsByFilter.get()).to.eql(['sercan']); expect($.prototype.modal.callCount).to.equal(1); expect($.prototype.modal.calledWithExactly('hide')).to.equal(true); expect($.prototype.modal.getCall(0).thisValue.selector).to.equal('#collectionFilterModal'); // cleanup $.prototype.DataTable.restore(); $.prototype.val.restore(); }); }); describe('initializeFilterTable tests', () => { beforeEach(() => { sinon.stub($.prototype, 'val'); sinon.stub(UIComponents.DataTable, 'setupDatatable'); }); afterEach(() => { $.prototype.val.restore(); UIComponents.DataTable.setupDatatable.restore(); }); it('initializeFilterTable with no collection & no exclusion', () => { // prepare sinon.stub(SessionManager, 'get').returns(null); // execute CollectionFilter.initializeFilterTable(); // verify expect(UIComponents.DataTable.setupDatatable.callCount).to.equal(1); expect(UIComponents.DataTable.setupDatatable.calledWithMatch({ selectorString: '#tblCollectionFilter', data: [], columns: [ { data: 'name' }, { data: 'type' }, ], columnDefs: [ { targets: [2], data: null, width: '10%', render: sinon.match.func // no proper way to test... }, ] })).to.equal(true); expect($.prototype.val.callCount).to.equal(1); expect($.prototype.val.getCall(0).thisValue.selector).to.equal('#inputFilterRegex'); expect($.prototype.val.calledWithExactly('')).to.equal(true); // cleanup SessionManager.get.restore(); }); it('initializeFilterTable with collections & exclusion', () => { // prepare const collections = [{ name: 'sercan' }, { name: 'tugce', type: 'view' }]; sinon.stub(SessionManager, 'get').returns(collections); CollectionFilter.excludedCollectionsByFilter.set(['tugce']); // execute CollectionFilter.initializeFilterTable(); // verify collections[0].type = 'collection'; // it gets automatically if there's no type expect(UIComponents.DataTable.setupDatatable.callCount).to.equal(1); expect(UIComponents.DataTable.setupDatatable.calledWithMatch({ selectorString: '#tblCollectionFilter', data: collections, columns: [ { data: 'name' }, { data: 'type' }, ], columnDefs: [ { targets: [2], data: null, width: '10%', render: sinon.match.func }, ] })).to.equal(true); expect($.prototype.val.callCount).to.equal(1); expect($.prototype.val.getCall(0).thisValue.selector).to.equal('#inputFilterRegex'); expect($.prototype.val.calledWithExactly('')).to.equal(true); // cleanup SessionManager.get.restore(); }); it('initializeFilterTable with collections & regex', () => { // prepare const regex = '^]!!'; const collections = [{ name: 'sercan' }, { name: 'tugce', type: 'view' }]; CollectionFilter.filterRegex.set(regex); sinon.stub(SessionManager, 'get').returns(collections); // execute CollectionFilter.initializeFilterTable(); // verify collections[0].type = 'collection'; // it gets automatically if there's no type expect(UIComponents.DataTable.setupDatatable.callCount).to.equal(1); expect(UIComponents.DataTable.setupDatatable.calledWithMatch({ selectorString: '#tblCollectionFilter', data: collections, columns: [ { data: 'name' }, { data: 'type' }, ], columnDefs: [ { targets: [2], data: null, width: '10%', render: sinon.match.func }, ] })).to.equal(true); expect($.prototype.val.callCount).to.equal(1); expect($.prototype.val.getCall(0).thisValue.selector).to.equal('#inputFilterRegex'); expect($.prototype.val.calledWithExactly(regex)).to.equal(true); // cleanup SessionManager.get.restore(); }); }); }); ```
```go // // Permission is hereby granted, free of charge, to any person obtaining a copy // of this software and associated documentation files (the "Software"), to deal // in the Software without restriction, including without limitation the rights // to use, copy, modify, merge, publish, distribute, sublicense, and/or sell // copies of the Software, and to permit persons to whom the Software is // furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in // all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE // AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER // LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, // OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN // THE SOFTWARE. package fxevent import ( "errors" "fmt" "os" "strings" "testing" "time" "github.com/stretchr/testify/assert" "github.com/stretchr/testify/require" "go.uber.org/zap" "go.uber.org/zap/zapcore" "go.uber.org/zap/zaptest/observer" ) func TestZapLogger(t *testing.T) { t.Parallel() someError := errors.New("some error") tests := []struct { name string give Event wantMessage string wantFields map[string]interface{} }{ { name: "OnStartExecuting", give: &OnStartExecuting{ FunctionName: "hook.onStart", CallerName: "bytes.NewBuffer", }, wantMessage: "OnStart hook executing", wantFields: map[string]interface{}{ "caller": "bytes.NewBuffer", "callee": "hook.onStart", }, }, { name: "OnStopExecuting", give: &OnStopExecuting{ FunctionName: "hook.onStop1", CallerName: "bytes.NewBuffer", }, wantMessage: "OnStop hook executing", wantFields: map[string]interface{}{ "caller": "bytes.NewBuffer", "callee": "hook.onStop1", }, }, { name: "OnStopExecuted/Error", give: &OnStopExecuted{ FunctionName: "hook.onStart1", CallerName: "bytes.NewBuffer", Err: fmt.Errorf("some error"), }, wantMessage: "OnStop hook failed", wantFields: map[string]interface{}{ "caller": "bytes.NewBuffer", "callee": "hook.onStart1", "error": "some error", }, }, { name: "OnStopExecuted", give: &OnStopExecuted{ FunctionName: "hook.onStart1", CallerName: "bytes.NewBuffer", Runtime: time.Millisecond * 3, }, wantMessage: "OnStop hook executed", wantFields: map[string]interface{}{ "caller": "bytes.NewBuffer", "callee": "hook.onStart1", "runtime": "3ms", }, }, { name: "OnStartExecuted/Error", give: &OnStartExecuted{ FunctionName: "hook.onStart1", CallerName: "bytes.NewBuffer", Err: fmt.Errorf("some error"), }, wantMessage: "OnStart hook failed", wantFields: map[string]interface{}{ "caller": "bytes.NewBuffer", "callee": "hook.onStart1", "error": "some error", }, }, { name: "OnStartExecuted", give: &OnStartExecuted{ FunctionName: "hook.onStart1", CallerName: "bytes.NewBuffer", Runtime: time.Millisecond * 3, }, wantMessage: "OnStart hook executed", wantFields: map[string]interface{}{ "caller": "bytes.NewBuffer", "callee": "hook.onStart1", "runtime": "3ms", }, }, { name: "Supplied", give: &Supplied{ TypeName: "*bytes.Buffer", StackTrace: []string{"main.main", "runtime.main"}, ModuleTrace: []string{"main.main"}, }, wantMessage: "supplied", wantFields: map[string]interface{}{ "type": "*bytes.Buffer", "stacktrace": []interface{}{"main.main", "runtime.main"}, "moduletrace": []interface{}{"main.main"}, }, }, { name: "Supplied/Error", give: &Supplied{ TypeName: "*bytes.Buffer", StackTrace: []string{"main.main", "runtime.main"}, ModuleTrace: []string{"main.main"}, Err: someError, }, wantMessage: "error encountered while applying options", wantFields: map[string]interface{}{ "type": "*bytes.Buffer", "stacktrace": []interface{}{"main.main", "runtime.main"}, "moduletrace": []interface{}{"main.main"}, "error": "some error", }, }, { name: "Provide", give: &Provided{ ConstructorName: "bytes.NewBuffer()", StackTrace: []string{"main.main", "runtime.main"}, ModuleTrace: []string{"main.main"}, ModuleName: "myModule", OutputTypeNames: []string{"*bytes.Buffer"}, Private: false, }, wantMessage: "provided", wantFields: map[string]interface{}{ "constructor": "bytes.NewBuffer()", "stacktrace": []interface{}{"main.main", "runtime.main"}, "moduletrace": []interface{}{"main.main"}, "type": "*bytes.Buffer", "module": "myModule", }, }, { name: "PrivateProvide", give: &Provided{ ConstructorName: "bytes.NewBuffer()", StackTrace: []string{"main.main", "runtime.main"}, ModuleTrace: []string{"main.main"}, ModuleName: "myModule", OutputTypeNames: []string{"*bytes.Buffer"}, Private: true, }, wantMessage: "provided", wantFields: map[string]interface{}{ "constructor": "bytes.NewBuffer()", "stacktrace": []interface{}{"main.main", "runtime.main"}, "moduletrace": []interface{}{"main.main"}, "type": "*bytes.Buffer", "module": "myModule", "private": true, }, }, { name: "Provide/Error", give: &Provided{ StackTrace: []string{"main.main", "runtime.main"}, ModuleTrace: []string{"main.main"}, Err: someError, }, wantMessage: "error encountered while applying options", wantFields: map[string]interface{}{ "stacktrace": []interface{}{"main.main", "runtime.main"}, "moduletrace": []interface{}{"main.main"}, "error": "some error", }, }, { name: "Replace", give: &Replaced{ ModuleName: "myModule", StackTrace: []string{"main.main", "runtime.main"}, ModuleTrace: []string{"main.main"}, OutputTypeNames: []string{"*bytes.Buffer"}, }, wantMessage: "replaced", wantFields: map[string]interface{}{ "type": "*bytes.Buffer", "stacktrace": []interface{}{"main.main", "runtime.main"}, "moduletrace": []interface{}{"main.main"}, "module": "myModule", }, }, { name: "Replace/Error", give: &Replaced{ StackTrace: []string{"main.main", "runtime.main"}, ModuleTrace: []string{"main.main"}, Err: someError, }, wantMessage: "error encountered while replacing", wantFields: map[string]interface{}{ "stacktrace": []interface{}{"main.main", "runtime.main"}, "moduletrace": []interface{}{"main.main"}, "error": "some error", }, }, { name: "Decorate", give: &Decorated{ DecoratorName: "bytes.NewBuffer()", StackTrace: []string{"main.main", "runtime.main"}, ModuleTrace: []string{"main.main"}, ModuleName: "myModule", OutputTypeNames: []string{"*bytes.Buffer"}, }, wantMessage: "decorated", wantFields: map[string]interface{}{ "decorator": "bytes.NewBuffer()", "stacktrace": []interface{}{"main.main", "runtime.main"}, "moduletrace": []interface{}{"main.main"}, "type": "*bytes.Buffer", "module": "myModule", }, }, { name: "Decorate/Error", give: &Decorated{ StackTrace: []string{"main.main", "runtime.main"}, ModuleTrace: []string{"main.main"}, Err: someError, }, wantMessage: "error encountered while applying options", wantFields: map[string]interface{}{ "stacktrace": []interface{}{"main.main", "runtime.main"}, "moduletrace": []interface{}{"main.main"}, "error": "some error", }, }, { name: "Run", give: &Run{Name: "bytes.NewBuffer()", Kind: "constructor"}, wantMessage: "run", wantFields: map[string]interface{}{ "name": "bytes.NewBuffer()", "kind": "constructor", }, }, { name: "Run with module", give: &Run{ Name: "bytes.NewBuffer()", Kind: "constructor", ModuleName: "myModule", }, wantMessage: "run", wantFields: map[string]interface{}{ "name": "bytes.NewBuffer()", "kind": "constructor", "module": "myModule", }, }, { name: "Run/Error", give: &Run{ Name: "bytes.NewBuffer()", Kind: "constructor", Err: someError, }, wantMessage: "error returned", wantFields: map[string]interface{}{ "name": "bytes.NewBuffer()", "kind": "constructor", "error": "some error", }, }, { name: "Invoking/Success", give: &Invoking{ModuleName: "myModule", FunctionName: "bytes.NewBuffer()"}, wantMessage: "invoking", wantFields: map[string]interface{}{ "function": "bytes.NewBuffer()", "module": "myModule", }, }, { name: "Invoked/Error", give: &Invoked{FunctionName: "bytes.NewBuffer()", Err: someError}, wantMessage: "invoke failed", wantFields: map[string]interface{}{ "error": "some error", "stack": "", "function": "bytes.NewBuffer()", }, }, { name: "Start/Error", give: &Started{Err: someError}, wantMessage: "start failed", wantFields: map[string]interface{}{ "error": "some error", }, }, { name: "Stopping", give: &Stopping{Signal: os.Interrupt}, wantMessage: "received signal", wantFields: map[string]interface{}{ "signal": "INTERRUPT", }, }, { name: "Stopped/Error", give: &Stopped{Err: someError}, wantMessage: "stop failed", wantFields: map[string]interface{}{ "error": "some error", }, }, { name: "RollingBack/Error", give: &RollingBack{StartErr: someError}, wantMessage: "start failed, rolling back", wantFields: map[string]interface{}{ "error": "some error", }, }, { name: "RolledBack/Error", give: &RolledBack{Err: someError}, wantMessage: "rollback failed", wantFields: map[string]interface{}{ "error": "some error", }, }, { name: "Started", give: &Started{}, wantMessage: "started", wantFields: map[string]interface{}{}, }, { name: "LoggerInitialized/Error", give: &LoggerInitialized{Err: someError}, wantMessage: "custom logger initialization failed", wantFields: map[string]interface{}{ "error": "some error", }, }, { name: "LoggerInitialized", give: &LoggerInitialized{ConstructorName: "bytes.NewBuffer()"}, wantMessage: "initialized custom fxevent.Logger", wantFields: map[string]interface{}{ "function": "bytes.NewBuffer()", }, }, } t.Run("debug observer, log at default (info)", func(t *testing.T) { for _, tt := range tests { tt := tt t.Run(tt.name, func(t *testing.T) { t.Parallel() core, observedLogs := observer.New(zap.DebugLevel) (&ZapLogger{Logger: zap.New(core)}).LogEvent(tt.give) logs := observedLogs.TakeAll() require.Len(t, logs, 1) got := logs[0] assert.Equal(t, tt.wantMessage, got.Message) assert.Equal(t, tt.wantFields, got.ContextMap()) }) } }) t.Run("info observer, log at debug", func(t *testing.T) { for _, tt := range tests { tt := tt t.Run(tt.name, func(t *testing.T) { t.Parallel() core, observedLogs := observer.New(zap.InfoLevel) l := &ZapLogger{Logger: zap.New(core)} l.UseLogLevel(zapcore.DebugLevel) l.LogEvent(tt.give) logs := observedLogs.TakeAll() // logs are not visible unless they are errors if strings.HasSuffix(tt.name, "/Error") { require.Len(t, logs, 1) got := logs[0] assert.Equal(t, tt.wantMessage, got.Message) assert.Equal(t, tt.wantFields, got.ContextMap()) } else { require.Len(t, logs, 0) } }) } }) t.Run("info observer, log/error at debug", func(t *testing.T) { for _, tt := range tests { tt := tt t.Run(tt.name, func(t *testing.T) { t.Parallel() core, observedLogs := observer.New(zap.InfoLevel) l := &ZapLogger{Logger: zap.New(core)} l.UseLogLevel(zapcore.DebugLevel) l.UseErrorLevel(zapcore.DebugLevel) l.LogEvent(tt.give) logs := observedLogs.TakeAll() require.Len(t, logs, 0, "no logs should be visible") }) } }) t.Run("test setting log levels", func(t *testing.T) { levels := []zapcore.Level{ zapcore.DebugLevel, zapcore.WarnLevel, zapcore.DPanicLevel, zapcore.PanicLevel, } for _, level := range levels { core, observedLogs := observer.New(level) logger := &ZapLogger{Logger: zap.New(core)} logger.UseLogLevel(level) func() { defer func() { recover() }() logger.LogEvent(&OnStartExecuting{ FunctionName: "hook.onStart", CallerName: "bytes.NewBuffer", }) }() logs := observedLogs.TakeAll() require.Len(t, logs, 1) } }) t.Run("test setting error log levels", func(t *testing.T) { levels := []zapcore.Level{ zapcore.DebugLevel, zapcore.WarnLevel, zapcore.DPanicLevel, zapcore.PanicLevel, zapcore.FatalLevel, } for _, level := range levels { core, observedLogs := observer.New(level) logger := &ZapLogger{Logger: zap.New(core, zap.WithFatalHook(zapcore.WriteThenPanic))} logger.UseErrorLevel(level) func() { defer func() { recover() }() logger.LogEvent(&OnStopExecuted{ FunctionName: "hook.onStart1", CallerName: "bytes.NewBuffer", Err: fmt.Errorf("some error"), }) }() logs := observedLogs.TakeAll() require.Len(t, logs, 1) } }) } ```
Peter Robertson (February 1908 – 1964) was a Scottish footballer who played in the Football League for Charlton Athletic, Crystal Palace and Rochdale. References 1895 births 1979 deaths Scottish men's footballers Men's association football goalkeepers English Football League players Lochee United F.C. players Dundee F.C. players Charlton Athletic F.C. players Crystal Palace F.C. players Dundee United F.C. players Brechin City F.C. players Arbroath F.C. players Rochdale A.F.C. players
Amita Malik (1921 – 20 February 2009) was an Indian media critic. She was described by Time magazine as India's "most prominent film and television critic", dubbed the "first lady of Indian media" and "India's best known cinema commentator ". She began her career at All India Radio, Lucknow in 1944 and later worked as a columnist for many Indian newspapers including The Statesman, The Times of India, the Indian Express and Pioneer. She died of leukemia at the age of 87 in Kailas Hospital on 20 February 2009. Childhood Amita Malik was born into a Bengali family in Guwahati, Assam. When she was 21 days old, a car she was travelling in collided with another car in which Mahatma Gandhi was sitting. The very first film she saw in her life was The Gold Rush by Charlie Chaplin screened by the nuns of Loreto Convent Shillong. Career She joined All India Radio at Lucknow at a salary of 100 rupees per month. She presented the weekly lunch hour programme of European music on Saturdays. In 1944, she applied for the advertised post of programme assistant and was posted to All India Radio's Delhi station. She was the only Indian film critic to interview many important film celebrities and directors such as Ingmar Bergman and Marlon Brando. Amita Malik was the first reporter to interview Indira Gandhi when she unexpectedly became Prime Minister of India after Lal Bahadur Shastri's death in Tashkent. Fellowship to study in Canada She was awarded the first fellowship of the Canadian Women's Press Club which arranged accommodation for her with their members for 10 months in 1960. Among others, she interviewed Satyajit Ray, Elia Kazan, Akira Kurosawa, Marlon Brando, David Niven, and Alfred Hitchcock. Campaign against foreigners in saris In 1960 Malik launched a campaign against foreigners in saris. "If there is anything uglier than an Indian matron in bulging jeans," she said, "it is a white woman. Tall, angular and with straw-colored hair, wearing a Dacca sari. Foreign wives fondly imagine that they look beautiful in saris, when they would look miles better in gingham." Removal of restrictions on foreign press during Emergency Amita Malik was responsible for getting the censorship curbs on foreign media during the Indian Emergency lifted. "During emergency, Malik met Gandhi at her office in South Block. What do you think of the present state of the media in India," the Prime Minister asked. 'Do you want me to be frank or do you want me to be polite? "Of course, I want you to be frank," the Prime Minister told Malik.'`I do not know what came over me but I immediately launched into a graphic description of the state of terror which was then prevailing in the media..." 'I don't want to sound like a kingmaker, but it is a fact that the very next day the curbs on the foreign press were lifted,"Malik claims." Campaigns against misuse of media In 1989 she launched a campaign against the misuse of India's state owned media which had been converted into the private organ of the Indian National Congress party to promote Rajiv Gandhi. Feud with Khushwant Singh Khushwant Singh said that Malik had once written he was the worst dressed man she had ever known. He confessed it was the only time he genuinely agreed with her. Syndicated column (Sight and Sound) Amita's syndicated column "Sight and Sound" has been published in virtually every leading Indian newspaper at various times. Her column was read by generations of television news readers for Amita's biting sartorial observations on them. At the same time she strongly defended AIR and Doordarshan's underpaid staff who worked under political and bureaucratic pressure. Memorable quotes from Sight and Sound "One can certainly give credit to Doordarshan for one thing: It keeps whatever good programmes it has as secret as possible." "Much as I appreciate Barkha Dutt's energy and enthusiasm, sometimes I get disturbed by her popping up all too frequently here, there and everywhere." "The programme called Cook Na Kaho was hosted by Upen Patel and what Patel was doing revolted me. Like most Indians I believe in jootha, that is, not polluting food personally with fingers or spoon when it is meant for all. Not for any religious sentiments but because it is unhygienic and can spread infection. What Patel was doing was putting a fork into the ice-cream, licking it and putting it back into the ice-cream. Sorry Patel, but I would not eat your food after that." Books Amita, no holds barred: An autobiography Hardcover – January 1, 1999 Awards Kamal Kumari National Award B.D.Goenka Award in Journalism 1992 Hony. Fellowship of International Police Association References External links The inimitable, dear Mrs M Amita Malik, RIP 1921 births 2009 deaths Indian film critics Indian women film critics Brahmos Indian women television journalists Indian television journalists Deaths from leukemia All India Radio people Date of birth missing Women film critics Women television critics 20th-century Indian journalists 20th-century Indian women writers All India Radio women Indian women radio presenters Indian radio presenters Bengali writers People associated with Shillong
Galinki () is a settlement in the administrative district of Gmina Bartoszyce, within Bartoszyce County, Warmian-Masurian Voivodeship, in northern Poland, close to the border with the Kaliningrad Oblast of Russia. It lies approximately south-east of Bartoszyce and north-east of the regional capital Olsztyn. References Galinki
```objective-c // Character Traits for use by standard string and iostream -*- C++ -*- // Free Software Foundation, Inc. // // This file is part of the GNU ISO C++ Library. This library is free // software; you can redistribute it and/or modify it under the // Free Software Foundation; either version 2, or (at your option) // any later version. // This library is distributed in the hope that it will be useful, // but WITHOUT ANY WARRANTY; without even the implied warranty of // MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the // with this library; see the file COPYING. If not, write to the Free // Software Foundation, 59 Temple Place - Suite 330, Boston, MA 02111-1307, // USA. // As a special exception, you may use this file as part of a free software // library without restriction. Specifically, if other files instantiate // templates or use macros or inline functions from this file, or you compile // this file and link it with other files to produce an executable, this // file does not by itself cause the resulting executable to be covered by // invalidate any other reasons why the executable file might be covered by // // ISO C++ 14882: 21 Strings library // /** @file char_traits.h * This is an internal header file, included by other library headers. * You should not attempt to use it directly. */ #ifndef _CPP_BITS_CHAR_TRAITS_H #define _CPP_BITS_CHAR_TRAITS_H 1 #pragma GCC system_header #include <cstring> // For memmove, memset, memchr #include <bits/fpos.h> // For streampos namespace __gnu_cxx { template<typename _CharT> struct _Char_types { typedef unsigned long int_type; typedef std::streampos pos_type; typedef std::streamoff off_type; typedef std::mbstate_t state_type; }; template<typename _CharT> struct char_traits { typedef _CharT char_type; typedef typename _Char_types<_CharT>::int_type int_type; typedef typename _Char_types<_CharT>::pos_type pos_type; typedef typename _Char_types<_CharT>::off_type off_type; typedef typename _Char_types<_CharT>::state_type state_type; static void assign(char_type& __c1, const char_type& __c2) { __c1 = __c2; } static bool eq(const char_type& __c1, const char_type& __c2) { return __c1 == __c2; } static bool lt(const char_type& __c1, const char_type& __c2) { return __c1 < __c2; } static int compare(const char_type* __s1, const char_type* __s2, std::size_t __n); static std::size_t length(const char_type* __s); static const char_type* find(const char_type* __s, std::size_t __n, const char_type& __a); static char_type* move(char_type* __s1, const char_type* __s2, std::size_t __n); static char_type* copy(char_type* __s1, const char_type* __s2, std::size_t __n); static char_type* assign(char_type* __s, std::size_t __n, char_type __a); static char_type to_char_type(const int_type& __c) { return static_cast<char_type>(__c); } static int_type to_int_type(const char_type& __c) { return static_cast<int_type>(__c); } static bool eq_int_type(const int_type& __c1, const int_type& __c2) { return __c1 == __c2; } static int_type eof() { return static_cast<int_type>(EOF); } static int_type not_eof(const int_type& __c) { return !eq_int_type(__c, eof()) ? __c : to_int_type(char_type()); } }; template<typename _CharT> int char_traits<_CharT>:: compare(const char_type* __s1, const char_type* __s2, std::size_t __n) { for (std::size_t __i = 0; __i < __n; ++__i) if (lt(__s1[__i], __s2[__i])) return -1; else if (lt(__s2[__i], __s1[__i])) return 1; return 0; } template<typename _CharT> std::size_t char_traits<_CharT>:: length(const char_type* __p) { std::size_t __i = 0; while (!eq(__p[__i], char_type())) ++__i; return __i; } template<typename _CharT> const typename char_traits<_CharT>::char_type* char_traits<_CharT>:: find(const char_type* __s, std::size_t __n, const char_type& __a) { for (std::size_t __i = 0; __i < __n; ++__i) if (eq(__s[__i], __a)) return __s + __i; return 0; } template<typename _CharT> typename char_traits<_CharT>::char_type* char_traits<_CharT>:: move(char_type* __s1, const char_type* __s2, std::size_t __n) { return static_cast<_CharT*>(memmove(__s1, __s2, __n * sizeof(char_type))); } template<typename _CharT> typename char_traits<_CharT>::char_type* char_traits<_CharT>:: copy(char_type* __s1, const char_type* __s2, std::size_t __n) { // NB: Inline std::copy so no recursive dependencies. std::copy(__s2, __s2 + __n, __s1); return __s1; } template<typename _CharT> typename char_traits<_CharT>::char_type* char_traits<_CharT>:: assign(char_type* __s, std::size_t __n, char_type __a) { // NB: Inline std::fill_n so no recursive dependencies. std::fill_n(__s, __n, __a); return __s; } } namespace std { // 21.1 /** * @brief Basis for explicit traits specializations. * * @note For any given actual character type, this definition is * probably wrong. * * See path_to_url#5 * for advice on how to make use of this class for "unusual" character * types. */ template<class _CharT> struct char_traits: public __gnu_cxx::char_traits<_CharT> {}; /// 21.1.3.1 char_traits specializations template<> struct char_traits<char> { typedef char char_type; typedef int int_type; typedef streampos pos_type; typedef streamoff off_type; typedef mbstate_t state_type; static void assign(char_type& __c1, const char_type& __c2) { __c1 = __c2; } static bool eq(const char_type& __c1, const char_type& __c2) { return __c1 == __c2; } static bool lt(const char_type& __c1, const char_type& __c2) { return __c1 < __c2; } static int compare(const char_type* __s1, const char_type* __s2, size_t __n) { return memcmp(__s1, __s2, __n); } static size_t length(const char_type* __s) { return strlen(__s); } static const char_type* find(const char_type* __s, size_t __n, const char_type& __a) { return static_cast<const char_type*>(memchr(__s, __a, __n)); } static char_type* move(char_type* __s1, const char_type* __s2, size_t __n) { return static_cast<char_type*>(memmove(__s1, __s2, __n)); } static char_type* copy(char_type* __s1, const char_type* __s2, size_t __n) { return static_cast<char_type*>(memcpy(__s1, __s2, __n)); } static char_type* assign(char_type* __s, size_t __n, char_type __a) { return static_cast<char_type*>(memset(__s, __a, __n)); } static char_type to_char_type(const int_type& __c) { return static_cast<char_type>(__c); } // To keep both the byte 0xff and the eof symbol 0xffffffff // from ending up as 0xffffffff. static int_type to_int_type(const char_type& __c) { return static_cast<int_type>(static_cast<unsigned char>(__c)); } static bool eq_int_type(const int_type& __c1, const int_type& __c2) { return __c1 == __c2; } static int_type eof() { return static_cast<int_type>(EOF); } static int_type not_eof(const int_type& __c) { return (__c == eof()) ? 0 : __c; } }; #if defined(_GLIBCPP_USE_WCHAR_T) || defined(_GLIBCPP_USE_TYPE_WCHAR_T) /// 21.1.3.2 char_traits specializations template<> struct char_traits<wchar_t> { typedef wchar_t char_type; typedef wint_t int_type; typedef streamoff off_type; typedef wstreampos pos_type; typedef mbstate_t state_type; static void assign(char_type& __c1, const char_type& __c2) { __c1 = __c2; } static bool eq(const char_type& __c1, const char_type& __c2) { return __c1 == __c2; } static bool lt(const char_type& __c1, const char_type& __c2) { return __c1 < __c2; } static int compare(const char_type* __s1, const char_type* __s2, size_t __n) { return wmemcmp(__s1, __s2, __n); } static size_t length(const char_type* __s) { return wcslen(__s); } static const char_type* find(const char_type* __s, size_t __n, const char_type& __a) { return wmemchr(__s, __a, __n); } static char_type* move(char_type* __s1, const char_type* __s2, int_type __n) { return wmemmove(__s1, __s2, __n); } static char_type* copy(char_type* __s1, const char_type* __s2, size_t __n) { return wmemcpy(__s1, __s2, __n); } static char_type* assign(char_type* __s, size_t __n, char_type __a) { return wmemset(__s, __a, __n); } static char_type to_char_type(const int_type& __c) { return char_type(__c); } static int_type to_int_type(const char_type& __c) { return int_type(__c); } static bool eq_int_type(const int_type& __c1, const int_type& __c2) { return __c1 == __c2; } static int_type eof() { return static_cast<int_type>(WEOF); } static int_type not_eof(const int_type& __c) { return eq_int_type(__c, eof()) ? 0 : __c; } }; #endif //_GLIBCPP_USE_WCHAR_T template<typename _CharT, typename _Traits> struct _Char_traits_match { _CharT _M_c; _Char_traits_match(_CharT const& __c) : _M_c(__c) { } bool operator()(_CharT const& __a) { return _Traits::eq(_M_c, __a); } }; } // namespace std #endif ```
```objective-c // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #ifndef V8_BASE_PLATFORM_ELAPSED_TIMER_H_ #define V8_BASE_PLATFORM_ELAPSED_TIMER_H_ #include "src/base/logging.h" #include "src/base/platform/time.h" namespace v8 { namespace base { class ElapsedTimer final { public: #ifdef DEBUG ElapsedTimer() : started_(false) {} #endif // Starts this timer. Once started a timer can be checked with // |Elapsed()| or |HasExpired()|, and may be restarted using |Restart()|. // This method must not be called on an already started timer. void Start() { DCHECK(!IsStarted()); start_ticks_ = Now(); #ifdef DEBUG started_ = true; #endif DCHECK(IsStarted()); } // Stops this timer. Must not be called on a timer that was not // started before. void Stop() { DCHECK(IsStarted()); start_ticks_ = TimeTicks(); #ifdef DEBUG started_ = false; #endif DCHECK(!IsStarted()); } // Returns |true| if this timer was started previously. bool IsStarted() const { DCHECK(started_ || start_ticks_.IsNull()); DCHECK(!started_ || !start_ticks_.IsNull()); return !start_ticks_.IsNull(); } // Restarts the timer and returns the time elapsed since the previous start. // This method is equivalent to obtaining the elapsed time with |Elapsed()| // and then starting the timer again, but does so in one single operation, // avoiding the need to obtain the clock value twice. It may only be called // on a previously started timer. TimeDelta Restart() { DCHECK(IsStarted()); TimeTicks ticks = Now(); TimeDelta elapsed = ticks - start_ticks_; DCHECK_GE(elapsed.InMicroseconds(), 0); start_ticks_ = ticks; DCHECK(IsStarted()); return elapsed; } // Returns the time elapsed since the previous start. This method may only // be called on a previously started timer. TimeDelta Elapsed() const { DCHECK(IsStarted()); TimeDelta elapsed = Now() - start_ticks_; DCHECK_GE(elapsed.InMicroseconds(), 0); return elapsed; } // Returns |true| if the specified |time_delta| has elapsed since the // previous start, or |false| if not. This method may only be called on // a previously started timer. bool HasExpired(TimeDelta time_delta) const { DCHECK(IsStarted()); return Elapsed() >= time_delta; } private: static V8_INLINE TimeTicks Now() { TimeTicks now = TimeTicks::HighResolutionNow(); DCHECK(!now.IsNull()); return now; } TimeTicks start_ticks_; #ifdef DEBUG bool started_; #endif }; } // namespace base } // namespace v8 #endif // V8_BASE_PLATFORM_ELAPSED_TIMER_H_ ```
The Karimnagar Cable Bridge is a cable-stayed bridge in Karimnagar, Telangana, India. The bridge is located near the outskirts of Karimnagar town and is part of the National Highway 563 route. Background Vehicles going from Karimnagar town towards Warangal and Hyderabad have to cross Alugunoor Bridge causing frequent traffic problems. This bridge was constructed with a length of 500 meters at a cost of 183 crore rupees to solve the traffic problem. After crossing the Maneru river from Karimnagar Kaman through the housing board, it will be linked to the Warangal highway from Sadashivapalli under Manakondur constituency. This will also reduce the distance to Warangal by seven kilometers. Built with foreign technology to attract tourists, this cable bridge has 220 meter high pylons on both sides and connects the pylons with 136 segments without any hindrance to boat travel in Maneru River. Construction After the full amount of funds were sanctioned in late 2017, construction began. The project was jointly executed by Tata Projects Limited and Gülermak, a Turkey based firm. The bridge was inaugurated on 21 June 2023 after undergoing safety and load testing. As a tourist place The cable bridge has become a popular tourist destination in the district. See also Durgam Cheruvu Bridge References Bridges in Telangana Cable-stayed bridges in India
```protocol buffer // Protocol Buffers - Google's data interchange format // // Use of this source code is governed by a BSD-style // license that can be found in the LICENSE file or at // path_to_url // Author: benjy@google.com (Benjy Weinberger) // Based on original Protocol Buffers design by // Sanjay Ghemawat, Jeff Dean, and others. // // A proto file used to test the "custom options" feature of google.protobuf. syntax = "proto2"; // Some generic_services option(s) added automatically. // See: path_to_url option cc_generic_services = true; // auto-added option java_generic_services = true; // auto-added option py_generic_services = true; // A custom file option (defined below). option (file_opt1) = 9876543210; import "google/protobuf/any.proto"; import "google/protobuf/descriptor.proto"; // We don't put this in a package within proto2 because we need to make sure // that the generated code doesn't depend on being in the proto2 namespace. package protobuf_unittest; // Some simple test custom options of various types. extend google.protobuf.FileOptions { optional uint64 file_opt1 = 7736974; } extend google.protobuf.MessageOptions { optional int32 message_opt1 = 7739036; } extend google.protobuf.FieldOptions { optional fixed64 field_opt1 = 7740936; // This is useful for testing that we correctly register default values for // extension options. optional int32 field_opt2 = 7753913 [default = 42]; } extend google.protobuf.OneofOptions { optional int32 oneof_opt1 = 7740111; } extend google.protobuf.EnumOptions { optional sfixed32 enum_opt1 = 7753576; } extend google.protobuf.EnumValueOptions { optional int32 enum_value_opt1 = 1560678; } extend google.protobuf.ServiceOptions { optional sint64 service_opt1 = 7887650; } enum MethodOpt1 { METHODOPT1_VAL1 = 1; METHODOPT1_VAL2 = 2; } extend google.protobuf.MethodOptions { optional MethodOpt1 method_opt1 = 7890860; } // A test message with custom options at all possible locations (and also some // regular options, to make sure they interact nicely). message TestMessageWithCustomOptions { option message_set_wire_format = false; option (message_opt1) = -56; optional string field1 = 1 [ctype = CORD, (field_opt1) = 8765432109]; oneof AnOneof { option (oneof_opt1) = -99; int32 oneof_field = 2; } map<string, string> map_field = 3 [(field_opt1) = 12345]; enum AnEnum { option (enum_opt1) = -789; ANENUM_VAL1 = 1; ANENUM_VAL2 = 2 [(enum_value_opt1) = 123]; } } // A test RPC service with custom options at all possible locations (and also // some regular options, to make sure they interact nicely). message CustomOptionFooRequest {} message CustomOptionFooResponse {} message CustomOptionFooClientMessage {} message CustomOptionFooServerMessage {} service TestServiceWithCustomOptions { option (service_opt1) = -9876543210; rpc Foo(CustomOptionFooRequest) returns (CustomOptionFooResponse) { option (method_opt1) = METHODOPT1_VAL2; } } // Options of every possible field type, so we can test them all exhaustively. message DummyMessageContainingEnum { enum TestEnumType { TEST_OPTION_ENUM_TYPE1 = 22; TEST_OPTION_ENUM_TYPE2 = -23; } } message DummyMessageInvalidAsOptionType {} extend google.protobuf.MessageOptions { optional bool bool_opt = 7706090; optional int32 int32_opt = 7705709; optional int64 int64_opt = 7705542; optional uint32 uint32_opt = 7704880; optional uint64 uint64_opt = 7702367; optional sint32 sint32_opt = 7701568; optional sint64 sint64_opt = 7700863; optional fixed32 fixed32_opt = 7700307; optional fixed64 fixed64_opt = 7700194; optional sfixed32 sfixed32_opt = 7698645; optional sfixed64 sfixed64_opt = 7685475; optional float float_opt = 7675390; optional double double_opt = 7673293; optional string string_opt = 7673285; optional bytes bytes_opt = 7673238; optional DummyMessageContainingEnum.TestEnumType enum_opt = 7673233; optional DummyMessageInvalidAsOptionType message_type_opt = 7665967; } message CustomOptionMinIntegerValues { option (bool_opt) = false; option (int32_opt) = -0x80000000; option (int64_opt) = -0x8000000000000000; option (uint32_opt) = 0; option (uint64_opt) = 0; option (sint32_opt) = -0x80000000; option (sint64_opt) = -0x8000000000000000; option (fixed32_opt) = 0; option (fixed64_opt) = 0; option (sfixed32_opt) = -0x80000000; option (sfixed64_opt) = -0x8000000000000000; } message CustomOptionMaxIntegerValues { option (bool_opt) = true; option (int32_opt) = 0x7FFFFFFF; option (int64_opt) = 0x7FFFFFFFFFFFFFFF; option (uint32_opt) = 0xFFFFFFFF; option (uint64_opt) = 0xFFFFFFFFFFFFFFFF; option (sint32_opt) = 0x7FFFFFFF; option (sint64_opt) = 0x7FFFFFFFFFFFFFFF; option (fixed32_opt) = 0xFFFFFFFF; option (fixed64_opt) = 0xFFFFFFFFFFFFFFFF; option (sfixed32_opt) = 0x7FFFFFFF; option (sfixed64_opt) = 0x7FFFFFFFFFFFFFFF; } message CustomOptionOtherValues { option (int32_opt) = -100; // To test sign-extension. option (float_opt) = 12.3456789; option (double_opt) = 1.234567890123456789; option (string_opt) = "Hello, \"World\""; option (bytes_opt) = "Hello\0World"; option (enum_opt) = TEST_OPTION_ENUM_TYPE2; } message SettingRealsFromPositiveInts { option (float_opt) = 12; option (double_opt) = 154; } message SettingRealsFromNegativeInts { option (float_opt) = -12; option (double_opt) = -154; } message SettingRealsFromInf { option (float_opt) = inf; option (double_opt) = inf; } message SettingRealsFromNegativeInf { option (float_opt) = -inf; option (double_opt) = -inf; } message SettingRealsFromNan { option (float_opt) = nan; option (double_opt) = nan; } message SettingRealsFromNegativeNan { option (float_opt) = -nan; option (double_opt) = -nan; } // Options of complex message types, themselves combined and extended in // various ways. message ComplexOptionType1 { optional int32 foo = 1; optional int32 foo2 = 2; optional int32 foo3 = 3; repeated int32 foo4 = 4; extensions 100 to max; } message ComplexOptionType2 { optional ComplexOptionType1 bar = 1; optional int32 baz = 2; message ComplexOptionType4 { optional int32 waldo = 1; extend google.protobuf.MessageOptions { optional ComplexOptionType4 complex_opt4 = 7633546; } } optional ComplexOptionType4 fred = 3; repeated ComplexOptionType4 barney = 4; extensions 100 to max; } message ComplexOptionType3 { optional int32 moo = 1; optional group ComplexOptionType5 = 2 { optional int32 plugh = 3; } } extend ComplexOptionType1 { optional int32 mooo = 7663707; optional ComplexOptionType3 corge = 7663442; } extend ComplexOptionType2 { optional int32 grault = 7650927; optional ComplexOptionType1 garply = 7649992; } extend google.protobuf.MessageOptions { optional protobuf_unittest.ComplexOptionType1 complex_opt1 = 7646756; optional ComplexOptionType2 complex_opt2 = 7636949; optional ComplexOptionType3 complex_opt3 = 7636463; optional group ComplexOpt6 = 7595468 { optional int32 xyzzy = 7593951; } } // Note that we try various different ways of naming the same extension. message VariousComplexOptions { option (.protobuf_unittest.complex_opt1).foo = 42; option (protobuf_unittest.complex_opt1).(.protobuf_unittest.mooo) = 324; option (.protobuf_unittest.complex_opt1).(protobuf_unittest.corge).moo = 876; option (protobuf_unittest.complex_opt1).foo4 = 99; option (protobuf_unittest.complex_opt1).foo4 = 88; option (complex_opt2).baz = 987; option (complex_opt2).(grault) = 654; option (complex_opt2).bar.foo = 743; option (complex_opt2).bar.(mooo) = 1999; option (complex_opt2).bar.(protobuf_unittest.corge).moo = 2008; option (complex_opt2).(garply).foo = 741; option (complex_opt2).(garply).(.protobuf_unittest.mooo) = 1998; option (complex_opt2).(protobuf_unittest.garply).(corge).moo = 2121; option (ComplexOptionType2.ComplexOptionType4.complex_opt4).waldo = 1971; option (complex_opt2).fred.waldo = 321; option (complex_opt2).barney = { waldo: 101 }; option (complex_opt2).barney = { waldo: 212 }; option (protobuf_unittest.complex_opt3).moo = 9; option (complex_opt3).complexoptiontype5.plugh = 22; option (complexopt6).xyzzy = 24; } // ------------------------------------------------------ // Definitions for testing aggregate option parsing. // See descriptor_unittest.cc. message AggregateMessageSet { option message_set_wire_format = true; extensions 4 to max; } message AggregateMessageSetElement { extend AggregateMessageSet { optional AggregateMessageSetElement message_set_extension = 15447542; } optional string s = 1; } // A helper type used to test aggregate option parsing message Aggregate { optional int32 i = 1; optional string s = 2; // A nested object optional Aggregate sub = 3; // To test the parsing of extensions inside aggregate values optional google.protobuf.FileOptions file = 4; extend google.protobuf.FileOptions { optional Aggregate nested = 15476903; } // An embedded message set optional AggregateMessageSet mset = 5; // An any optional google.protobuf.Any any = 6; } // Allow Aggregate to be used as an option at all possible locations // in the .proto grammar. extend google.protobuf.FileOptions { optional Aggregate fileopt = 15478479; } extend google.protobuf.MessageOptions { optional Aggregate msgopt = 15480088; } extend google.protobuf.FieldOptions { optional Aggregate fieldopt = 15481374; } extend google.protobuf.EnumOptions { optional Aggregate enumopt = 15483218; } extend google.protobuf.EnumValueOptions { optional Aggregate enumvalopt = 15486921; } extend google.protobuf.ServiceOptions { optional Aggregate serviceopt = 15497145; } extend google.protobuf.MethodOptions { optional Aggregate methodopt = 15512713; } // Try using AggregateOption at different points in the proto grammar option (fileopt) = { s: 'FileAnnotation' // Also test the handling of comments /* of both types */ i: 100 sub { s: 'NestedFileAnnotation' } // Include a google.protobuf.FileOptions and recursively extend it with // another fileopt. file { [protobuf_unittest.fileopt] { s: 'FileExtensionAnnotation' } } // A message set inside an option value mset { [protobuf_unittest.AggregateMessageSetElement.message_set_extension] { s: 'EmbeddedMessageSetElement' } } any { [type.googleapis.com/protobuf_unittest.AggregateMessageSetElement] { s: 'EmbeddedMessageSetElement' } } }; message AggregateMessage { option (msgopt) = { i: 101 s: 'MessageAnnotation' }; optional int32 fieldname = 1 [(fieldopt) = { s: 'FieldAnnotation' }]; } service AggregateService { option (serviceopt) = { s: 'ServiceAnnotation' }; rpc Method(AggregateMessage) returns (AggregateMessage) { option (methodopt) = { s: 'MethodAnnotation' }; } } enum AggregateEnum { option (enumopt) = { s: 'EnumAnnotation' }; VALUE = 1 [(enumvalopt) = { s: 'EnumValueAnnotation' }]; } // Test custom options for nested type. message NestedOptionType { message NestedMessage { option (message_opt1) = 1001; optional int32 nested_field = 1 [(field_opt1) = 1002]; } enum NestedEnum { option (enum_opt1) = 1003; NESTED_ENUM_VALUE = 1 [(enum_value_opt1) = 1004]; } extend google.protobuf.FileOptions { optional int32 nested_extension = 7912573 [(field_opt2) = 1005]; } } // Custom message option that has a required enum field. // WARNING: this is strongly discouraged! message OldOptionType { enum TestEnum { OLD_VALUE = 0; } required TestEnum value = 1; } // Updated version of the custom option above. message NewOptionType { enum TestEnum { OLD_VALUE = 0; NEW_VALUE = 1; } required TestEnum value = 1; } extend google.protobuf.MessageOptions { optional OldOptionType required_enum_opt = 106161807; } // Test message using the "required_enum_opt" option defined above. message TestMessageWithRequiredEnumOption { option (required_enum_opt) = { value: OLD_VALUE }; } ```
```objective-c /* Header describing internals of libintl library. Written by Ulrich Drepper <drepper@cygnus.com>, 1995. This program is free software; you can redistribute it and/or modify it by the Free Software Foundation; either version 2, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU You should have received a copy of the GNU Library General Public Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA. */ #ifndef _GETTEXTP_H #define _GETTEXTP_H #include <stddef.h> /* Get size_t. */ #ifdef _LIBC # include "../iconv/gconv_int.h" #else # if HAVE_ICONV # include <iconv.h> # endif #endif #include "loadinfo.h" #include "gettext.h" /* Get nls_uint32. */ /* @@ end of prolog @@ */ #ifndef PARAMS # if __STDC__ # define PARAMS(args) args # else # define PARAMS(args) () # endif #endif #ifndef internal_function # define internal_function #endif /* Tell the compiler when a conditional or integer expression is almost always true or almost always false. */ #ifndef HAVE_BUILTIN_EXPECT # define __builtin_expect(expr, val) (expr) #endif #ifndef W # define W(flag, data) ((flag) ? SWAP (data) : (data)) #endif #ifdef _LIBC # include <byteswap.h> # define SWAP(i) bswap_32 (i) #else /* GCC LOCAL: Prototype first to avoid warnings; change argument to unsigned int to avoid K&R type promotion errors with 64-bit "int". */ static inline nls_uint32 SWAP PARAMS ((unsigned int)); static inline nls_uint32 SWAP (ii) unsigned int ii; { nls_uint32 i = ii; return (i << 24) | ((i & 0xff00) << 8) | ((i >> 8) & 0xff00) | (i >> 24); } #endif /* This is the representation of the expressions to determine the plural form. */ struct expression { int nargs; /* Number of arguments. */ enum operator { /* Without arguments: */ var, /* The variable "n". */ num, /* Decimal number. */ /* Unary operators: */ lnot, /* Logical NOT. */ /* Binary operators: */ mult, /* Multiplication. */ divide, /* Division. */ module, /* Module operation. */ plus, /* Addition. */ minus, /* Subtraction. */ less_than, /* Comparison. */ greater_than, /* Comparison. */ less_or_equal, /* Comparison. */ greater_or_equal, /* Comparison. */ equal, /* Comparision for equality. */ not_equal, /* Comparision for inequality. */ land, /* Logical AND. */ lor, /* Logical OR. */ /* Ternary operators: */ qmop /* Question mark operator. */ } operation; union { unsigned long int num; /* Number value for `num'. */ struct expression *args[3]; /* Up to three arguments. */ } val; }; /* This is the data structure to pass information to the parser and get the result in a thread-safe way. */ struct parse_args { const char *cp; struct expression *res; }; /* The representation of an opened message catalog. */ struct loaded_domain { const char *data; int use_mmap; size_t mmap_size; int must_swap; nls_uint32 nstrings; struct string_desc *orig_tab; struct string_desc *trans_tab; nls_uint32 hash_size; nls_uint32 *hash_tab; int codeset_cntr; #ifdef _LIBC __gconv_t conv; #else # if HAVE_ICONV iconv_t conv; # endif #endif char **conv_tab; struct expression *plural; unsigned long int nplurals; }; /* We want to allocate a string at the end of the struct. But ISO C doesn't allow zero sized arrays. GCC LOCAL: Always use 1, to avoid warnings. */ /*#ifdef __GNUC__*/ /*# define ZERO 0*/ /*#else*/ # define ZERO 1 /*#endif*/ /* A set of settings bound to a message domain. Used to store settings from bindtextdomain() and bind_textdomain_codeset(). */ struct binding { struct binding *next; char *dirname; int codeset_cntr; /* Incremented each time codeset changes. */ char *codeset; char domainname[ZERO]; }; /* A counter which is incremented each time some previous translations become invalid. This variable is part of the external ABI of the GNU libintl. */ extern int _nl_msg_cat_cntr; struct loaded_l10nfile *_nl_find_domain PARAMS ((const char *__dirname, char *__locale, const char *__domainname, struct binding *__domainbinding)) internal_function; void _nl_load_domain PARAMS ((struct loaded_l10nfile *__domain, struct binding *__domainbinding)) internal_function; void _nl_unload_domain PARAMS ((struct loaded_domain *__domain)) internal_function; const char *_nl_init_domain_conv PARAMS ((struct loaded_l10nfile *__domain_file, struct loaded_domain *__domain, struct binding *__domainbinding)) internal_function; void _nl_free_domain_conv PARAMS ((struct loaded_domain *__domain)) internal_function; char *_nl_find_msg PARAMS ((struct loaded_l10nfile *domain_file, struct binding *domainbinding, const char *msgid, size_t *lengthp)) internal_function; /* GCC LOCAL: This prototype moved here from next to its use in loadmsgcat.c. */ extern const char *locale_charset PARAMS ((void)) internal_function; #ifdef _LIBC extern char *__gettext PARAMS ((const char *__msgid)); extern char *__dgettext PARAMS ((const char *__domainname, const char *__msgid)); extern char *__dcgettext PARAMS ((const char *__domainname, const char *__msgid, int __category)); extern char *__ngettext PARAMS ((const char *__msgid1, const char *__msgid2, unsigned long int __n)); extern char *__dngettext PARAMS ((const char *__domainname, const char *__msgid1, const char *__msgid2, unsigned long int n)); extern char *__dcngettext PARAMS ((const char *__domainname, const char *__msgid1, const char *__msgid2, unsigned long int __n, int __category)); extern char *__dcigettext PARAMS ((const char *__domainname, const char *__msgid1, const char *__msgid2, int __plural, unsigned long int __n, int __category)); extern char *__textdomain PARAMS ((const char *__domainname)); extern char *__bindtextdomain PARAMS ((const char *__domainname, const char *__dirname)); extern char *__bind_textdomain_codeset PARAMS ((const char *__domainname, const char *__codeset)); #else extern char *gettext__ PARAMS ((const char *__msgid)); extern char *dgettext__ PARAMS ((const char *__domainname, const char *__msgid)); extern char *dcgettext__ PARAMS ((const char *__domainname, const char *__msgid, int __category)); extern char *ngettext__ PARAMS ((const char *__msgid1, const char *__msgid2, unsigned long int __n)); extern char *dngettext__ PARAMS ((const char *__domainname, const char *__msgid1, const char *__msgid2, unsigned long int __n)); extern char *dcngettext__ PARAMS ((const char *__domainname, const char *__msgid1, const char *__msgid2, unsigned long int __n, int __category)); extern char *dcigettext__ PARAMS ((const char *__domainname, const char *__msgid1, const char *__msgid2, int __plural, unsigned long int __n, int __category)); extern char *textdomain__ PARAMS ((const char *__domainname)); extern char *bindtextdomain__ PARAMS ((const char *__domainname, const char *__dirname)); extern char *bind_textdomain_codeset__ PARAMS ((const char *__domainname, const char *__codeset)); #endif #ifdef _LIBC extern void __gettext_free_exp PARAMS ((struct expression *exp)) internal_function; extern int __gettextparse PARAMS ((void *arg)); #else extern void gettext_free_exp__ PARAMS ((struct expression *exp)) internal_function; extern int gettextparse__ PARAMS ((void *arg)); #endif /* @@ begin of epilog @@ */ #endif /* gettextP.h */ ```
```css Hide the scrollbar in webkit browser Disable resizable property of `textarea` Use `SVG` for icons How to flip an image Disclose file format of links ```
```objective-c // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #ifndef V8_INTL_SUPPORT #error Internationalization is expected to be enabled. #endif // V8_INTL_SUPPORT #ifndef V8_OBJECTS_JS_DATE_TIME_FORMAT_INL_H_ #define V8_OBJECTS_JS_DATE_TIME_FORMAT_INL_H_ #include "src/objects/js-date-time-format.h" #include "src/objects/objects-inl.h" // Has to be the last include (doesn't have include guards): #include "src/objects/object-macros.h" namespace v8 { namespace internal { TQ_OBJECT_CONSTRUCTORS_IMPL(JSDateTimeFormat) ACCESSORS(JSDateTimeFormat, icu_locale, Managed<icu::Locale>, kIcuLocaleOffset) ACCESSORS(JSDateTimeFormat, icu_simple_date_format, Managed<icu::SimpleDateFormat>, kIcuSimpleDateFormatOffset) ACCESSORS(JSDateTimeFormat, icu_date_interval_format, Managed<icu::DateIntervalFormat>, kIcuDateIntervalFormatOffset) inline void JSDateTimeFormat::set_hour_cycle(HourCycle hour_cycle) { int hints = flags(); hints = HourCycleBits::update(hints, hour_cycle); set_flags(hints); } inline JSDateTimeFormat::HourCycle JSDateTimeFormat::hour_cycle() const { return HourCycleBits::decode(flags()); } inline void JSDateTimeFormat::set_date_style( JSDateTimeFormat::DateTimeStyle date_style) { int hints = flags(); hints = DateStyleBits::update(hints, date_style); set_flags(hints); } inline JSDateTimeFormat::DateTimeStyle JSDateTimeFormat::date_style() const { return DateStyleBits::decode(flags()); } inline void JSDateTimeFormat::set_time_style( JSDateTimeFormat::DateTimeStyle time_style) { int hints = flags(); hints = TimeStyleBits::update(hints, time_style); set_flags(hints); } inline JSDateTimeFormat::DateTimeStyle JSDateTimeFormat::time_style() const { return TimeStyleBits::decode(flags()); } } // namespace internal } // namespace v8 #include "src/objects/object-macros-undef.h" #endif // V8_OBJECTS_JS_DATE_TIME_FORMAT_INL_H_ ```
Shadrino () is a rural locality (a selo) in Chesnokovsky Selsoviet of Mikhaylovsky District, Amur Oblast, Russia. The population was 205 as of 2018. There are 6 streets. Geography Shadrino is located on the left bank of the Chesnokova River, 15 km southeast of Poyarkovo (the district's administrative centre) by road. Chesnokovo is the nearest rural locality. References Rural localities in Mikhaylovsky District, Amur Oblast
```javascript import Skeleton from 'packages/skeleton'; import { createTest, destroyVM, createVue, waitImmediate, wait} from '../util'; const content = 'content'; describe('Skeleton.vue', () => { let vm; afterEach(() => { destroyVM(vm); }); it('render test', () => { vm = createTest(Skeleton, true); const el = vm.$el; expect(el.querySelectorAll('.el-skeleton__p').length).to.equal(4); expect(Array.from(el.children[0].classList)).to.contain('el-skeleton'); }); it('should render with animation', () => { vm = createTest(Skeleton, { animated: true }, true); const el = vm.$el; expect(Array.from(el.children[0].classList)).to.contain('is-animated'); }); it('should render x times', async() => { vm = createVue( { template: ` <el-skeleton :count="count"></el-skeleton> `, data() { return { count: 1 }; } }, true ); const wrapper = vm.$el; expect(wrapper.querySelectorAll('.el-skeleton__p').length).to.equal(4); vm.count = 2; await waitImmediate(); expect(wrapper.querySelectorAll('.el-skeleton__p').length).to.equal(8); }); it('should render x rows', () => { vm = createTest(Skeleton, { rows: 5 }, true); expect(vm.$el.querySelectorAll('.el-skeleton__p').length).to.equal(5); }); it('should render default slots', () => { vm = createVue( { template: ` <el-skeleton :loading="loading">{{content}}</el-skeleton> `, data() { return { loading: false, content }; } }, true); expect(vm.$el.textContent).to.be.equal(content); }); it('should render template slots', () => { vm = createVue( { template: ` <el-skeleton :loading="loading"><template slot="template">{{content}}</template></el-skeleton> `, data() { return { loading: true, content }; } }, true); expect(vm.$el.querySelector('.el-skeleton').textContent).to.be.equal(content); }); it('should throttle rendering', async() => { vm = createTest(Skeleton, { throttle: 500 }, true); expect((vm).uiLoading).to.be.equal(false); await wait(600); expect(vm.uiLoading).to.be.equal(true); }); }); ```
is a manga artist. Ito drew Yu-Gi-Oh! R while the creator of the Yu-Gi-Oh! franchise, Kazuki Takahashi, came up with the storyline. Ito's drawing style is similar to Takahashi's. Ito later co-created Cardfight!! Vanguard in collaboration with Satoshi Nakamura (Duel Masters), and Bushiroad president Takaaki Kidani. Ito worked as a staff member for the Yu-Gi-Oh! manga. References Living people Manga artists Year of birth missing (living people)
Benjamin Dass (15 August 1706 – 5 May 1775) was a Norwegian educator and scholar who served as Rector of Trondheim Cathedral School. Dass was born at Skar farm (Skar i Alstahaug) in Herøy, Nordland, Norway. He was the son of Jacob Benjaminsson Dass and Maria Volquartz. His father was a nephew of poet-priest Petter Dass (1647-1707). His mother was a sister of Marcus Carstensen Volqvartz (1678–1720) who was a priest in Trondheim. In 1719, Thomas von Westen (1682–1727), who had founded the Seminarium Lapponicum in Trondheim, took an interest in him and had him enrolled at the Trondheim Cathedral School. In 1726, he entered the University of Copenhagen. Towards the end of his nine-year stay in Copenhagen, he was admitted to Borchs Kollegium where he came in contact with Hans Gram (1685–1748) who was manager of the Danish Royal Library and the secretary of the Royal Archives. In 1734, he was contacted by the Bishop of Trondheim and offered the headmaster position at the Trondheim Cathedral School. In 1735, he took his magister degree with honor and moved to Trondheim. Several of his school reforms were implemented in the 1739 Educational Act (Folkeskoleloven) of King Christian VI of Denmark who had visited Trondheim in 1733. Among other provisions, the law designated compulsory school attendance for children. Dass retired in 1750 and was succeeded as rector by his former student, Gerhard Schøning. In 1753 moved to Copenhagen. From 1757 he began to develop health problems and in 1775 he died in Copenhagen. After his death, parts of his large book collection were donated to the Gunnerus Library (Gunnerusbiblioteket) at the University of Trondheim. References 1706 births 1775 deaths People from Helgeland People from Herøy, Nordland Norwegian educators
```python import numpy as np import pandas as pd from .._explainer import Explainer try: import lime import lime.lime_tabular except ImportError: pass class LimeTabular(Explainer): """Simply wrap of lime.lime_tabular.LimeTabularExplainer into the common shap interface. Parameters ---------- model : function or iml.Model User supplied function that takes a matrix of samples (# samples x # features) and computes the output of the model for those samples. The output can be a vector (# samples) or a matrix (# samples x # model outputs). data : numpy.array The background dataset. mode : "classification" or "regression" Control the mode of LIME tabular. """ def __init__(self, model, data, mode="classification"): self.model = model if mode not in ["classification", "regression"]: emsg = f"Invalid mode {mode!r}, must be one of 'classification' or 'regression'" raise ValueError(emsg) self.mode = mode if isinstance(data, pd.DataFrame): data = data.values self.data = data self.explainer = lime.lime_tabular.LimeTabularExplainer(data, mode=mode) out = self.model(data[0:1]) if len(out.shape) == 1: self.out_dim = 1 self.flat_out = True if mode == "classification": def pred(X): # assume that 1d outputs are probabilities preds = self.model(X).reshape(-1, 1) p0 = 1 - preds return np.hstack((p0, preds)) self.model = pred else: self.out_dim = self.model(data[0:1]).shape[1] self.flat_out = False def attributions(self, X, nsamples=5000, num_features=None): num_features = X.shape[1] if num_features is None else num_features if isinstance(X, pd.DataFrame): X = X.values out = [np.zeros(X.shape) for j in range(self.out_dim)] for i in range(X.shape[0]): exp = self.explainer.explain_instance( X[i], self.model, labels=range(self.out_dim), num_features=num_features ) for j in range(self.out_dim): for k, v in exp.local_exp[j]: out[j][i, k] = v # because it output two results even for only one model output, and they are negated from what we expect if self.mode == "regression": for i in range(len(out)): out[i] = -out[i] return out[0] if self.flat_out else out ```
Helicolenus dactylopterus, blackbelly rosefish, bluemouth rockfish, and bluemouth seaperch, is a species of marine ray-finned fish belonging to the subfamily Sebastinae which is classified within the family Scorpaenidae. This Atlantic species is a typical sit-and-wait predator with a highly cryptic coloration. Taxonomy Helicolenus dactylopterus Was first formally described in 1809 as Scorpaena dactyloptera by the Genevan naturalist François-Étienne de La Roche with the type locality given as Ibiza in the Balearic Islands. When George Brown Goode and Tarleton Hoffman Bean described the genus Helicolenus in 1896 they designated this species as its type species. The specific name is a compound of dactylos which means “finger” and pterus meaning “finned”, an allusion to the lower rays of the pectoral fin, which have tendril-like tips which extend beyond the fin membrane. Distribution Helicolenus dactylopterus is widely distributed in the Atlantic Ocean. In the west, it ranges from Nova Scotia to Venezuela. In the east, it ranges from Iceland and Norway to South Africa, including the Azores, Madeira and Canary Islands, and the entire Mediterranean Sea. Biology The blackbelly rosefish is a bathydemersal scorpionfish, found in soft bottom areas of the continental shelf and upper slope. They have been recorded at depths between , but usually from . They feed on both benthic and pelagic organisms including decapod crustaceans, fishes, cephalopods and sometimes pyrosomes, polychaetes and echinoderms. The proportions of these prey types in their diet vary according to the size of the fish. Description Size / weight / age Males reach a greater length and weight than females with the same age. Max. length recorded: 47.0 cm TL; Common length: 25.0 cm TL; Max. published weight: 1,550 g; Max. reported age: 43 years Morphological description Blackbelly rosefish is a robust fish, with a large head and the spination described for the genus, and without tabs or tentacles. The profile of the nape is relatively steeply inclined. It has villiform teeth on both jaws and its large mouth is dark colored inside. The dorsal fin has 11 to 13 spines (usually 12) and 10 to 14 rays (usually 11–13); the anal fin has 3 spines and 5 rays; and the pectoral fin has between 17 and 20 rays. They have 55 to 80 vertical rows of ctenoid scales and their lateral line has tubular scales; the chest, cheek and maxilla are usually scaled but the snout and ventral part of the head are naked. They usually have 25 vertebrae. Gill rakers are well developed: 7 to 9 on the upper arch, 16 to 21 on the lower arch. Their colour is variable. The back and sides are red and the belly is pink, with 5 to 6 dark bands below anterior, middle and posterior dorsal spines: below the soft dorsal rays and at the base of the caudal fin; a Y-shaped dark bar between the soft dorsal and anal fin; and usually a dark blotch on the posterior part of the spinous dorsal fin. As with other species of scorpionfish, the spines of the blackbelly rosefish contain toxic venom and have reportedly caused injuries to humans. However, there has been little research on the venom produced by this species. Reproduction Blackbelly rosefish have intraovarian gestation. Fertilization is internal, as free spermatozoa were found primarily in resting ovaries from July through early December, with peak occurrence in September through November in the Western Atlantic. There was a delay of 1–3 months before fertilization, as oocyte development did not begin until December. Occurrence during January through April of early-celled embryos, the most advanced stage observed, and postovulatory follicles indicated that oocyte development was rapid. The females can store sperm within their ovaries that allows them to spawn multiple batches of embryos, which are enclosed within a gelatinous matrix secreted into the ovarian cavity. This species has a zygoparous form of oviparity, which occupies an intermediate position between oviparity and viviparity. Larvae and juveniles are pelagic. First maturity medium length Females – 20.9 cm Males – 26.0 cm Stock structure This species can be divided into two subspecies, taking into account the morphological characteristics: Helicolenus dactylopterus lahillei and Helicolenus dactylopterus dactylopterus. Based on H. d. dactylopterus geographical distribution, there can be considered to be four different populations: in South Africa, in the Gulf of Guinea, in the northeast (NE) Atlantic (from Norway to North Africa and the Mediterranean) and in the northwest (NW) Atlantic (Nova Scotia to Venezuela). There is another proposal that suggests further subdivision of the species into six subspecies, also based on morphological measurements and geographical distribution: H. d. dactylopterus, H. d. maderensis, H. d. maculatus, H. d. gouphensis, H. d. angolensis and H. d. lahillei. Fisheries The blackbelly rosefish is the most commercial scorpionfish species in the Mediterranean. Although there has been little commercial interest in this species, partially due to its low level of accessibility, it is currently growing as new resources need to be found by fishing fleets due to the depletion of traditional resources. This species is a common bycatch associated with many demersal fisheries, including the black spot seabream (Pagellus bogaraveo). It is caught by artisanal longline and gillnet fisheries near the Strait of Gibraltar, and along the Portuguese continental coast and the Azores. In the western Mediterranean, blackbelly rosefish are mostly caught as bycatch in bottom trawl fisheries targeted at deep-sea crustaceans. However, in areas such as the Catalan coast, the blackbelly rosefish is the most commercially viable scorpionfish species, with important economic value. References External links EFSA dactylopterus Fish of the Atlantic Ocean Fish of the Mediterranean Sea Fish described in 1809 Taxa named by François-Étienne de La Roche
is a Latin phrase that translates literally as "Oh the times! Oh the customs!", first recorded to have been spoken by Cicero. A more natural, yet still quite literal, translation is "Oh what times! Oh what customs!"; a common idiomatic rendering in English is "Shame on this age and on its lost principles!", originated by the classicist Charles Duke Yonge. The original Latin phrase is often printed as , with the addition of exclamation marks, which would not have been used in the Latin written in Cicero's day. The phrase was used by the Roman orator Cicero in four different speeches, of which the earliest was his speech against Verres in 70 BC. The most famous instance, however, is in the second paragraph of his First Oration against Catiline, a speech made in 63 BC, when Cicero was consul (Roman head of state), denouncing his political enemy Catiline. In this passage, Cicero uses it as an expression of his disgust, to deplore the sorry condition of the Roman Republic, in which a citizen could plot against the state and not be punished in his view adequately for it. The passage in question reads as follows: Cicero is frustrated that, despite all of the evidence that has been compiled against Catiline, who had been conspiring to overthrow the Roman government and assassinate Cicero himself, and in spite of the fact that the Senate had given its senatus consultum ultimum, Catiline had not yet been executed. Cicero goes on to describe various times throughout Roman history where consuls saw fit to execute conspirators with less evidence, in one instance—the case of former consul Lucius Opimius' slaughter of Gaius Gracchus (one of the Gracchi brothers)—based only on : "mere suspicion of disaffection". Cultural references In later classical times Cicero's exclamation had already become famous, being quoted for example in Seneca the Elder's : Martial's poem "To Caecilianus" (Epigrams §9.70) also makes reference to the First Catilinarian Oration: In modern times this exclamation is still used to criticize present-day attitudes and trends, but sometimes is used humorously or wryly. It was used as the title of an epigram on Joseph Justus Scaliger by the Welsh epigrmmatist John Owen, in his popular Epigrammata, 1613 Lib. I. epigram 16 O Tempora! O Mores!: Scaliger annosi correxit tempora mundi: Quis iam, qui mores corrigat, alter erit? Translated by Harvey, 1677, as: "Learn’d Scaliger The Worlds deformed Times Reformed: Who shall Now reform Mens Crimes?" Even in the eighteenth century it began being used this way: an aquatint print of 1787 by Samuel Alken after Thomas Rowlandson in the British Royal Collection entitled shows two old men surprised to find three young drunk men who had fallen asleep together at a table. Edgar Allan Poe used the phrase as the title and subject of his poem, "O, Tempora! O, Mores!" (≈1825), in which he criticized the manners of the men of his time. It is pronounced by a drunken poet in the 1936 movie Mr. Deeds Goes to Town. The expression is used in both the play (1955) and movie (1960) Inherit the Wind, a fictional account of the Scopes Trial, in which it is uttered by the cynical reporter, Hornbeck, referring to the town's attitude towards Darwin's theory of evolution. The musical comedians Flanders and Swann used the term when Flanders proclaimed " – Oh Times, Oh Daily Mirror!" (1964). It is also one of several Latin phrases found in Asterix and Obelix comics published in the 1960s and 1970s. The phrase is also used in the Doctor Who serial, The Romans (1964). In November 2014, senator Ted Cruz of Texas used the opening of Cicero's First Catilinarian Oration on the U.S. Senate floor, with only a few words changed, to criticize President Barack Obama's use of executive orders. In his version of the speech, which followed the translation of Charles Duke Yonge, senator Cruz rendered the phrase as "Shame on the age and on its lost principles!"; and in place of Catiline, then-President Obama. See also Catiline Orations Ecphonesis Mores Tempora mutantur References Catiline Cicero Latin words and phrases
The Administration for Strategic Preparedness and Response (ASPR) is an operating agency of the U.S. Public Health Service within the Department of Health and Human Services that focuses preventing, preparing for, and responding to the adverse health effects of public health emergencies and disasters. Its functions include preparedness planning and response; building federal emergency medical operational capabilities; countermeasures research, advance development, and procurement; and grants to strengthen the capabilities of hospitals and health care systems in public health emergencies and medical disasters. The office provides federal support, including medical professionals through ASPR’s National Disaster Medical System, to augment state and local capabilities during an emergency or disaster. The agency has direct predecessors going at least back to 1955. In 2002, it was promoted to be a staff office headed by an Assistant Secretary, and in 2006 it was expanded and renamed the Office of the Assistant Secretary for Preparedness and Response in the wake of Hurricane Katrina. In July 2022, it was announced that the agency was being elevated from a staff office to an operating division, and renamed the Administration for Strategic Preparedness and Response. Authority Under the Pandemic and All Hazards Preparedness Act of 2006 (PAHPA) (), HHS is the lead agency for the National Response Framework (NRF) for Emergency Support Function 8 (ESF-8). The Secretary of HHS delegates to ASPR the leadership role for all health and medical services support functions in a health emergency or public health event. To meet the public information requirements of PAHPA the Public Health Emergency.gov web portal was created to serve as a single point of access to public health risk, and situational awareness information when the President or the Secretary of Health and Human Services exercise their public health emergency legal authority. The Pandemic and All-Hazards Preparedness Reauthorization Act of 2013 () improved and reauthorized the provisions of the PAHPA. The primary portion of the bill dealing with this office is Section 102. Among other things, the bill requires the Assistant Secretary for Preparedness and Response, with respect to overseeing advanced research, development, and procurement of qualified countermeasures, security countermeasures, and qualified pandemic or epidemic products, to: (1) identify and minimize gaps, duplication and other inefficiencies in medical and public health preparedness and response activities and the actions necessary to overcome these obstacles; (2) align and coordinate medical and public health grants and cooperative agreements as applicable to preparedness and response activities authorized under the Public Health Service Act; (3) carry out drills and operational exercises to identify, inform, and address gaps in and policies related to all-hazards medical and public health preparedness; and (4) conduct periodic meetings with the Assistant to the President for National Security Affairs to provide an update on, and to discuss, medical and public health preparedness and response activities. Divisions As of 2023, ASPR has eight program offices (headed by a deputy assistant secretary): Immediate Office of the Administration for Strategic Preparedness and Response Office of the Principal Deputy Assistant Secretary for Strategic Preparedness and Response Office of Strategy, Policy, and Requirements (headed by a Deputy Assistant Secretary) Office of Administration The Biomedical Advanced Research and Development Authority (BARDA) HHS Coordination Operations and Response Element (H-CORE) Industrial Base Management and Supply Chain Preparedness Response Strategic National Stockpile (SNS) Activities ASPR is the Secretary's principal advisor on matters related to bioterrorism and other public health emergencies. They are responsible for coordinating interagency activities between HHS, other Federal departments, agencies, offices and State and local officials responsible for emergency preparedness and the protection of the civilian population from acts of bioterrorism and other public health emergencies. The ASPR also works closely with global partners to address common threats around the world, enhancing national capacities to detect and respond to such threats, and to learn from each other’s experiences as another step toward national health security for the United States and other countries. The United States National Response Framework (NRF) is part of the National Strategy for Homeland Security that presents the guiding principles enabling all levels of domestic response partners to prepare for and provide a unified national response to disasters and emergencies. Building on the existing National Incident Management System (NIMS) as well as Incident Command System (ICS) standardization, the NRF's coordinating structures are always in effect for implementation at any level and at any time for local, state, and national emergency or disaster response. Public Health Emergency Medical Countermeasures Enterprise The Public Health Emergency Medical Countermeasures Enterprise (PHEMCE) is an interagency coordinating body lead by the ASPR. It coordinates the development, acquisition, stockpiling, and recommendations for using medical countermeasures to deal with public health emergencies. Along with Biomedical Advanced Research and Development Authority (BARDA), it includes internal HHS partners at the Food and Drug Administration (FDA), the National Institutes of Health (NIH), and the Centers for Disease Control and Prevention (CDC), along with external inter-agency partners at the Department of Defense (DoD), the United States Department of Homeland Security (DHS), the United States Department of Agriculture (USDA), and the United States Department of Veterans Affairs (VA). Manhattan Project for Biodefense In July 2019, the Blue Ribbon Study Panel on Biodefense announced a new idea to improve U.S. national security against bioterrorism: a "Manhattan Project for Biodefense." The idea is a "proposed national, public-private research and development undertaking that would defend the United States against biological threats" and is publicly supported by retired U.S. Senator Joseph Lieberman, the co-chair of the panel, and Robert Kadlec, former U.S. Assistant Secretary for Preparedness and Response. Kadlec remarked, “We highly endorse such an endeavor in the sense of it’s time to say, ‘Go big or go home’ on this issue." History ASPR has direct predecessors going back to at least 1955, when it was the Office of Defense Coordination under the Assistant Secretary for Federal–State Relations. It was the subject of the first delegation order issued by the Federal Civil Defense Administration, a predecessor of the Federal Emergency Management Agency. In 1975, it became the Division of Emergency Coordination within the Office of the Assistant Secretary for Administration and Management. In 1984, it became the Office of Emergency Preparedness within the Office of the Assistant Secretary for Health. In 2002, as a result of the Public Health Security and Bioterrorism Preparedness and Response Act of 2002, it became the Office of Public Health Emergency Preparedness (OPHEP), and was elevated to be headed by an Assistant Secretary. It also absorbed the recently created Office of Public Health Preparedness from the Immediate Office of the Secretary, which became the Office of BioDefense. Its scope of activity included preparedness for bioterrorism, chemical and nuclear attack, mass evacuation and decontamination. The first head of OPHEP was Donald Henderson, credited with having previously eradicated Smallpox. Soon Jerry Hauer, a veteran public health expert, took over as director, with Henderson taking a different role in the department. Hauer was removed from the job primarily for conflicts he had with Scooter Libby over whether the risks of smallpox vaccination were worth the benefit. Hauer charged that the Office of the Vice President was pushing for the universal vaccination despite the vaccine's health risks, primarily exaggerate the risk of biological terrorism.In July 2006, the Pandemic and All Hazards Preparedness Act of 2006, a bill to amend the Public Health Service Act with respect to public health security and all-hazards preparedness and response was introduced. On December 19, 2006 it became public law and OPHEP was officially changed to the Office of the Assistant Secretary for Preparedness and Response. In July 2022, it was announced that the agency was being elevated from a staff office to an operating division, and renamed the Administration for Strategic Preparedness and Response. Directors (Assistant Secretaries and acting) Office of Public Health Emergency Preparedness Donald Henderson (2002) Jerry Hauer (acting, 2002–2004) Stewart Simonson (Assistant Secretary) (2004-2006) (Office of the) Assistant Secretary for Preparedness and Response W. Craig Vanderwagen (2006–2009) Nicole Lurie (2009–2017) George Korch (acting, 2017) Robert Kadlec (2017–2021) Nikki Bratcher-Bowman (acting, 2021) Dawn O'Connell (2021–present) See also Advanced Research Projects Agency for Health (ARPA-H) Emergency Care Coordination Center Strategic National Stockpile (SNS) References External links Office of the Assistant Secretary for Preparedness and Response Webpage COVID-19 Therapeutics Locator — Administration for Strategic Preparedness and Response Emergency management in the United States
```smalltalk using Boilerplate.Client.Maui.Services; using Microsoft.Extensions.Logging; namespace Boilerplate.Client.Maui; public static partial class MauiProgram { public static void ConfigureServices(this MauiAppBuilder builder) { // Services being registered here can get injected in Maui (Android, iOS, macOS, Windows) var services = builder.Services; var configuration = builder.Configuration; #if Android services.AddClientMauiProjectAndroidServices(); #elif iOS services.AddClientMauiProjectIosServices(); #elif Mac services.AddClientMauiProjectMacCatalystServices(); #elif Windows services.AddClientMauiProjectWindowsServices(); #endif services.AddMauiBlazorWebView(); if (AppEnvironment.IsDev()) { services.AddBlazorWebViewDeveloperTools(); } services.TryAddSingleton(sp => { var handler = sp.GetRequiredKeyedService<DelegatingHandler>("DefaultMessageHandler"); HttpClient httpClient = new(handler) { BaseAddress = new Uri(configuration.GetServerAddress(), UriKind.Absolute) }; return httpClient; }); builder.Logging.AddConfiguration(configuration.GetSection("Logging")); if (AppEnvironment.IsDev()) { builder.Logging.AddDebug(); } builder.Logging.AddConsole(); if (AppPlatform.IsWindows) { builder.Logging.AddEventLog(); } builder.Logging.AddEventSourceLogger(); //+:cnd:noEmit //#if (appCenter == true) if (Microsoft.AppCenter.AppCenter.Configured) { builder.Logging.AddAppCenter(options => { }); } //#endif //#if (appInsights == true) builder.Logging.AddApplicationInsights(config => { config.TelemetryInitializers.Add(new MauiTelemetryInitializer()); var connectionString = configuration["ApplicationInsights:ConnectionString"]; if (string.IsNullOrEmpty(connectionString) is false) { config.ConnectionString = connectionString; } }, options => { options.IncludeScopes = true; }); //#endif //-:cnd:noEmit services.TryAddTransient<MainPage>(); services.TryAddTransient<IStorageService, MauiStorageService>(); services.TryAddSingleton<IBitDeviceCoordinator, MauiDeviceCoordinator>(); services.TryAddTransient<IExceptionHandler, MauiExceptionHandler>(); services.TryAddTransient<IExternalNavigationService, MauiExternalNavigationService>(); if (AppPlatform.IsWindows || AppPlatform.IsMacOS) { services.AddSingleton<ILocalHttpServer, MauiLocalHttpServer>(); } services.AddClientCoreProjectServices(); } } ```
Four Oaks Place is a complex of skyscrapers in Uptown Houston, Texas, United States. Managed by CBRE, the complex includes the 420 ft (128 m) 1330 Post Oak Boulevard (sometimes referred to as the Aon Building), the 25-story 351 ft (107m) BHP Billiton Tower (1360 Post Oak Boulevard), Wells Fargo Tower (1300 Post Oak Boulevard), and the Interfin Building (1400 Post Oak Boulevard). The buildings were designed by Cesar Pelli & Associates Architects. History In 1993 BHP Petroleum, the US subsidiary of BHP, announced that its U.S. headquarters was moving from San Felipe Plaza to the Cigna Tower (1360 Post Oak Blvd.). Two hundred clerical and professional employees moved into the building. In the 1990s Weatherford Enterra (now Weatherford International) had its corporate headquarters in 1360 Post Oak. By 2000 Weatherford moved to a new location in Houston. In 1999 Cushman & Wakefield, a realty firm, moved its Houston office from the Wells Fargo Tower into the America Tower in the American General Center in Neartown. By 2008 and as of 2009 Cushman & Wakefield's Houston office is now in the 1330 Post Oak building. As of 2007 the owner of Four Oaks Place is considering plans to develop a fifth tower for the complex. As of Feb 22, 2014, the foundation was poured for Five Oaks Place. The foundation consists of 2.5 million pounds of reinforcing steel and over 8,000 cu. yards of concrete. Tenants The BHP Billiton Tower houses BHP's Houston Marketing Office. The complex has two consulates in the Wells Fargo Tower: those of Chile and Italy. In addition the Consulate-General of Germany in Houston resides in 1330 Post Oak. Gallery See also References External links Four Oaks Place Emporis Skyscraper office buildings in Houston Office buildings completed in 1983 César Pelli buildings
Hammond is a village in Piatt County, Illinois, United States. The population was 508 at the 2020 census. History Hammond was named for Charles Goodrich Hammond, a railroad official. Geography According to the 2010 census, Hammond has a total area of , of which (or 99.87%) is land and (or 0.13%) is water. Demographics As of the census of 2000, there were 518 people, 225 households, and 141 families residing in the village. The population density was . There were 244 housing units at an average density of . The racial makeup of the village was 98.26% White, 0.58% African American, 0.19% Native American, 0.19% Asian, 0.58% from other races, and 0.19% from two or more races. Hispanic or Latino of any race were 0.19% of the population. There were 225 households, out of which 24.9% had children under the age of 18 living with them, 55.6% were married couples living together, 5.3% had a female householder with no husband present, and 36.9% were non-families. 32.4% of all households were made up of individuals, and 15.1% had someone living alone who was 65 years of age or older. The average household size was 2.30 and the average family size was 2.95. In the village, the population was spread out, with 23.6% under the age of 18, 6.9% from 18 to 24, 27.6% from 25 to 44, 24.7% from 45 to 64, and 17.2% who were 65 years of age or older. The median age was 39 years. For every 100 females, there were 111.4 males. For every 100 females age 18 and over, there were 102.0 males. The median income for a household in the village was $45,833, and the median income for a family was $51,528. Males had a median income of $33,523 versus $21,667 for females. The per capita income for the village was $19,313. About 2.1% of families and 7.1% of the population were below the poverty line, including 11.5% of those under age 18 and 11.1% of those age 65 or over. References Villages in Piatt County, Illinois Villages in Illinois
```javascript Use `propTypes` on stateless components Use **React** with other libraries Immutability helpers in **React** Validate for required props Custom `propType`'s to be required ```
Kaftoun () is a small Lebanese village located along the north bank of the Walnut River, in the Koura District, North Lebanon. The population of the village is approximately three-hundred, spread around seventy-four houses. They are mostly of Greek Orthodox ancestry. The name "Kaftoun" in the ancient Aramaic language means "dug from" or "sculpted from" a cliff and also (Kftuna) could means "the domed". Both roots of the word lead us to believe that the village of Kaftoun was named after the domed Theotokos Monastery which is carved in the red rock cliffs by the banks of the Jaouz River. Churches Kaftoun has three historic churches: Saint Phocas Church (Mar Foka's), the Church of Saint Sergius and Bacchus (Mar Sarkis) 6th century, and the most famed Theotokos Monastery, which houses a two-sided Byzantine icon from the 11th century. References External links https://web.archive.org/web/20130903215351/http://www.kaftoun.com/ Kaftoun, Localiban Christian communities in Lebanon Eastern Orthodox Christian communities in Lebanon Populated places in the North Governorate Koura District Populated places in Lebanon
John Andrew Buckham (April 1, 1873 – October 12, 1931) was a pharmacist and politician in British Columbia, Canada. He represented the riding of Columbia in the Legislative Assembly of British Columbia as a Liberal from 1916 until his death in 1931. Buckham was born in Kilmaurs, Ontario, the son of George Buckham and Jean C. Young, and was educated in Ottawa and Toronto. In 1900, he married Laura Teresa Kelly. He ran unsuccessfully for a seat in the British Columbia legislature in 1909. He was Speaker of the House from 1924 to 1928. Buckham lived in Golden, and died in Vancouver at the age of 58. References Sources Notes 1873 births 1931 deaths Speakers of the Legislative Assembly of British Columbia BC United MLAs
```php <?php /* * * * path_to_url * * Unless required by applicable law or agreed to in writing, software * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the */ namespace Google\Service\DiscoveryEngine; class your_sha256_hashonfigDigitalParsingConfig extends \Google\Model { } // Adding a class alias for backwards compatibility with the previous class name. class_alias(your_sha256_hashonfigDigitalParsingConfig::class, your_sha256_hashocumentProcessingConfigParsingConfigDigitalParsingConfig'); ```
The Umari River is a river of Amazonas state in north-western Brazil, a tributary of the Purus River. The river flows through the Mapinguari National Park, a conservation unit created in 2008. See also List of rivers of Amazonas References Brazilian Ministry of Transport Rivers of Amazonas (Brazilian state)
```python # $Id: __init__.py 6433 2010-09-28 08:21:25Z milde $ # Authors: David Goodger <goodger@python.org>; Ueli Schlaepfer """ This package contains modules for standard tree transforms available to Docutils components. Tree transforms serve a variety of purposes: - To tie up certain syntax-specific "loose ends" that remain after the initial parsing of the input plaintext. These transforms are used to supplement a limited syntax. - To automate the internal linking of the document tree (hyperlink references, footnote references, etc.). - To extract useful information from the document tree. These transforms may be used to construct (for example) indexes and tables of contents. Each transform is an optional step that a Docutils component may choose to perform on the parsed document. """ __docformat__ = 'reStructuredText' from docutils import languages, ApplicationError, TransformSpec class TransformError(ApplicationError): pass class Transform: """ Docutils transform component abstract base class. """ default_priority = None """Numerical priority of this transform, 0 through 999 (override).""" def __init__(self, document, startnode=None): """ Initial setup for in-place document transforms. """ self.document = document """The document tree to transform.""" self.startnode = startnode """Node from which to begin the transform. For many transforms which apply to the document as a whole, `startnode` is not set (i.e. its value is `None`).""" self.language = languages.get_language( document.settings.language_code, document.reporter) """Language module local to this document.""" def apply(self, **kwargs): """Override to apply the transform to the document tree.""" raise NotImplementedError('subclass must override this method') class Transformer(TransformSpec): """ Stores transforms (`Transform` classes) and applies them to document trees. Also keeps track of components by component type name. """ def __init__(self, document): self.transforms = [] """List of transforms to apply. Each item is a 3-tuple: ``(priority string, transform class, pending node or None)``.""" self.unknown_reference_resolvers = [] """List of hook functions which assist in resolving references""" self.document = document """The `nodes.document` object this Transformer is attached to.""" self.applied = [] """Transforms already applied, in order.""" self.sorted = 0 """Boolean: is `self.tranforms` sorted?""" self.components = {} """Mapping of component type name to component object. Set by `self.populate_from_components()`.""" self.serialno = 0 """Internal serial number to keep track of the add order of transforms.""" def add_transform(self, transform_class, priority=None, **kwargs): """ Store a single transform. Use `priority` to override the default. `kwargs` is a dictionary whose contents are passed as keyword arguments to the `apply` method of the transform. This can be used to pass application-specific data to the transform instance. """ if priority is None: priority = transform_class.default_priority priority_string = self.get_priority_string(priority) self.transforms.append( (priority_string, transform_class, None, kwargs)) self.sorted = 0 def add_transforms(self, transform_list): """Store multiple transforms, with default priorities.""" for transform_class in transform_list: priority_string = self.get_priority_string( transform_class.default_priority) self.transforms.append( (priority_string, transform_class, None, {})) self.sorted = 0 def add_pending(self, pending, priority=None): """Store a transform with an associated `pending` node.""" transform_class = pending.transform if priority is None: priority = transform_class.default_priority priority_string = self.get_priority_string(priority) self.transforms.append( (priority_string, transform_class, pending, {})) self.sorted = 0 def get_priority_string(self, priority): """ Return a string, `priority` combined with `self.serialno`. This ensures FIFO order on transforms with identical priority. """ self.serialno += 1 return '%03d-%03d' % (priority, self.serialno) def populate_from_components(self, components): """ Store each component's default transforms, with default priorities. Also, store components by type name in a mapping for later lookup. """ for component in components: if component is None: continue self.add_transforms(component.get_transforms()) self.components[component.component_type] = component self.sorted = 0 # Set up all of the reference resolvers for this transformer. Each # component of this transformer is able to register its own helper # functions to help resolve references. unknown_reference_resolvers = [] for i in components: unknown_reference_resolvers.extend(i.unknown_reference_resolvers) decorated_list = [(f.priority, f) for f in unknown_reference_resolvers] decorated_list.sort() self.unknown_reference_resolvers.extend([f[1] for f in decorated_list]) def apply_transforms(self): """Apply all of the stored transforms, in priority order.""" self.document.reporter.attach_observer( self.document.note_transform_message) while self.transforms: if not self.sorted: # Unsorted initially, and whenever a transform is added. self.transforms.sort() self.transforms.reverse() self.sorted = 1 priority, transform_class, pending, kwargs = self.transforms.pop() transform = transform_class(self.document, startnode=pending) transform.apply(**kwargs) self.applied.append((priority, transform_class, pending, kwargs)) ```
is a Japanese video game designer who spent much of his career working for Namco. He is best known as the creator of the arcade game Pac-Man (1980). Early life Iwatani was born in the Meguro ward of Tokyo, Japan on January 25, 1955. While in kindergarten, he and his family moved to the Tōhoku region of Japan after his father got a job as an engineer for the Japan Broadcasting Corporation. After becoming a junior high student, Iwatani returned to Tokyo and graduated from the Tokyo Metropolitan University High School, before graduating from the Tokai University Faculty of Engineering. Iwatani was self-taught in computers without any formal training in programming or graphic design. He often filled his school textbooks with scattered manga, which he claims had a major influence on the character designs of his games. Career At the age of 22, Iwatani joined the Japanese video game publisher Namco in 1977. Before he had joined, Namco had acquired the rights to the Japanese division of Atari, Inc. from Nolan Bushnell, giving them the rights to distribute many of the company's games, such as Breakout, across the country. This became an unprecedented success for Namco, and made them interested in producing their own video games in-house instead of relying on other companies to make games for them. Iwatani was assigned to the video game development division of the company upon arrival. He originally wanted to create pinball machines, however Namco executives declined the idea due to patent-related issues. As a sort-of compromise, Iwatani was allowed to create a video game based on the concept of pinball. With the assistance of programmer Shigeichi Ishimura, Iwatani created Gee Bee, released in 1978. While not as successful as the company hoped, Gee Bee helped Namco get a foothold in the gradually-expanding video game market. Two sequels were released in 1979, Bomb Bee and Cutie Q, which Iwatani worked on as a designer. Towards the end of 1979, Iwatani grew disappointed towards the video game industry, thinking that the market only appealed to men through its usage of violent "war" games, such as Space Invaders, and sports games reminiscent of Pong. He decided to create a video game that appealed to women, with cute, colorful character design and easy-to-understand gameplay, based around the concept of eating. Working with a small team of nine employees, Iwatani created Pac-Man, test-marketed on May 22, 1980, and released in Japan in July and in North America in October. While it proved to be only a moderate success in Japan, being outperformed by Namco's own Galaxian, Pac-Man was an astronomical success in North America, quickly selling over 100,000 arcade units and becoming the best-selling and highest-grossing arcade game of all time. Pac-Man has since become Namco's most-successful video game of all time and the company's signature title. After its release, Iwatani was promoted within the ranks of Namco, eventually becoming responsible for overseeing the administration of the company. Despite the success of Pac-Man, Iwatani did not receive any kind of bonus or change of salary. An often-repeated story is that Iwatani left Namco furious at the lack of any recognition or additions to his pay, which he has claimed to be false. Iwatani went on to design Libble Rabble in 1983, a twin-stick puzzler based on a game he had played in his childhood. Iwatani claims Libble Rabble to be his favorite game. He also worked as a producer for many of Namco's arcade games, including Rally-X, Galaga, Pole Position, Ridge Racer and Time Crisis. From April 2005, he taught the subject of Character Design Studies at Osaka University of Arts as visiting professor. Iwatani left Namco in March 2007 to become a full-time lecturer at Tokyo Polytechnic University. Iwatani returned to his Pac-Man roots in 2007 when he developed Pac-Man Championship Edition for the Xbox 360, which he states is the final game he will develop. On June 3, 2010, at the Festival of Games, Iwatani received a certificate from Guinness World Records for Pac-Man having the most "coin-operated arcade machines" installed worldwide: 293,822. The record was set and recognized in 2005, and recorded in the Guinness World Records: Gamer's Edition 2008. He was portrayed in the Adam Sandler sci-fi comedy adventure Pixels by actor Denis Akiyama, while Iwatani himself has a cameo as an arcade repairman. Works Writings References External links Detailed Toru Iwatani biography at PAC-MAN Museum Q&A: Pac-Man Creator Reflects on 30 Years of Dot-Eating at Wired.com 1955 births People from Meguro Living people Japanese video game designers Namco Pac-Man
Mariana Durleșteanu (born 5 September 1971) is a politician and economist who was Ambassador of Moldova to London from 2005 until 2008. Durleșteanu was Minister of Finance in the Moldovan Government from 2008 until the change of government in 2009. Honours Member, Order of Work Glory (2002) See also Politics of Moldova References 1971 births Living people Politicians from Chișinău Moldovan economists Ambassadors of Moldova to the United Kingdom Moldovan Ministers of Finance Women chief financial officers Recipients of the Order of Work Glory Moldovan women ambassadors Female finance ministers Diplomats from Chișinău
This page documents the tornadoes and tornado outbreaks of 1967, primarily in the United States. Most tornadoes form in the U.S., although some events may take place internationally. Tornado statistics for older years like this often appear significantly lower than modern years due to fewer reports or confirmed tornadoes. Events The 1967 tornado season was very active with numerous large, destructive, and deadly outbreaks taking place. In fact, the only months not to have tornado-related fatalities were February and November, although both saw numerous injuries. The deadliest outbreak occurred in April while the biggest one occurred in September. The month of December was incredibly active as well, producing an unusually high 61 tornadoes with 60 of them stemming from three large outbreaks that occurred during the month. This remains one of the most-active December's on record. United States yearly total January There were 39 confirmed tornadoes in the United States in January. January 24 A low pressure system produced one of the northernmost winter tornado outbreak on record, with strong tornadoes forming as far north as Wisconsin. An F4 tornado tore through the suburbs of St. Louis, killing three people, injuring 216, and destroying 168 homes. More than 1740 homes were damaged and more than 600 businesses were damaged or destroyed. Another F4 tornado destroyed 5 farms near Queen City, Missouri, completely leveling two of them. This tornado continued into Iowa, where it only produced F1 damage. An F3 tornado hit Buckner and Orrick, Missouri. The tornado collapsed the roof of the high school in Orrick, killing two students. The tornado also destroyed two homes and tore the roof from a third. Another F3 destroyed two houses and killed a child near Fort Madison, Iowa. A fourth killer tornado, also rated F3, destroyed houses and outbuildings. One person was killed after being thrown and three people were injured. Another F3 tornado destroyed three homes in Mount Carroll, Illinois, destroying three homes and producing near-F4 damage. The northernmost tornado of the outbreak was an F3 storm that passed near Bordhead and Milton, Wisconsin, destroying barns and tearing the roof and walls from a country club. February There were 8 confirmed tornadoes in the United States in February. March There were 42 confirmed tornadoes in the United States in March. March 5–6 A low pressure system spawned 13 tornadoes as it moved across the Southeastern United States. On March 5, an F3 tornado struck Hot Springs, Arkansas, damaging or destroying 18 homes and injuring six people. An F2 tornado moved through Little Rock, damaging homes and businesses and injuring four people. The next day an F4 tornado passed north of Birmingham, Alabama, destroying homes and farms in and near Rocky Hollow and Empire and killing a person in each community. On one farm the tornado destroyed 16 buildings containing 250,000 hens. An F2 tornado damaged or destroyed 30 buildings near Uniontown, Alabama. Overall, the outbreak killed two and injured 30. March 12 Several strong tornado touched down on the Southeastern United States. An F2 tornado caused widespread damage in Greeneville, Tennessee. A mother was killed and five children were injured in a small house that the tornado destroyed. An F3 tornado with twin funnels destroyed several homes and a church in Pleasant View, Kentucky, injuring five people. April There were 150 confirmed tornadoes in the United States in April. April 12–13 A low pressure system brought tornadoes to the central and southern United States. An isolated F2 tornado destroyed farm buildings and a water tower in and near Veteran, Wyoming. Another F2 tornado blew down and unroofed homes in Crossett, Arkansas. An F2 tornado unroofed homes and a theater and destroyed warehouses in Paragould, Arkansas, injuring two people. Yet another F2 tornado destroyed farm buildings and two small homes on a ranch near Oakwood, Texas Overall, the outbreak injured nine. April 16 Tornadoes touched down across the Midwest and Great Plains. An F3 tornado killed two and injured 16 as it destroyed a house, a church, and trailers near Keosauqua and Birmingham, Iowa. A large F3 tornado produced near-F4 damage as it destroyed homes and barns between South Wayne and Attica, Wisconsin. An F2 tornado (rated F3 by Thomas P. Grazulis) leveled most of one house, leaving only the kitchen standing, unroofed several others, and downed radio towers near Wewoka, Oklahoma, injuring three. April 21 (Midwest) The most significant tornado outbreak of 1967 struck the Midwestern United States, killing 58 people, all in Illinois, and injuring 1,118. The deadliest tornado of the outbreak was an F4 tornado that devastated the south side of Chicago and surrounding suburbs, killing 33 and injuring 500. The worst damage from this tornado was in Oak Lawn and Hometown, where many buildings were leveled. As the tornado struck during the Friday evening rush hour, many of the deaths were in cars that the tornado picked up and tossed at red traffic lights. Several children were killed when a skating rink was destroyed, while others died in the collapse of a super market and the destruction of trailers. The other major killer of the outbreak was an F4 tornado that devastated the south and southeastern portions of Belvidere, Illinois, killing 24 people and injuring 450. The greatest loss of life was at the Belvidere High School, where 13 people were killed and 300 were injured as the tornado struck the bus loading area as school was letting out. Most of the dead were students who were tossed by the tornado. At least seven more people were killed at a shopping center. In all, this tornado destroyed 130 homes and damaged 370. Outside Belvidere, the tornado leveled farms, but without any loss of life. One school bus was torn in half south of Harvard, but all on board took refuge in a ditch. The other killer storm of the day was an F4 tornado or tornado family that killed one and injured 100 as it struck Elgin, Lake Zurich, and Barrington Hills, Illinois. Homes were leveled at the latter location. A tornado family with a maximum rating of F4 traveled for across Linn, Macon and, Knox Counties in Missouri, but missed every town along its path, destroying homes and barns. Two people suffered minor injuries as their home was destroyed. The final F4 tornado of the day struck Westphalia and Fowler, Michigan, destroying three homes and damaging 18. The tornado injured eight people and killed 34 sheep. An F3 tornado tore through the south side of Grand Rapids, Michigan, destroying 65 buildings, causing major damage to another 60 and minor damage to 275. No deaths occurred but 32 people were injured. April 21 (California) As the outbreak in the Midwest was occurring, an F1 tornado caused considerable damage in Northwestern Madera, California. April 30 – May 2 A low pressure system produced a tornado outbreak in the Midwest, with the most intense activity concentrated near the Iowa–Minnesota state line. The deadliest storm of the outbreak was an F4 tornado that traveled north along Minnesota State Highway 13 and through Waseca, where it cut a four-block wide damage path, destroying 16 homes, heavily damaging 25, and killing six people. Farm buildings were also destroyed north and south of the town. Another F4 tornado killed five people as it tore through Albert Lea, Clarks Grove, Ellendale and Hope, Minnesota, leveling farms along its path. The tornadoes destroyed 26 homes and badly damaged 64 in Albert Lea. One F4 tornado destroyed 10 farms near Manly, Iowa, with near-F5 damage to three of them. More farms suffered extensive damaged near Myrtle, Minnesota. Another F4 tornado passed through Worth County, Iowa, but is not mentioned by Grazulis. An F3 tornado killed two people and destroyed homes and barns as it moved from near Alden, Minnesota to near Matawan. Damage in the early part of the path was near-F4. Over the next two days, more tornadoes struck the Southern United States, primarily in Texas and Louisiana. An F3 tornado destroyed four homes near Mittie, Louisiana, injuring two people, one of them critically. An F2 tornado injured two people as it hit Onalaska, Texas, where it tore the roof and rear wall from a store/post office. Another F2 tornado injured four people in Kaplan, Louisiana. May There were 116 tornadoes confirmed in the US in May. May 6–7 A pair of low pressure systems brought tornadoes to the eastern half of the United States. An F3 tornado destroyed two homes and damaged 60 homes and 30 industrial buildings on the south side of Birmingham, Alabama. One person was killed while watching the tornado. Another F3 tornado struck southeast of Maysville, Kentucky. An F2 tornado destroyed a gas station and damaged more than 70 buildings in Clay, Kentucky. Another F2 tornado damaged homes, destroyed barns, and killed livestock near Hartsville, Tennessee. May 18–19 A low pressure system spawned six tornadoes across parts of Missouri, Iowa and southern Wisconsin on May 18, most of them weak. An F2 tornado destroyed a trailer and barns near Delafield, Wisconsin. As the system moved eastward, an isolated F3 tornado picked up a small house near Loch Lynn Heights, Maryland and threw it into a dairy barn, killing a person in the house. May 30–31 Scattered tornadoes touched down from Colorado and Texas to Florida and Kentucky. Two F2 tornadoes hit Texas on May 30; one destroyed one house and tore the roof from another north of Silsbee, the other destroyed a barn and cause severe roof damage to homes in Burkburnett. One May 31, an F1 tornado destroyed a parsonage under construction, killing a carpenter and injuring a workman. An F2 tornado hit Pulaski County, Kentucky. June There were 210 confirmed tornadoes in the United States in June. June 8 A small tornado outbreak hit Iowa and southern Wisconsin, as well as Idaho. An F4 tornado hit a subdivision west of Fort Dodge, Iowa, leveling one home, tearing the roof from another and destroying a garage and trailer. Five people were injured. June 9–14 From June 9–14, significant tornadoes touched down daily across portions of the Great Plains and Midwestern United States. on June 9 and F2 tornado killed a person in a car southwest of Concordia, Kansas. Another F2 tornado near Hickman, Nebraska injured two people in a car that got rolled off the road. Activity on June 10 was more intense on June 10. An F4 tornado followed a zig-zagging path east of Hammon, Oklahoma. Four people were killed and another was injured as the tornado completely destroyed a farm home. Ten other farm homes, farm equipment, and numerous outbuildings were heavily damaged or destroyed. Another F4 tornado leveled a farm east of Watonga, Oklahoma. A 30-ton transformer station was carried and heavy steel buildings were destroyed. An F3 tornado damaged every building in Omega, Oklahoma, with extensive damage to the local school. The superintendent was injured. An F2 tornado caused severe damage in Watonga. Two houses were destroyed and eight others were heavily damaged. Three trailers, a hangar, and five airplanes were also destroyed. Another F2 tornado traveled between Two Buttes and Walsh killed or injured about 100 cattle and injured a family of four. One house had near-F3 damage. On June 11 an F3 tornado started north of Topeka and traveled nearly 44 miles across northeastern Kansas. June 12 saw less significant tornado activity. An F2 tornado skipped parallel to the Platte River in southern Nebraska, from near Kearney to near Wood River, destroying a barn, granaries, and sheds. An brief F1 tornado (rated F2 by Grazulis) destroyed one home and damage several others on the north side of Kansas City, Missouri. Nearly all of the tornadoes on June 13 was in Nebraska. Acitivty was particularly intense in Buffalo and Sherman Counties, where 49 funnel clouds were sighted, of which 13 reportedly touched down. Three more F2 tornadoes struck near Kearney. One of these tornadoes (rated F3 by Grazulis) completely destroyed a farm. Another tornado destroyed all buildings on a farm except for the house. On June 14 an F3 tornado injured three people in the Akron, Iowa area. An F2 tornado south of Champion, Nebraska destroyed barns and outbuildings on a farm, injuring one person. June 23 On June 23, an F3 tornado devastated the northern half of Garden City, Kansas, killing one person and injuring 30. More than 400 homes were damaged and about 150 had roofs and exterior walls torn off. Some homes may have been completely leveled, which would indicate F4 intensity, but this could not be confirmed. The newly built Brior Hill Subdivision was destroyed with many homes that had roofs torn off and interior walls collapsed, the water tower was damaged and the Church Of the Nazarene had its roof ripped off. Numerous trees in the worst affected areas were denuded and stripped of leaves with some slight debarking occurring to smaller trees. In additional F0 occurred in Dumas, Texas June 24–25 (Europe) On June 24 and June 25, a major tornado outbreak occurred over parts of Northern France, the Netherlands, and Germany. In France, 4 tornadoes occurred, all of them F2 and stronger. An F2 tornado touched down, and damaged parts of Argoules, France and 2 other villages, as it traveled on a 12 km path. At 18:40 UTC, an F3 tornado touched down in Davenescourt, affecting 2 villages. At about 19:35 UTC, the most violent tornado of the year touched down in Pas-de-Calais, completely leveling and sweeping away 17 homes. The narrow F5 tornado tore through Palluel, lifting cars, and throwing houses, killing 6 people and injuring 30. The tornado then abruptly dissipated as it reached the Canal du Nord. At around 20:00 UTC, a large, violent, 1.5 mile-wide F4 wedge tornado touched down, killing 2 people and injuring 50 on a 23 km long path. In the Netherlands, two F3 tornadoes touched down near Buren and Ulicoten, killing 7 people. On June 25, another F3 tornado touched down in the Netherlands, also killing 2 people. Finally, an unrated tornado touched down near Berlin, although not much information is available about this event. However, due to the significant amount of significant tornadoes (F2 or stronger), and the fact that there were no F0 or F1 tornadoes officially confirmed, it is likely that several tornadoes were not reported. July There were 90 confirmed tornadoes in the United States in July. July 22–24 From July 22 through July 24, a low pressure system moved across the Great Lakes region. One July 22 an F2 tornado unroofed or destroyed about a dozen farm homes and many farm buildings across Stearns and Sherburne Counties in Minnesota. One person, trapped on the second floor of a home, was killed. Another F2 tornado destroyed barns and trailers in and around Marshfield and Spokeville, Wisconsin, injuring two people and killing 16 cattle. Two other F2 tornadoes destroyed barns in Wisconsin. On July 23 an F2 tornado passed near Camp Grove, Illinois, destroying barns and tearing a part a barn at near-F3 intensity. On July 24 an F3 tornado passed near Ashland Station and Mansfield, New York, destroying a barn, cabin, and an abandon house and killing cattle. A refrigerator was blown . An F2 tornado hit East Fairfield, Ohio. Two people were injured when their house was destroyed. At least one barn on a turkey farm was completely destroyed and dead turkeys were carried up to . Another F2 tornado injured two people in the Rock Creek, Ohio area. August There were 28 tornadoes were confirmed in the U.S. in August. August 1–3 A small, but destructive collection of nine tornadoes impacted seven states with the strongest one briefly touching down in Wisconsin, causing F3 damage, killing two, and injuring five. September There were 139 tornadoes confirmed in the U.S. in September. September 18–24 (Hurricane Beulah) A large, destructive outbreak of 120 tornadoes struck Texas due to landfalling Hurricane Beulah, making it largest outbreak ever generated by a tropical cyclone until Hurricane Ivan in 2004. The outbreak killed five and injured 41. October There were 36 tornadoes confirmed in the U.S. in October. October 18 An F2 tornado touched down near Mountville, Pennsylvania moving north-east hitting a school, and causing around $275,000 worth of damage and injuring five students as it tore off part of the roof, smashed windows, and threw debris around the classroom. A chicken-house near the school was leveled and several barns and homes were damaged extensively. A car was overturned on the Pennsylvania Turnpike near Middletown, and the wind picked up a moving car and headed it in the opposite direction. Two occupants were hospitalized. At Palmyra RD #1 the wind tore away some of a cinder-block machine shop and speared one of the building's beams through the convertible roof of a car. November There were 8 tornadoes confirmed in the U.S. in November. December There were 61 tornadoes confirmed in the U.S. in December. December 1–3 Eight destructive tornadoes caused major damage across the Southeast, killing two and injuring 14. December 10–11 Large outbreak of 22 tornadoes tore through the Southeastern United States and the Midwest, killing two and injuring 103. December 17–21 A rare F1 tornado in Hawaii kicked off a violent outbreak sequence of 30 tornadoes that affected areas stretching from the Southwest through the Midwest into the Southeastern United States. Six people were killed and 110 others were injured. See also Tornado Tornadoes by year Tornado records Tornado climatology Tornado myths List of tornado outbreaks List of F5 and EF5 tornadoes List of North American tornadoes and tornado outbreaks List of 21st-century Canadian tornadoes and tornado outbreaks List of European tornadoes and tornado outbreaks List of tornadoes and tornado outbreaks in Asia List of Southern Hemisphere tornadoes and tornado outbreaks List of tornadoes striking downtown areas List of tornadoes with confirmed satellite tornadoes Tornado intensity Fujita scale Enhanced Fujita scale Notes References 1967 meteorology Tornado-related lists by year Torn
In Norse mythology, Göndul (Old Norse: Gǫndul, "wand-wielder") is a valkyrie. Göndul is attested in Heimskringla, Sörla þáttr, and a 14th-century Norwegian charm. In addition, Göndul appears within the valkyrie list in the Poetic Edda poem Völuspá, in both of the two Nafnaþulur lists found in the Prose Edda, and among the valkyries listed in Darraðarljóð. Attestations Heimskringla In Hákonarmál, Odin sends forth the two valkyries Göndul and Skögul to "choose among the kings' kinsmen" and decide who in battle should dwell with Odin in Valhalla. A battle rages with great slaughter, and part of the description employs the kenning "Skögul's-stormblast" for "battle". Haakon and his men die in battle, and they see the valkyrie Göndul leaning on a spear shaft. Göndul comments that "groweth now the gods' following, since Hákon has been with host so goodly bidden home with holy godheads." Haakon hears "what the valkyries said," and the valkyries are described as sitting "high-hearted on horseback," wearing helmets, carrying shields and that the horses wisely bore them. A brief exchange follows between Haakon and the valkyrie Skögul: Hákon said: "Why didst Geirskogul grudge us victory? though worthy we were for the gods to grant it?" Skogul said: "'Tis owing to us that the issue was won and your foemen fled." Skögul says that they shall now ride forth to the "green homes of the godheads" to tell Odin the king will come to Valhalla. The poem continues, and Haakon becomes a part of the Einherjar in Valhalla, awaiting to do battle with the monstrous wolf Fenrir. Sörla þáttr In Sörla þáttr, a short late 14th century narrative from a later and extended version of the Óláfs saga Tryggvasonar found in the Flateyjarbók manuscript, a figure by the name of Göndul appears and instigates the meeting of the kings Hedinn of Serkland and Hogni of Denmark and, by means of seduction and a memory-altering draught, provokes a war between the two. In the work (chapter 5), Hedinn and his household enter a wood in his realm. Hedinn is separated from his men and enters a clearing. He sees a tall, beautiful woman sitting on a chair, and he asks her what her name is, and the woman replies that her name is Göndul. The two talk, and she asks him of his great deeds. He tells her of his deeds and asks her if she knows of any king who is his equal in accomplishments and stature. She says that she knows of one named Hogni of Denmark, who also rules over no less than twenty kings. Hedinn says that they two must compete to find which is better. Göndul comments that Hedinn should now go back to his men, for they are searching for him: "Then whot I," said Hedinn, "that we shall try it which of us twain is foremost." "Now will it be time for thee to go to thy men," said Gondul; "they will be seeking thee." In chapter 6, Hedinn travels with his men to meet Hogni in Denmark and there the two test their skills in swimming, archery, fencing and by other means and find their skills to be evenly matched. The two make an oath of brotherhood and halve all their possessions between themselves. Hogni soon leaves to go warring and Hedinn stays behind to guard their combined realm. On a day with beautiful weather, Hedinn goes for a walk in the woods and, like back in Serkland, loses his men and finds himself in an open meadow. In the lawn sits the same woman, Göndul, in the same chair, and yet she seems more beautiful than before. His heart yearns for her. In her hand she holds a drinking horn, shut with a lid, and she tells the king to drink. Hedinn is thirsty from the heat, and drinks from the horn. The drink causes Hedinn to forget his oath of brotherhood with Hogni. Göndul asks if Hedinn has tried his prowess against that of Hogni, as she had suggested. Hedinn says that he has done this and that, indeed, they found themselves to be equal. Göndul says that he is mistaken, they are not equal at all. Hogni asks her what she means, and she responds that he no bride, yet Hogni has a noble wife. Hedinn says that he will marry Hogni's daughter Hildr, and that Hogni will surely approve. Göndul replies that it would be more glorious for Hedinn to take Hildr and to slay Hogni's bride, specifically by placing her on a ship and then to kill her before launching it. Influenced by the draught he drank, Hedinn leaves with only this plan in mind. After Hedinn has executed the plan as Göndul suggested, he returns alone to the wood in Serkland and again sees Göndul sitting in the same chair. The two greet one another and Hedinn tells her that he has completed the plot. With this she is pleased. She again gives him the horn, from which he again drinks, yet this time he falls asleep in her lap. Göndul draws away from his head and says "Now hallow I thee, and give thee to lie under all those spells and the weird that Odin commanded, thee and Hogni, and all the hosts of you." Hedinn wakes up and sees the ghostly shadow of Göndul. She has become black and huge, and he remembers everything. Great woe comes over him. Ragnhild Tregagás charm A witchcraft trial in Bergen, Norway held in 1324 resulted in the recording of a spell used by the witch Ragnhild Tregagás to end the marriage of her former lover, a man named Bárd. The charm contains a mention of Göndul being "sent out": I send out from me the spirits of (the valkyrie) Gondul. May the first bite you in the back. May the second bite you in the breast. May the third turn hate and envy upon you. Theories Rudolf Simek says that the name Göndul is etymologically rooted in Old Norse gandr (meaning "magic, magic wand"), yet in the Norwegian 'Göndul charm' it appears to mean "magical animal; werewolf?", and that, whatever the case, the name "awakens magical associations which certainly are connected with the function of the Valkyries as directors of human fate." Notes References Hollander, Lee Milton (1980). Old Norse Poems: The Most Important Nonskaldic Verse Not Included in the Poetic Edda. Forgotten Books. MacLeod, Mindy. Mees, Bernard (2006). Runic Amulets and Magic Objects. Boydell Press. Morris, William (Trans.). Morris, May. (1911). The Collected Works of William Morris: Volume X, Three Northern Love Stories and the Tale of Beowulf. Longmans Green and Company. Orchard, Andy (1997). Dictionary of Norse Myth and Legend. Cassell. Simek, Rudolf (2007) translated by Angela Hall. Dictionary of Northern Mythology. D.S. Brewer Valkyries
```javascript Using Chunks Lazy Loaded Entry Points Building Webpack Plugins Webpack with Gulp Webpack with Karma ```
Lawrence Sabatini, CS (born May 15, 1930) is an American retired bishop of the Catholic Church. Born and raised in Chicago, he felt a religious calling to join the priesthood during primary school. After completing school, he studied for the priesthood in Rome and joined the Scalabrinians upon returning to the United States. He was ordained a priest in 1957 and went on to teach at the institute's missions and the seminary on Staten Island for 11 years, before being sent to Canada in 1971. Sabatini served as parish priest in North Vancouver until 1978, when he was appointed auxiliary bishop of the Archdiocese of Vancouver and was consecrated that same year. Four years later, he was transferred to Kamloops after being chosen to be its ordinary. During his time there, Sabatini enthusiastically backed reconciliation with First Nations, as well as the provincial government's efforts to negotiate treaties with them. He resigned as bishop in 1999 and returned to his hometown of Chicago. At the request of the Archbishop of Chicago, he served as pastor of a previously Italian parish that had become overwhelmingly Hispanic due to a demographic shift. He has also authored several books during his retirement. Early life Sabatini was born in Chicago, Illinois, on May 15, 1930, in the Santa Maria Addolorata Parish on the Northwest Side of the city. Both his parents were Italian immigrants from Valbona, in the province of Lucca, Tuscany. He has two brothers (Ralph and Joseph) and two sisters (Olga and Genevieve); both sisters predeceased him. Sabatini felt a calling to the priesthood in grade four, when he was an altar server at his parish school, which was overseen by the Missionaries of St. Charles Borromeo (the Scalabrinians). He studied in Rome during the late 1950s and joined the Scalabrinians by the time he completed his studies and came back home. On March 19, 1957, he was ordained to the priesthood. Presbyteral ministry Sabatini's first assignment was to Staten Island in New York City. There, he was professor at St. Charles Seminary, teaching moral theology and canon law. He also taught at missions run by the Scalabrinians from 1960 to 1972, where he worked with the "troubled youth" of the borough. In September 1971, Sabatini was relocated to British Columbia, Canada, and served as the third pastor of St. Stephen's Parish in North Vancouver. He concurrently held three posts in the archdiocesan chancery. Episcopal ministry Auxiliary bishop of Vancouver (1978–1982) Sabatini was appointed auxiliary bishop of Vancouver and titular bishop of Nasai on July 13, 1978. He was consecrated bishop on September 21, 1978, at Holy Rosary Cathedral in Vancouver. James Carney, the Archbishop of Vancouver, served as the principal consecrator, with Cardinal George Flahiff of Winnipeg being one of several bishops in attendance. As a member of the Canadian Conference of Catholic Bishops, Sabatini was part of the Episcopal Commissions for Canon Law and for Migration and Tourism. He was also a consultant on the Pontifical Council for the Pastoral Care of Migrants and Itinerant People (a department of the Roman Curia). In the early 1980s, it was Sabatini who proposed that the Daughters of Saint Mary of Providence start Vanspec, a catechetics program in the Archdiocese tailored for children with special needs. The sisters began the program in 1982 and continued running it until 2017. Bishop of Kamloops (1982–1999) Sabatini was appointed Bishop of Kamloops on October 1, 1982. The see had been vacant since March 31 of that same year, when Adam Exner was appointed as Archbishop of Winnipeg. During his tenure as ordinary of that diocese, Sabatini was noted for being a vehement proponent of the treaty negotiation process with First Nations that was being undertaken by the government of British Columbia. He also advocated for reconciliation with First Nations over the Catholic Church's involvement with the country's residential school system, the majority of which were run by the church. He formally apologized to the Alkali Lake Indian Band on behalf of the church in December 1998. Sabatini was present at the 1984 and 1987 papal visits of Pope John Paul II. He also attended the 44th International Eucharistic Congress held in Seoul, South Korea in October 1989, and led a pilgrimage to the Holy Land. On May 12, 1990, Sabatini ordained both Mark Hagemoen – who would later become bishop in 2013 – and Paul Than Bui as priests for the Archdiocese of Vancouver. Normally, Carney would have been ordaining bishop under canon 1015, §2 of the 1983 Code of Canon Law, but because he was ill with cancer at the time, Sabatini ordained the two priests on his behalf. When Carney died in September of that same year, it was Sabatini who presided over his funeral Mass at Holy Rosary Cathedral. In the homily he delivered, Sabatini read from letters Carney wrote during the last days of his life addressed to the faithful in the Archdiocese. Retirement After 16 years of serving as Bishop of Kamloops, Sabatini's resignation was accepted on September 2, 1999. Subsequently, he returned to his hometown of Chicago and retreated from active ministry. However, Francis George – the Archbishop of Chicago – asked him to become pastor of Holy Rosary Church, a formerly Italian parish on the Northwest Side (the area of Chicago he was born and raised). Before assuming the role on June 1, 2000, Sabatini visited Mexico, in order to gain a better understanding of the language and culture of the church's now predominantly Hispanic parishioners. He celebrated the golden jubilee of his priestly ordination in March 2007, and retired as parish priest the following year. Published books References 1930 births 20th-century Roman Catholic bishops in Canada American expatriates in Canada American people of Italian descent Living people Clergy from Chicago Writers from Chicago Roman Catholic bishops of Kamloops 20th-century American clergy
```yaml apiVersion: rbac.authorization.k8s.io/v1 kind: Role metadata: name: istiod{{- if not (eq .Values.revision "")}}-{{ .Values.revision }}{{- end }} namespace: {{ .Values.global.istioNamespace }} labels: app: istiod release: {{ .Release.Name }} app.kubernetes.io/name: "istiod" {{- include "istio.labels" . | nindent 4 }} rules: # permissions to verify the webhook is ready and rejecting # invalid config. We use --server-dry-run so no config is persisted. - apiGroups: ["networking.istio.io"] verbs: ["create"] resources: ["gateways"] # For storing CA secret - apiGroups: [""] resources: ["secrets"] # TODO lock this down to istio-ca-cert if not using the DNS cert mesh config verbs: ["create", "get", "watch", "list", "update", "delete"] # For status controller, so it can delete the distribution report configmap - apiGroups: [""] resources: ["configmaps"] verbs: ["delete"] # For gateway deployment controller - apiGroups: ["coordination.k8s.io"] resources: ["leases"] verbs: ["get", "update", "patch", "create"] ```
Brazilians in Germany consists mainly of immigrants and expatriates from Brazil as well as their locally born descendants. Many of them consist of German Brazilian returnees. According to Brazil's foreign relations department, there are about 144,120 Brazilians living in Germany. Migration history A wave of Brazilian immigrants coming to Germany began in the early 1990s with the potent combination of a crashing Brazilian economy, rampant corruption and cheaper air fares. Many German Brazilians migrated to Germany to search for their own roots. The Martius-Staden Institute in Panamy is the first stop for Brazilians researching their German ancestors. The institute's archive has an extensive index of family names of German origin. In addition, many of Brazil's LGBT community chose to migrate to Germany due to the country's liberal attitude toward gays and many Brazilian artists consider working in Germany more prestigious than in Brazil. Culture Elements of Brazilian culture can be seen in many of Germany's major cities. Small shops have begun to carry Brazilian specialties like manioc flour and guaraná soda. The caipirinha, Brazil's national drink, is now Germany's national cocktail and Germany has become the top importer of cachaça. Samba and capoeira are also flourishing in Germany. Brazilian-Portuguese language church services can also be found in most major cities. There are numerous organizations, and societies have formed in Germany. These include the Forum Brasil in Berlin, the German-Brazilian Cultural Society in Coburg and the Casa do Brasil in Munich. Notable people See also Brazil–Germany relations German Brazilian References Germany Brazilian
Odle Middle School is a public middle school in the Crossroads neighborhood of Bellevue, Washington, United States. The school is one of seven middle schools in the Bellevue School District and was named posthumously after Frank Odle, who taught in the district for 55 years before retiring in 1968. Odle is located near Stevenson Elementary, formerly a primary feeder elementary school for Odle. Odle is primarily known for its hosting of the ALS program, a gifted program for high-performing children. As of the 2022–23 school year, the school's principal is Joseph Potts and its assistant principals are Keith Altenhof and Danielle Virata. In the 2001–02 school year, Odle Middle School was one of two schools in the state to be awarded a Blue Ribbon by the U.S. Department of Education, the highest award an American school can receive. Demographics As of the 2021-2022 school year, the school had an enrollment of 948 students. 61% of the students are Asian, 20% are Caucasian, 9% are Hispanic, 7% are multi-ethnic, and 3% are African American. 45% speak a first language other than English, and 17% are eligible to receive free/reduced price meals. Academics AL Program The AL program at Odle is part of the Advance Placement program offered in the Bellevue School District for grades 2 through 12. GT is a selective program; applicants must have a minimum score of 144 on the Cognitive Abilities Test. Reading and Quantitative scores must be of the 90th percentile or higher, one of which must be at or above the 97th percentile. High school extension The high school AL program extends the science, English and social studies classes further in the International Baccalaureate (IB) program at Interlake High School. In the IB program, AL students complete the IB diploma during 10th and 11th grade, rather than the usual 11th and 12th grade. Extracurriculars Rocketry In 2016, Odle Middle School's rocketry club sponsored three teams in the Team America Rocketry Challenge (TARC). In the competition's qualifying round, two of the teams placed in the top 100 teams in the nation, earning them a spot at the TARC national finals, the third team placed as a second alternate. One of the teams, the Odle Middle School "Space Potatoes," won the 2016 Team America Rocketry Challenge, earning more than $20,000 in prizes and scholarships and a trip to London to compete in the International Rocketry Challenge. The team went on to win International Rocketry Challenge at the Farnborough International Airshow on July 15, besting the top student rocketry teams from the United Kingdom, France and Japan. Chess The Chess Team has won many prizes all over the nation and the state. Odle Middle School earned first place in the 2006 national K–8 chess championship and got seventh place in Chess Supernationals 2013 K-8 chess championship. The chess team has also claimed first place in the Washington Middle School Team Championship for the school years 2005–06, 2006–07, 2007–08, 2008–09, 2009–10, and 2010–11. In April 2014, members of the Odle Chess Team will go to Atlanta, Georgia, to compete in the National Junior High Chess Championship. The team is currently has the highest average rating as a team for the K-8 division. Odle Middle School tied for 1st place in the national 2016 K-8 chess championship. Odle Middle School 2017 graduate Naomi Bashkansky is a 2016 World Schools Chess Champion (Girls U13), a 2017 North American Junior Girls Under 20 Champion, and a Woman International Master. Science Bowl Club The Odle Science Bowl Club has participated in the U.S. Department of Energy's National Science Bowl since 2017. Over the years, it has gotten: - National 2nd Place in 2017 - National 1st Place in 2018 - National 3rd Place in 2021 - National 1st Place in 2022 2014-2016 remodeling In 2014, Odle Middle School decided to remodel the old building; implement about 200 kW worth of new solar panels, the most solar power put on any BSD school building to date. The solar panels were built specifically for the newly designed classrooms created for classes involving STEM and the arts. Alongside solar panels, expansive athletics infrastructure, thermal floors, etc were also implemented. During the two year construction period of the new building, which is next to Stevenson Elementary School, Odle Middle School was moved to the Bellevue School District's designated swing school, Ringdall Middle School. The redesign however failed to compensate for the extensive backup of traffic onto 8th and 140th during morning drop-off hours leading to continued dissatisfaction among the parent community. References External links Public middle schools in Washington (state) Bellevue School District Schools in King County, Washington Educational institutions established in 1969 1969 establishments in Washington (state)
Jesper Leerdam (born 17 April 1987 in Hook of Holland) is a former Dutch footballer. He last played for SVV Scheveningen. Career Netherlands Leerdam played extensively at all levels of the Dutch football system, having played for VV Hoek van Holland, RKVV Westlandia, ADO Den Haag, Vitesse Delft, 's-Gravenzandse SV and VV Capelle. United States Leerdam moved to the United States in 2011 to play for the Dayton Dutch Lions in the USL Professional Division in 2011. References External links Dayton Dutch Lions profile 1987 births Living people Dutch men's footballers Dayton Dutch Lions players People from Hook of Holland Excelsior Maassluis players RKVV Westlandia players VV Capelle players ADO Den Haag players Men's association football goalkeepers Footballers from South Holland
Elborough may refer to: Elborough, Somerset, a village in England Elborough Hill Travis Elborough, a British author
```xml import { _supportedPackageToGlobalMap } from './transpileHelpers'; import type { IBasicPackageGroup } from '../interfaces/index'; // Don't reference anything importing Monaco in this file to avoid pulling Monaco into the // main bundle or breaking tests! /** * Match an import from a TS file. * - Group 1: imported names or \* (empty if side effect-only import) * - Group 2: import path without quotes * @internal */ export const IMPORT_REGEX = /^import\s+(?:([^;'"]+?)\s+from\s+)?['"]([^'"]+?)['"];/; /** Find the component name to render from a TS file (group 1) */ const COMPONENT_NAME_REGEX = /^export (?:class|const) (\w+)/m; /** Given an import path, find the package name @internal */ const PACKAGE_NAME_REGEX = /^(@[\w-]+\/[\w-]+|[\w-]+)/; /** * Match an individual imported item. * - Group 1: original item name or * * - Group 2: rename, if any */ const IMPORT_ITEM_REGEX = /([\w*]+)(?:\s+as\s+(\w+))?/g; /** Matches the React import */ const REACT_REGEX = /^import \* as React from ['"]react['"];/m; export interface IImportIdentifiers { /** * Original name of the imported class/interface/const/whatever. * Will be `default` for default imports and `*` for `import *`. */ name: string; /** What it's imported as (if different) */ as?: string; } /** Breakdown of an import statement */ export interface IImport { /** Full text of the import statement (including semicolon) */ text: string; /** Full path from the import statement (no quotes) */ path: string; /** Package name from the import, or empty string for relative imports */ packageName: string; /** Individual imported identifiers */ identifiers: IImportIdentifiers[]; } export interface IExampleInfo { /** TS source code */ tsCode: string; /** Imports from the source code */ imports: IImport[]; /** Component name to render */ component: string; } /** * Determines whether an example is "valid" for purposes of the transform code: it conforms to the * expected structure and only contains imports from supported packages. * * NOTE: You should confirm that the code is syntactically valid before calling this function. * If the code is not syntactically valid, this function's behavior is undefined. * * @param example - Syntactically valid TS code for an example * @param supportedPackages - Supported packages for imports (React is implicitly supported) * @returns Whether the example is valid */ export function isExampleValid(example: string, supportedPackages: IBasicPackageGroup[]): boolean { return typeof tryParseExample(example, supportedPackages) !== 'string'; } /** * Determines whether an example is editable and if so, returns the code and the component to render. * If it's not editable, returns an error message. * * NOTE: You should confirm that the code is syntactically valid before calling this function. * If the code is not syntactically valid, this function's behavior is undefined (it will likely * return incorrect/illogical output). * * @param example - Syntactically valid TS code for an example * @param supportedPackages - Supported packages for imports (React is implicitly supported) * @returns Example info if the example is valid, or an error message if not */ export function tryParseExample(example: string, supportedPackages: IBasicPackageGroup[]): IExampleInfo | string { try { return _tryParseExample(example, Object.keys(_supportedPackageToGlobalMap(supportedPackages))); } catch (ex) { return 'Caught error while processing example: ' + ex; } } /** @internal */ export function _tryParseExample(example: string, supportedPackages: string[]): IExampleInfo | string { // Use .source because IE 11 doesn't support creating a regex from a regex const possibleComponents = example.match(new RegExp(COMPONENT_NAME_REGEX.source, 'gm')); const imports = _getImports(example); if (!REACT_REGEX.test(example)) { return `The example must include "import * as React from 'react';"`; } else if (/^export default/m.test(example)) { return '"export default" is not supported by the editor.'; } else if (!possibleComponents || possibleComponents.length > 1) { return ( 'The example must export a single class or const for the component to render ' + `(found: ${possibleComponents ? possibleComponents.length : 'none'}).` ); } else if (/require(<.+?>)?\(/m.test(example)) { return '"require(...)" is not supported by the editor.'; } else { for (const importInfo of imports) { const { path, packageName, identifiers: items, text } = importInfo; if (path === 'react') { if (!REACT_REGEX.test(text)) { return `Invalid React import format for the editor. Please only use "import * as React from 'react'".`; } } else if (path.indexOf('.scss') !== -1) { return 'Importing scss is not supported by the editor.'; } else if (path[0] === '.') { return 'Relative imports are not supported by the editor.'; } else if (!items.length) { return 'Importing a file for its side effects ("import \'path\'") is not supported by the editor.'; } else if (items[0].name === '*') { return '"import *" is not supported by the editor (except from react).'; } else if (!packageName) { return `Unrecognized import path: "${path}"`; } else if (supportedPackages.indexOf(packageName) === -1) { return `Importing from package "${packageName}" is not supported by the editor.`; } else if (items[0].name === 'default') { return 'Default imports are not supported by the editor.'; } else if (path !== packageName) { const packageRelativePath = path.split(packageName + '/', 2)[1]; if (packageRelativePath.split('/').length > 2) { return 'Importing from more than two levels below the package root is not supported by the editor.'; } } } } return { tsCode: example, component: example.match(COMPONENT_NAME_REGEX)![1], imports, }; } /** @internal */ export function _getImports(example: string): IImport[] { // Use .source because IE 11 doesn't support creating a regex from a regex const imports = example.match(new RegExp(IMPORT_REGEX.source, 'gm')); if (!imports) { return []; } return imports.map(importStatement => { const importMatch = importStatement.match(IMPORT_REGEX)!; const importPath = importMatch[2]; return { text: importMatch[0], packageName: _getPackageName(importPath), path: importPath, identifiers: _getImportIdentifiers(importMatch[1]), }; }); } /** @internal */ export function _getPackageName(path: string): string { const packageNameMatch = path.match(PACKAGE_NAME_REGEX) || undefined; return (packageNameMatch && packageNameMatch[0]) || ''; } /** @internal */ export function _getImportIdentifiers(contents: string | undefined): IImportIdentifiers[] { // This will be: // empty for `import 'foo'` // * as Foo for `import * as Foo from 'foo'` // Foo for `import Foo from 'foo'` // { Foo, Bar } for `import { Foo, Bar } from 'foo'` const hadBracket = (contents || '').indexOf('{') !== -1; contents = (contents || '').replace('{', '').replace('}', '').trim(); const items: IImportIdentifiers[] = []; IMPORT_ITEM_REGEX.lastIndex = 0; let itemMatch = IMPORT_ITEM_REGEX.exec(contents); if (itemMatch) { if (hadBracket) { // named imports do { items.push({ name: itemMatch[1], as: itemMatch[2] }); } while ((itemMatch = IMPORT_ITEM_REGEX.exec(contents))); } else if (itemMatch[1] === '*') { // import * items.push({ name: '*', as: itemMatch[2] }); } else { // default import items.push({ name: 'default', as: itemMatch[1] }); } } return items; } ```
Aeon Point is the easternmost point of Kiritimati Island in Kiribati. There is an abandoned airport, named Aeon Field, near Aeon Point which was constructed before British nuclear tests. References Landforms of Kiribati Headlands of Oceania
```swift import Foundation public enum Spaces { public static var half: CGFloat = 4 public static var one: CGFloat = 8 public static var oneAndHalf: CGFloat = 12 public static var two: CGFloat = 16 public static var three: CGFloat = 24 public static var four: CGFloat = 32 public static var five: CGFloat = 40 public static var six: CGFloat = 48 } ```
```javascript 'use strict'; import { List } from 'moonmail-models'; import { debug } from '../../lib/logger'; import decrypt from '../../lib/auth-token-decryptor'; import ApiErrors from '../../lib/errors'; import * as fs from 'fs'; export function respond(event, cb) { debug('= getEmailList.action', JSON.stringify(event)); decrypt(event.authToken).then((decoded) => { if (event.listId) { const options = {}; if (event.options) { Object.assign(options, event.options); } List.get(decoded.sub, event.listId, options).then(list => { debug('= getEmailList.action', 'Success'); if (!isConfirmationBodyExcluded(options) && !list.confirmationEmailBody) { list.confirmationEmailBody = defaultConfirmationEmailBody(); } return cb(null, list); }) .catch(e => { debug('= getEmailList.action', 'Error getting list', e); return cb(ApiErrors.response(e)); }); } else { return cb('No list specified'); } }) .catch(err => cb(ApiErrors.response(err), null)); } function defaultConfirmationEmailBody() { const file = 'lists/getEmailList/templates/default_email_confirmation.html'; return fs.readFileSync(file, 'utf8'); } function isConfirmationBodyExcluded(options) { const fieldRegex = /confirmationEmailBody/; return (options.include_fields === 'true' && !options.fields.match(fieldRegex)) || (options.include_fields === 'false' && options.fields.match(fieldRegex)); } ```
```go // Use of this source code is governed by a BSD-style // license that can be found in the LICENSE file. // Package rate provides a rate limiter. package rate import ( "context" "fmt" "math" "sync" "time" ) // Limit defines the maximum frequency of some events. // Limit is represented as number of events per second. // A zero Limit allows no events. type Limit float64 // Inf is the infinite rate limit; it allows all events (even if burst is zero). const Inf = Limit(math.MaxFloat64) // Every converts a minimum time interval between events to a Limit. func Every(interval time.Duration) Limit { if interval <= 0 { return Inf } return 1 / Limit(interval.Seconds()) } // A Limiter controls how frequently events are allowed to happen. // It implements a "token bucket" of size b, initially full and refilled // at rate r tokens per second. // Informally, in any large enough time interval, the Limiter limits the // rate to r tokens per second, with a maximum burst size of b events. // As a special case, if r == Inf (the infinite rate), b is ignored. // See path_to_url for more about token buckets. // // The zero value is a valid Limiter, but it will reject all events. // Use NewLimiter to create non-zero Limiters. // // Limiter has three main methods, Allow, Reserve, and Wait. // Most callers should use Wait. // // Each of the three methods consumes a single token. // They differ in their behavior when no token is available. // If no token is available, Allow returns false. // If no token is available, Reserve returns a reservation for a future token // and the amount of time the caller must wait before using it. // If no token is available, Wait blocks until one can be obtained // or its associated context.Context is canceled. // // The methods AllowN, ReserveN, and WaitN consume n tokens. type Limiter struct { mu sync.Mutex limit Limit burst int tokens float64 // last is the last time the limiter's tokens field was updated last time.Time // lastEvent is the latest time of a rate-limited event (past or future) lastEvent time.Time } // Limit returns the maximum overall event rate. func (lim *Limiter) Limit() Limit { lim.mu.Lock() defer lim.mu.Unlock() return lim.limit } // Burst returns the maximum burst size. Burst is the maximum number of tokens // that can be consumed in a single call to Allow, Reserve, or Wait, so higher // Burst values allow more events to happen at once. // A zero Burst allows no events, unless limit == Inf. func (lim *Limiter) Burst() int { lim.mu.Lock() defer lim.mu.Unlock() return lim.burst } // TokensAt returns the number of tokens available at time t. func (lim *Limiter) TokensAt(t time.Time) float64 { lim.mu.Lock() _, tokens := lim.advance(t) // does not mutate lim lim.mu.Unlock() return tokens } // Tokens returns the number of tokens available now. func (lim *Limiter) Tokens() float64 { return lim.TokensAt(time.Now()) } // NewLimiter returns a new Limiter that allows events up to rate r and permits // bursts of at most b tokens. func NewLimiter(r Limit, b int) *Limiter { return &Limiter{ limit: r, burst: b, } } // Allow reports whether an event may happen now. func (lim *Limiter) Allow() bool { return lim.AllowN(time.Now(), 1) } // AllowN reports whether n events may happen at time t. // Use this method if you intend to drop / skip events that exceed the rate limit. // Otherwise use Reserve or Wait. func (lim *Limiter) AllowN(t time.Time, n int) bool { return lim.reserveN(t, n, 0).ok } // A Reservation holds information about events that are permitted by a Limiter to happen after a delay. // A Reservation may be canceled, which may enable the Limiter to permit additional events. type Reservation struct { ok bool lim *Limiter tokens int timeToAct time.Time // This is the Limit at reservation time, it can change later. limit Limit } // OK returns whether the limiter can provide the requested number of tokens // within the maximum wait time. If OK is false, Delay returns InfDuration, and // Cancel does nothing. func (r *Reservation) OK() bool { return r.ok } // Delay is shorthand for DelayFrom(time.Now()). func (r *Reservation) Delay() time.Duration { return r.DelayFrom(time.Now()) } // InfDuration is the duration returned by Delay when a Reservation is not OK. const InfDuration = time.Duration(math.MaxInt64) // DelayFrom returns the duration for which the reservation holder must wait // before taking the reserved action. Zero duration means act immediately. // InfDuration means the limiter cannot grant the tokens requested in this // Reservation within the maximum wait time. func (r *Reservation) DelayFrom(t time.Time) time.Duration { if !r.ok { return InfDuration } delay := r.timeToAct.Sub(t) if delay < 0 { return 0 } return delay } // Cancel is shorthand for CancelAt(time.Now()). func (r *Reservation) Cancel() { r.CancelAt(time.Now()) } // CancelAt indicates that the reservation holder will not perform the reserved action // and reverses the effects of this Reservation on the rate limit as much as possible, // considering that other reservations may have already been made. func (r *Reservation) CancelAt(t time.Time) { if !r.ok { return } r.lim.mu.Lock() defer r.lim.mu.Unlock() if r.lim.limit == Inf || r.tokens == 0 || r.timeToAct.Before(t) { return } // calculate tokens to restore // The duration between lim.lastEvent and r.timeToAct tells us how many tokens were reserved // after r was obtained. These tokens should not be restored. restoreTokens := float64(r.tokens) - r.limit.tokensFromDuration(r.lim.lastEvent.Sub(r.timeToAct)) if restoreTokens <= 0 { return } // advance time to now t, tokens := r.lim.advance(t) // calculate new number of tokens tokens += restoreTokens if burst := float64(r.lim.burst); tokens > burst { tokens = burst } // update state r.lim.last = t r.lim.tokens = tokens if r.timeToAct == r.lim.lastEvent { prevEvent := r.timeToAct.Add(r.limit.durationFromTokens(float64(-r.tokens))) if !prevEvent.Before(t) { r.lim.lastEvent = prevEvent } } } // Reserve is shorthand for ReserveN(time.Now(), 1). func (lim *Limiter) Reserve() *Reservation { return lim.ReserveN(time.Now(), 1) } // ReserveN returns a Reservation that indicates how long the caller must wait before n events happen. // The Limiter takes this Reservation into account when allowing future events. // The returned Reservations OK() method returns false if n exceeds the Limiter's burst size. // Usage example: // // r := lim.ReserveN(time.Now(), 1) // if !r.OK() { // // Not allowed to act! Did you remember to set lim.burst to be > 0 ? // return // } // time.Sleep(r.Delay()) // Act() // // Use this method if you wish to wait and slow down in accordance with the rate limit without dropping events. // If you need to respect a deadline or cancel the delay, use Wait instead. // To drop or skip events exceeding rate limit, use Allow instead. func (lim *Limiter) ReserveN(t time.Time, n int) *Reservation { r := lim.reserveN(t, n, InfDuration) return &r } // Wait is shorthand for WaitN(ctx, 1). func (lim *Limiter) Wait(ctx context.Context) (err error) { return lim.WaitN(ctx, 1) } // WaitN blocks until lim permits n events to happen. // It returns an error if n exceeds the Limiter's burst size, the Context is // canceled, or the expected wait time exceeds the Context's Deadline. // The burst limit is ignored if the rate limit is Inf. func (lim *Limiter) WaitN(ctx context.Context, n int) (err error) { // The test code calls lim.wait with a fake timer generator. // This is the real timer generator. newTimer := func(d time.Duration) (<-chan time.Time, func() bool, func()) { timer := time.NewTimer(d) return timer.C, timer.Stop, func() {} } return lim.wait(ctx, n, time.Now(), newTimer) } // wait is the internal implementation of WaitN. func (lim *Limiter) wait(ctx context.Context, n int, t time.Time, newTimer func(d time.Duration) (<-chan time.Time, func() bool, func())) error { lim.mu.Lock() burst := lim.burst limit := lim.limit lim.mu.Unlock() if n > burst && limit != Inf { return fmt.Errorf("rate: Wait(n=%d) exceeds limiter's burst %d", n, burst) } // Check if ctx is already cancelled select { case <-ctx.Done(): return ctx.Err() default: } // Determine wait limit waitLimit := InfDuration if deadline, ok := ctx.Deadline(); ok { waitLimit = deadline.Sub(t) } // Reserve r := lim.reserveN(t, n, waitLimit) if !r.ok { return fmt.Errorf("rate: Wait(n=%d) would exceed context deadline", n) } // Wait if necessary delay := r.DelayFrom(t) if delay == 0 { return nil } ch, stop, advance := newTimer(delay) defer stop() advance() // only has an effect when testing select { case <-ch: // We can proceed. return nil case <-ctx.Done(): // Context was canceled before we could proceed. Cancel the // reservation, which may permit other events to proceed sooner. r.Cancel() return ctx.Err() } } // SetLimit is shorthand for SetLimitAt(time.Now(), newLimit). func (lim *Limiter) SetLimit(newLimit Limit) { lim.SetLimitAt(time.Now(), newLimit) } // SetLimitAt sets a new Limit for the limiter. The new Limit, and Burst, may be violated // or underutilized by those which reserved (using Reserve or Wait) but did not yet act // before SetLimitAt was called. func (lim *Limiter) SetLimitAt(t time.Time, newLimit Limit) { lim.mu.Lock() defer lim.mu.Unlock() t, tokens := lim.advance(t) lim.last = t lim.tokens = tokens lim.limit = newLimit } // SetBurst is shorthand for SetBurstAt(time.Now(), newBurst). func (lim *Limiter) SetBurst(newBurst int) { lim.SetBurstAt(time.Now(), newBurst) } // SetBurstAt sets a new burst size for the limiter. func (lim *Limiter) SetBurstAt(t time.Time, newBurst int) { lim.mu.Lock() defer lim.mu.Unlock() t, tokens := lim.advance(t) lim.last = t lim.tokens = tokens lim.burst = newBurst } // reserveN is a helper method for AllowN, ReserveN, and WaitN. // maxFutureReserve specifies the maximum reservation wait duration allowed. // reserveN returns Reservation, not *Reservation, to avoid allocation in AllowN and WaitN. func (lim *Limiter) reserveN(t time.Time, n int, maxFutureReserve time.Duration) Reservation { lim.mu.Lock() defer lim.mu.Unlock() if lim.limit == Inf { return Reservation{ ok: true, lim: lim, tokens: n, timeToAct: t, } } else if lim.limit == 0 { var ok bool if lim.burst >= n { ok = true lim.burst -= n } return Reservation{ ok: ok, lim: lim, tokens: lim.burst, timeToAct: t, } } t, tokens := lim.advance(t) // Calculate the remaining number of tokens resulting from the request. tokens -= float64(n) // Calculate the wait duration var waitDuration time.Duration if tokens < 0 { waitDuration = lim.limit.durationFromTokens(-tokens) } // Decide result ok := n <= lim.burst && waitDuration <= maxFutureReserve // Prepare reservation r := Reservation{ ok: ok, lim: lim, limit: lim.limit, } if ok { r.tokens = n r.timeToAct = t.Add(waitDuration) // Update state lim.last = t lim.tokens = tokens lim.lastEvent = r.timeToAct } return r } // advance calculates and returns an updated state for lim resulting from the passage of time. // lim is not changed. // advance requires that lim.mu is held. func (lim *Limiter) advance(t time.Time) (newT time.Time, newTokens float64) { last := lim.last if t.Before(last) { last = t } // Calculate the new number of tokens, due to time that passed. elapsed := t.Sub(last) delta := lim.limit.tokensFromDuration(elapsed) tokens := lim.tokens + delta if burst := float64(lim.burst); tokens > burst { tokens = burst } return t, tokens } // durationFromTokens is a unit conversion function from the number of tokens to the duration // of time it takes to accumulate them at a rate of limit tokens per second. func (limit Limit) durationFromTokens(tokens float64) time.Duration { if limit <= 0 { return InfDuration } seconds := tokens / float64(limit) return time.Duration(float64(time.Second) * seconds) } // tokensFromDuration is a unit conversion function from a time duration to the number of tokens // which could be accumulated during that duration at a rate of limit tokens per second. func (limit Limit) tokensFromDuration(d time.Duration) float64 { if limit <= 0 { return 0 } return d.Seconds() * float64(limit) } ```
André Foucher was a French modern pentathlete. He competed at the 1920 Summer Olympics. References External links Year of birth unknown Year of death unknown French male modern pentathletes Olympic modern pentathletes for France Modern pentathletes at the 1920 Summer Olympics
Cymothoe althea, the western glider, is a butterfly in the family Nymphalidae. It is found in Guinea, Sierra Leone, Liberia, Ivory Coast, Ghana and Nigeria. The habitat consists of wetter forests. Subspecies Cymothoe althea althea (Guinea, Sierra Leone, Liberia, Ivory Coast, Ghana) Cymothoe althea bobi Collins & Larsen, 2000 (eastern Nigeria) References Butterflies described in 1776 Cymothoe (butterfly) Taxa named by Pieter Cramer
```java /* * * * path_to_url * * Unless required by applicable law or agreed to in writing, software * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. */ package bt.data.digest; import java.lang.ref.SoftReference; import java.util.function.Function; import java.util.function.Supplier; public class SoftThreadLocal<T> extends ThreadLocal<SoftReference<T>> { protected final Supplier<T> supplier; protected final Function<? super T, ? extends T> onGet; public SoftThreadLocal(Supplier<T> supplier) { this(supplier, null); } public SoftThreadLocal(Supplier<T> supplier, Function<? super T, ? extends T> onGet) { this.supplier = supplier; this.onGet = onGet; } protected T init() { return supplier.get(); } public T getValue() { SoftReference<T> reference = get(); T t = reference.get(); if (t == null) { t = init(); setValue(t); } if (onGet != null) t = onGet.apply(t); return t; } public final void setValue(T t) { set(new SoftReference<T>(t)); } @Override protected final SoftReference<T> initialValue() { return new SoftReference<T>(init()); } } ```
```javascript /** * @author Yosuke Ota * @fileoverview Rule to disalow whitespace that is not a tab or space, whitespace inside strings and comments are allowed */ 'use strict' const utils = require('../utils') const ALL_IRREGULARS = /[\f\v\u0085\uFEFF\u00A0\u1680\u180E\u2000\u2001\u2002\u2003\u2004\u2005\u2006\u2007\u2008\u2009\u200A\u200B\u202F\u205F\u3000\u2028\u2029]/u const IRREGULAR_WHITESPACE = /[\f\v\u0085\uFEFF\u00A0\u1680\u180E\u2000\u2001\u2002\u2003\u2004\u2005\u2006\u2007\u2008\u2009\u200A\u200B\u202F\u205F\u3000]+/gmu const IRREGULAR_LINE_TERMINATORS = /[\u2028\u2029]/gmu module.exports = { meta: { type: 'problem', docs: { description: 'disallow irregular whitespace in `.vue` files', categories: undefined, url: 'path_to_url extensionSource: { url: 'path_to_url name: 'ESLint core' } }, schema: [ { type: 'object', properties: { skipComments: { type: 'boolean', default: false }, skipStrings: { type: 'boolean', default: true }, skipTemplates: { type: 'boolean', default: false }, skipRegExps: { type: 'boolean', default: false }, skipHTMLAttributeValues: { type: 'boolean', default: false }, skipHTMLTextContents: { type: 'boolean', default: false } }, additionalProperties: false } ], messages: { disallow: 'Irregular whitespace not allowed.' } }, /** * @param {RuleContext} context - The rule context. * @returns {RuleListener} AST event handlers. */ create(context) { // Module store of error indexes that we have found /** @type {number[]} */ let errorIndexes = [] // Lookup the `skipComments` option, which defaults to `false`. const options = context.options[0] || {} const skipComments = !!options.skipComments const skipStrings = options.skipStrings !== false const skipRegExps = !!options.skipRegExps const skipTemplates = !!options.skipTemplates const skipHTMLAttributeValues = !!options.skipHTMLAttributeValues const skipHTMLTextContents = !!options.skipHTMLTextContents const sourceCode = context.getSourceCode() /** * Removes errors that occur inside a string node * @param {ASTNode | Token} node to check for matching errors. * @returns {void} * @private */ function removeWhitespaceError(node) { const [startIndex, endIndex] = node.range errorIndexes = errorIndexes.filter( (errorIndex) => errorIndex < startIndex || endIndex <= errorIndex ) } /** * Checks literal nodes for errors that we are choosing to ignore and calls the relevant methods to remove the errors * @param {Literal} node to check for matching errors. * @returns {void} * @private */ function removeInvalidNodeErrorsInLiteral(node) { const shouldCheckStrings = skipStrings && typeof node.value === 'string' const shouldCheckRegExps = skipRegExps && Boolean(node.regex) // If we have irregular characters, remove them from the errors list if ( (shouldCheckStrings || shouldCheckRegExps) && ALL_IRREGULARS.test(sourceCode.getText(node)) ) { removeWhitespaceError(node) } } /** * Checks template string literal nodes for errors that we are choosing to ignore and calls the relevant methods to remove the errors * @param {TemplateElement} node to check for matching errors. * @returns {void} * @private */ function removeInvalidNodeErrorsInTemplateLiteral(node) { if (ALL_IRREGULARS.test(node.value.raw)) { removeWhitespaceError(node) } } /** * Checks HTML attribute value nodes for errors that we are choosing to ignore and calls the relevant methods to remove the errors * @param {VLiteral} node to check for matching errors. * @returns {void} * @private */ function removeInvalidNodeErrorsInHTMLAttributeValue(node) { if (ALL_IRREGULARS.test(sourceCode.getText(node))) { removeWhitespaceError(node) } } /** * Checks HTML text content nodes for errors that we are choosing to ignore and calls the relevant methods to remove the errors * @param {VText} node to check for matching errors. * @returns {void} * @private */ function removeInvalidNodeErrorsInHTMLTextContent(node) { if (ALL_IRREGULARS.test(sourceCode.getText(node))) { removeWhitespaceError(node) } } /** * Checks comment nodes for errors that we are choosing to ignore and calls the relevant methods to remove the errors * @param {Comment | HTMLComment | HTMLBogusComment} node to check for matching errors. * @returns {void} * @private */ function removeInvalidNodeErrorsInComment(node) { if (ALL_IRREGULARS.test(node.value)) { removeWhitespaceError(node) } } /** * Checks the program source for irregular whitespaces and irregular line terminators * @returns {void} * @private */ function checkForIrregularWhitespace() { const source = sourceCode.getText() let match while ((match = IRREGULAR_WHITESPACE.exec(source)) !== null) { errorIndexes.push(match.index) } while ((match = IRREGULAR_LINE_TERMINATORS.exec(source)) !== null) { errorIndexes.push(match.index) } } checkForIrregularWhitespace() if (errorIndexes.length === 0) { return {} } const bodyVisitor = utils.defineTemplateBodyVisitor(context, { ...(skipHTMLAttributeValues ? { 'VAttribute[directive=false] > VLiteral': removeInvalidNodeErrorsInHTMLAttributeValue } : {}), ...(skipHTMLTextContents ? { VText: removeInvalidNodeErrorsInHTMLTextContent } : {}), // inline scripts Literal: removeInvalidNodeErrorsInLiteral, ...(skipTemplates ? { TemplateElement: removeInvalidNodeErrorsInTemplateLiteral } : {}) }) return { ...bodyVisitor, Literal: removeInvalidNodeErrorsInLiteral, ...(skipTemplates ? { TemplateElement: removeInvalidNodeErrorsInTemplateLiteral } : {}), 'Program:exit'(node) { if (bodyVisitor['Program:exit']) { bodyVisitor['Program:exit'](node) } const templateBody = node.templateBody if (skipComments) { // First strip errors occurring in comment nodes. for (const node of sourceCode.getAllComments()) { removeInvalidNodeErrorsInComment(node) } if (templateBody) { for (const node of templateBody.comments) { removeInvalidNodeErrorsInComment(node) } } } // Removes errors that occur outside script and template const [scriptStart, scriptEnd] = node.range const [templateStart, templateEnd] = templateBody ? templateBody.range : [0, 0] errorIndexes = errorIndexes.filter( (errorIndex) => (scriptStart <= errorIndex && errorIndex < scriptEnd) || (templateStart <= errorIndex && errorIndex < templateEnd) ) // If we have any errors remaining, report on them for (const errorIndex of errorIndexes) { context.report({ loc: sourceCode.getLocFromIndex(errorIndex), messageId: 'disallow' }) } } } } } ```
J.D. Tippit (September 18, 1924 – November 22, 1963) was an American World War II U.S. Army veteran and police officer who served as an 11-year veteran with the Dallas Police Department. About 45 minutes after the assassination of John F. Kennedy on November 22, 1963, Tippit was shot and killed in a residential neighborhood in the Oak Cliff section of Dallas, Texas by Lee Harvey Oswald. Oswald was initially arrested for the murder of Tippit and was subsequently charged for killing Kennedy. Oswald was murdered by Jack Ruby, a Dallas nightclub owner, two days later. Early life Officer Tippit was born near the town of Annona, Texas, in Red River County. He was the eldest of seven children to Edgar Lee Tippit (1902–2006) and Lizzie Mae "May Bug" Rush (1905–1990). The Tippit and Burns families were of English ancestry, their ancestors having immigrated to Virginia from England by 1635. It is sometimes reported that J. D. stood for "Jefferson Davis", but in fact, the letters did not stand for anything. Tippit attended public schools through the tenth grade and was raised as a Baptist, a faith he practiced for the rest of his life. In the fall of 1939, when he was 15 years old, his family moved to Baker Lane, a stretch of dirt road six miles southwest from Clarksville, Texas. Military service He saw service in World War II when he entered the United States Army on July 21, 1944. He volunteered for the paratroopers, part of the newly-formed airborne forces, and after finishing his training he was sent to Europe, in January 1945, and was assigned to the 513th Parachute Infantry Regiment (513th PIR), part of the 17th Airborne Division, which had recently fought in the Battle of the Bulge and suffered heavy casualties. He saw combat in Operation Varsity, the airborne crossing of the Rhine River in March 1945, earning a Bronze Star, and remained on active duty until June 20, 1946. Career Tippit began working for the Dearborn Stove Company in 1946. He next worked for Sears, Roebuck and Company in the installation department from March 1948 to September 1949 when he was laid off. Tippit and his wife Marie moved to Lone Star, Texas, where Tippit attempted to farm and raise cattle. In January 1950, Tippit enrolled in a Veterans Administration vocational training school at Bogata, Texas. He left the school in June 1952. After several setbacks as a farmer and rancher, Tippit decided to become a police officer. The Tippit family then relocated to Dallas where Tippit was hired by the Dallas Police Department as a patrolman in July 1952. During his time with the Dallas Police Department, Tippit was cited twice for bravery. At the time of his death, Tippit was earning a monthly salary of $490 () as a Dallas police officer. He was also working two part-time jobs; he worked at Austin's Barbecue restaurant on Friday and Saturday nights and at the Stevens Park Theatre on Sundays. Murder and investigation On November 22, 1963, Tippit was working beat number 78, his normal patrol area in south Oak Cliff, a residential area of Dallas. At 12:45 p.m., 15 minutes after Kennedy was shot, Tippit received a radio order to drive to the central Oak Cliff area as part of a concentration of police around the center of the city. At 12:54, Tippit radioed that he had moved as directed. By then, several messages had been broadcast describing a suspect in the shooting at Dealey Plaza as a slender white male, in his early 30s, tall, and weighing about . Oswald was a slender white male, 24 years old, tall, and an estimated weight of at autopsy. At approximately 1:11–1:14 p.m., Tippit was driving slowly eastward on East 10th Street — about past the intersection of 10th Street and Patton Avenue — when he pulled alongside a man who resembled the police description. Oswald walked over to Tippit's car and exchanged words with him through an open vent window. Tippit opened his car door and as he (Tippit) walked toward the front of the car, Oswald drew his handgun and fired five shots in rapid succession. Three bullets hit Tippit in the chest, another in his right temple, one bullet missed him altogether. Tippit's body was transported from the scene of the shooting by ambulance to Methodist Hospital, where he was pronounced dead at 1:25 p.m. by Dr. Richard A. Liguori. A short time later, Hardy's shoe store manager Johnny Brewer observed Oswald acting suspiciously as police cars passed nearby with sirens blaring. Oswald then ducked into the Texas Theatre without purchasing a ticket. The police were notified by the theater's cashier and responded by surrounding the theater. Oswald was arrested after a brief struggle. Twelve people who witnessed the shooting or its aftermath were mentioned in the Warren Report. Domingo Benavides saw Tippit standing by the left door of his parked police car, and a man standing on the right side of the car. He then heard three shots and saw Tippit fall to the ground. Benavides stopped his pickup truck on the opposite side of the street from Tippit's car. He observed the shooter fleeing the scene and removing two spent cartridge cases from his gun as he left. Benavides waited in his truck until the gunman disappeared, and then "a few minutes" more, before assisting Tippit. He then tried, unsuccessfully, to use the radio in Tippit's car to report the shooting to police headquarters. Then another, unidentified person used the radio in the car and reported the shooting to a police operator for the first time. After that, Ted Callaway, who was Benavides' boss at the used car lot and a former Marine, also used the radio and reported the shooting (hearing in response that the police already know about it). Callaway testified that he had seen the shooter with the gun "in a raised pistol position", and shouted at him, but what the shooter responded was unintelligible. Helen Markham witnessed the shooting and then saw a man with a gun in his hand leave the scene. Markham identified Oswald as Tippit's killer in a police lineup she viewed that evening. Barbara Davis and her sister-in-law Virginia Davis heard the shots and saw a man crossing their lawn, shaking his revolver, as if he were emptying it of cartridge cases. Later, the women found two cartridge cases near the crime scene and handed the cases over to police (two other cartridge cases were handed to a policeman by Benavides). That evening, Barbara Davis and Virginia Davis were taken to a lineup and both Davises picked out Oswald as the man whom they had seen. Taxicab driver William Scoggins testified that he was sitting nearby in his cab when he saw Tippit's police car pull up alongside a man on the sidewalk. Scoggins heard three or four shots and then saw Tippit fall to the ground. As Scoggins crouched behind his cab, the man passed within 12 feet of him, pistol in hand, muttering what sounded to him like, "poor dumb cop" or "poor damn cop." The next day, Scoggins viewed a police lineup and identified Oswald as the man whom he had seen with the pistol. The Commission also named several other witnesses who were not at the scene of the murder, but who identified Oswald running between the murder scene and the Texas Theatre, where Oswald was subsequently arrested. It was the unanimous testimony of expert witnesses before the Warren Commission that these spent cartridge cases were fired from the revolver in Oswald's possession to the exclusion of all other weapons. Out of the four bullets recovered from Tippit's body, only one (according to Nicol) or none (according to Cunningham) could be positively identified as having been fired from Oswald's revolver; the others "could have" been fired from that revolver, but there was no certain match. When the revolver was test-fired by the FBI, it was reported that it was leaving inconsistent microscopic markings on the bullets, i.e. two consecutive bullets fired from it could not be matched to each other. This was because the revolver had been rechambered for .38 Special but not rebarreled for .38 Special, so the bullets were slightly undersized compared to the barrel, making their passage through the barrel "erratic". Extensive damage to the bullets (mutilation) was also noted. Later, the House Select Committee on Assassinations (HSCA) agreed with Cunningham's conclusion that none of the bullets found could be positively identified, or ruled out, as having been fired from Oswald's revolver. Still, when they test-fired the gun, they found that bullets fired from it could actually be matched to each other, if they were of the same type and manufacturer. There was a discrepancy between the four cartridge cases (2 Western, 2 Remington-Peters) and the four bullets (3 Western-Winchester, 1 Remington-Peters) found; one of the proposed explanations was that Oswald fired five shots, and one bullet and one cartridge case were not found. Upon his arrest and during subsequent questionings by police, Oswald denied any involvement in Tippit's murder. Based on eyewitness' statements and the gun found in Oswald's possession at the time of his arrest, he was formally charged with the murder of J. D. Tippit at 7:10 p.m. on November 22. During the course of the day, police began to suspect that Oswald was also involved in the shooting of Kennedy. At approximately 1:00 am on November 23, Oswald was also charged with assassinating President John F. Kennedy. Oswald continued to maintain his innocence in connection with both murders. In the late morning of November 24, while being transported from the Dallas City Jail to the Dallas County Jail, Oswald was fatally shot in the abdomen by Dallas nightclub owner Jack Ruby. The shooting was broadcast throughout the United States and Canada on live television. As Oswald was killed before he was tried for either crime, President Lyndon B. Johnson commissioned a committee of US Senators, Congressmen and elder statesmen to investigate the events surrounding the deaths of Kennedy, Tippit, and Oswald in an effort to answer questions regarding the events. President Johnson also hoped to quell rumors that arose after Oswald was shot by Jack Ruby that the assassination and subsequent shootings were part of a conspiracy. The committee, known as the Warren Commission (named for the commission chairman, Chief Justice Earl Warren), spent ten months investigating the murders and interviewing witnesses. On September 24, 1964, the Warren Commission released an 888-page report that concluded there was no evidence of a conspiracy and Oswald had acted alone in killing Kennedy and Tippit. The report also concluded that Jack Ruby acted alone in the killing of Oswald. In 1979, the HSCA reported: "Based on Oswald's possession of the murder weapon a short time after the murder and the eyewitness identifications of Oswald as the gunman, the committee concluded that Oswald shot and killed Tippit." Conspiracy theories Some conspiracy theorists have alleged that the murder of Tippit was part of a conspiracy to kill Kennedy, implying that two murders could not have happened so closely together by coincidence. Warren Commission attorney David Belin referred to Tippit's killing as the "Rosetta Stone to the JFK assassination". Some conspiracy theorists dispute that Oswald shot Tippit, alleging that the physical evidence and witness testimony do not support that conclusion. New Orleans district attorney Jim Garrison, who investigated the assassination of John F. Kennedy and brought evidence in his 1969 trial of businessman Clay Shaw, contended in his book On the Trail of the Assassins that the witness testimony and handling of evidence in the Tippit murder was flawed and that it was doubtful that Oswald was the killer or even at the scene of the crime. According to Garrison, numerous witnesses who were not interviewed by the Warren Commission reported seeing two men fleeing the scene of Tippit's murder. He also claimed that Helen Markham, the Warren Commission's star witness, expressed uncertainty as to her identification of Oswald in the police lineup. Garrison also claimed that bullets recovered from Tippit's body were from two different manufacturers (that was actually what the Warren Commission stated), and the gun found on Oswald at his arrest did not match the cartridges found at the scene. Garrison accused the Dallas Police Department of mishandling the evidence and of possibly firing Oswald's revolver to produce bullet cartridges for the FBI to link to his gun. Other conspiracy theorists allege that Tippit himself was a conspirator, tasked to kill Oswald by organized crime or right-wing politicians in order to cover up the search for other assassins. Aftermath On the evening of the assassination, both Attorney General Robert F. Kennedy and the new President, Lyndon B. Johnson, called Tippit's widow to express their sympathies. Jacqueline Kennedy wrote a letter expressing sorrow for the bond they shared. The plight of Tippit's family also moved much of the nation and a total of $647,579 was donated to them () following the assassination. One of the largest individual gifts was $25,000 that Dallas businessman Abraham Zapruder donated to Marie Tippit after selling his film of the president's assassination to Life magazine. A televised funeral service for Tippit was held on November 25, 1963, at the Beckley Hills Baptist Church, attended by about 2,000 people, at least 800 of them police colleagues. Police outriders attended the hearse on its way to the burial at the newly established Memorial Court of Honor at the Laurel Land Memorial Park in Dallas. His funeral was held on the same day as those of both Kennedy and Oswald. In January 1964, Tippit was posthumously awarded the Medal of Valor from the American Police Hall of Fame, and he also received the Police Medal of Honor, the Police Cross, and the Citizens Traffic Commission Award of Heroism. A state historical marker memorializing Tippit was unveiled November 20, 2012, at the location where the shooting occurred. Tippit's widow married Dallas police lieutenant Harry Dean Thomas in January 1967. They were married until his death in 1982. Marie Tippit later married Carl Flinner; the marriage ended in divorce after which Marie resumed using the surname of Tippit. Personal life Tippit married Marie Frances Gasway on December 26, 1946. Marie died at age 92 on March 2, 2021. The couple had three children: Charles Allan (1950–2014), Brenda Kay (born 1953) and Curtis Glenn (born 1958). In popular culture In films, Tippit has been portrayed by Price Carson in 1991's JFK, and David Duchovny in 1992's Ruby. He was also portrayed by Matt Micou in the 2013 television drama Killing Kennedy. Notes References Further reading External links , Oak Cliff Press (Dale K. Myers) "Officer J. D. Tippit", Officer Down Memorial Page 1924 births 1963 deaths 1963 murders in the United States American people of English descent American police officers killed in the line of duty Baptists from Texas Burials in Texas Dallas Police Department officers Deaths by firearm in Texas Male murder victims Military personnel from Texas People associated with the assassination of John F. Kennedy People from Oak Cliff, Texas People from Red River County, Texas People murdered in Texas United States Army personnel of World War II United States Army soldiers
```go // This file was generated by go generate; DO NOT EDIT package bidi // UnicodeVersion is the Unicode version from which the tables in this package are derived. const UnicodeVersion = "9.0.0" // xorMasks contains masks to be xor-ed with brackets to get the reverse // version. var xorMasks = []int32{ // 8 elements 0, 1, 6, 7, 3, 15, 29, 63, } // Size: 56 bytes // lookup returns the trie value for the first UTF-8 encoding in s and // the width in bytes of this encoding. The size will be 0 if s does not // hold enough bytes to complete the encoding. len(s) must be greater than 0. func (t *bidiTrie) lookup(s []byte) (v uint8, sz int) { c0 := s[0] switch { case c0 < 0x80: // is ASCII return bidiValues[c0], 1 case c0 < 0xC2: return 0, 1 // Illegal UTF-8: not a starter, not ASCII. case c0 < 0xE0: // 2-byte UTF-8 if len(s) < 2 { return 0, 0 } i := bidiIndex[c0] c1 := s[1] if c1 < 0x80 || 0xC0 <= c1 { return 0, 1 // Illegal UTF-8: not a continuation byte. } return t.lookupValue(uint32(i), c1), 2 case c0 < 0xF0: // 3-byte UTF-8 if len(s) < 3 { return 0, 0 } i := bidiIndex[c0] c1 := s[1] if c1 < 0x80 || 0xC0 <= c1 { return 0, 1 // Illegal UTF-8: not a continuation byte. } o := uint32(i)<<6 + uint32(c1) i = bidiIndex[o] c2 := s[2] if c2 < 0x80 || 0xC0 <= c2 { return 0, 2 // Illegal UTF-8: not a continuation byte. } return t.lookupValue(uint32(i), c2), 3 case c0 < 0xF8: // 4-byte UTF-8 if len(s) < 4 { return 0, 0 } i := bidiIndex[c0] c1 := s[1] if c1 < 0x80 || 0xC0 <= c1 { return 0, 1 // Illegal UTF-8: not a continuation byte. } o := uint32(i)<<6 + uint32(c1) i = bidiIndex[o] c2 := s[2] if c2 < 0x80 || 0xC0 <= c2 { return 0, 2 // Illegal UTF-8: not a continuation byte. } o = uint32(i)<<6 + uint32(c2) i = bidiIndex[o] c3 := s[3] if c3 < 0x80 || 0xC0 <= c3 { return 0, 3 // Illegal UTF-8: not a continuation byte. } return t.lookupValue(uint32(i), c3), 4 } // Illegal rune return 0, 1 } // lookupUnsafe returns the trie value for the first UTF-8 encoding in s. // s must start with a full and valid UTF-8 encoded rune. func (t *bidiTrie) lookupUnsafe(s []byte) uint8 { c0 := s[0] if c0 < 0x80 { // is ASCII return bidiValues[c0] } i := bidiIndex[c0] if c0 < 0xE0 { // 2-byte UTF-8 return t.lookupValue(uint32(i), s[1]) } i = bidiIndex[uint32(i)<<6+uint32(s[1])] if c0 < 0xF0 { // 3-byte UTF-8 return t.lookupValue(uint32(i), s[2]) } i = bidiIndex[uint32(i)<<6+uint32(s[2])] if c0 < 0xF8 { // 4-byte UTF-8 return t.lookupValue(uint32(i), s[3]) } return 0 } // lookupString returns the trie value for the first UTF-8 encoding in s and // the width in bytes of this encoding. The size will be 0 if s does not // hold enough bytes to complete the encoding. len(s) must be greater than 0. func (t *bidiTrie) lookupString(s string) (v uint8, sz int) { c0 := s[0] switch { case c0 < 0x80: // is ASCII return bidiValues[c0], 1 case c0 < 0xC2: return 0, 1 // Illegal UTF-8: not a starter, not ASCII. case c0 < 0xE0: // 2-byte UTF-8 if len(s) < 2 { return 0, 0 } i := bidiIndex[c0] c1 := s[1] if c1 < 0x80 || 0xC0 <= c1 { return 0, 1 // Illegal UTF-8: not a continuation byte. } return t.lookupValue(uint32(i), c1), 2 case c0 < 0xF0: // 3-byte UTF-8 if len(s) < 3 { return 0, 0 } i := bidiIndex[c0] c1 := s[1] if c1 < 0x80 || 0xC0 <= c1 { return 0, 1 // Illegal UTF-8: not a continuation byte. } o := uint32(i)<<6 + uint32(c1) i = bidiIndex[o] c2 := s[2] if c2 < 0x80 || 0xC0 <= c2 { return 0, 2 // Illegal UTF-8: not a continuation byte. } return t.lookupValue(uint32(i), c2), 3 case c0 < 0xF8: // 4-byte UTF-8 if len(s) < 4 { return 0, 0 } i := bidiIndex[c0] c1 := s[1] if c1 < 0x80 || 0xC0 <= c1 { return 0, 1 // Illegal UTF-8: not a continuation byte. } o := uint32(i)<<6 + uint32(c1) i = bidiIndex[o] c2 := s[2] if c2 < 0x80 || 0xC0 <= c2 { return 0, 2 // Illegal UTF-8: not a continuation byte. } o = uint32(i)<<6 + uint32(c2) i = bidiIndex[o] c3 := s[3] if c3 < 0x80 || 0xC0 <= c3 { return 0, 3 // Illegal UTF-8: not a continuation byte. } return t.lookupValue(uint32(i), c3), 4 } // Illegal rune return 0, 1 } // lookupStringUnsafe returns the trie value for the first UTF-8 encoding in s. // s must start with a full and valid UTF-8 encoded rune. func (t *bidiTrie) lookupStringUnsafe(s string) uint8 { c0 := s[0] if c0 < 0x80 { // is ASCII return bidiValues[c0] } i := bidiIndex[c0] if c0 < 0xE0 { // 2-byte UTF-8 return t.lookupValue(uint32(i), s[1]) } i = bidiIndex[uint32(i)<<6+uint32(s[1])] if c0 < 0xF0 { // 3-byte UTF-8 return t.lookupValue(uint32(i), s[2]) } i = bidiIndex[uint32(i)<<6+uint32(s[2])] if c0 < 0xF8 { // 4-byte UTF-8 return t.lookupValue(uint32(i), s[3]) } return 0 } // bidiTrie. Total size: 15744 bytes (15.38 KiB). Checksum: b4c3b70954803b86. type bidiTrie struct{} func newBidiTrie(i int) *bidiTrie { return &bidiTrie{} } // lookupValue determines the type of block n and looks up the value for b. func (t *bidiTrie) lookupValue(n uint32, b byte) uint8 { switch { default: return uint8(bidiValues[n<<6+uint32(b)]) } } // bidiValues: 222 blocks, 14208 entries, 14208 bytes // The third block is the zero block. var bidiValues = [14208]uint8{ // Block 0x0, offset 0x0 0x00: 0x000b, 0x01: 0x000b, 0x02: 0x000b, 0x03: 0x000b, 0x04: 0x000b, 0x05: 0x000b, 0x06: 0x000b, 0x07: 0x000b, 0x08: 0x000b, 0x09: 0x0008, 0x0a: 0x0007, 0x0b: 0x0008, 0x0c: 0x0009, 0x0d: 0x0007, 0x0e: 0x000b, 0x0f: 0x000b, 0x10: 0x000b, 0x11: 0x000b, 0x12: 0x000b, 0x13: 0x000b, 0x14: 0x000b, 0x15: 0x000b, 0x16: 0x000b, 0x17: 0x000b, 0x18: 0x000b, 0x19: 0x000b, 0x1a: 0x000b, 0x1b: 0x000b, 0x1c: 0x0007, 0x1d: 0x0007, 0x1e: 0x0007, 0x1f: 0x0008, 0x20: 0x0009, 0x21: 0x000a, 0x22: 0x000a, 0x23: 0x0004, 0x24: 0x0004, 0x25: 0x0004, 0x26: 0x000a, 0x27: 0x000a, 0x28: 0x003a, 0x29: 0x002a, 0x2a: 0x000a, 0x2b: 0x0003, 0x2c: 0x0006, 0x2d: 0x0003, 0x2e: 0x0006, 0x2f: 0x0006, 0x30: 0x0002, 0x31: 0x0002, 0x32: 0x0002, 0x33: 0x0002, 0x34: 0x0002, 0x35: 0x0002, 0x36: 0x0002, 0x37: 0x0002, 0x38: 0x0002, 0x39: 0x0002, 0x3a: 0x0006, 0x3b: 0x000a, 0x3c: 0x000a, 0x3d: 0x000a, 0x3e: 0x000a, 0x3f: 0x000a, // Block 0x1, offset 0x40 0x40: 0x000a, 0x5b: 0x005a, 0x5c: 0x000a, 0x5d: 0x004a, 0x5e: 0x000a, 0x5f: 0x000a, 0x60: 0x000a, 0x7b: 0x005a, 0x7c: 0x000a, 0x7d: 0x004a, 0x7e: 0x000a, 0x7f: 0x000b, // Block 0x2, offset 0x80 // Block 0x3, offset 0xc0 0xc0: 0x000b, 0xc1: 0x000b, 0xc2: 0x000b, 0xc3: 0x000b, 0xc4: 0x000b, 0xc5: 0x0007, 0xc6: 0x000b, 0xc7: 0x000b, 0xc8: 0x000b, 0xc9: 0x000b, 0xca: 0x000b, 0xcb: 0x000b, 0xcc: 0x000b, 0xcd: 0x000b, 0xce: 0x000b, 0xcf: 0x000b, 0xd0: 0x000b, 0xd1: 0x000b, 0xd2: 0x000b, 0xd3: 0x000b, 0xd4: 0x000b, 0xd5: 0x000b, 0xd6: 0x000b, 0xd7: 0x000b, 0xd8: 0x000b, 0xd9: 0x000b, 0xda: 0x000b, 0xdb: 0x000b, 0xdc: 0x000b, 0xdd: 0x000b, 0xde: 0x000b, 0xdf: 0x000b, 0xe0: 0x0006, 0xe1: 0x000a, 0xe2: 0x0004, 0xe3: 0x0004, 0xe4: 0x0004, 0xe5: 0x0004, 0xe6: 0x000a, 0xe7: 0x000a, 0xe8: 0x000a, 0xe9: 0x000a, 0xeb: 0x000a, 0xec: 0x000a, 0xed: 0x000b, 0xee: 0x000a, 0xef: 0x000a, 0xf0: 0x0004, 0xf1: 0x0004, 0xf2: 0x0002, 0xf3: 0x0002, 0xf4: 0x000a, 0xf6: 0x000a, 0xf7: 0x000a, 0xf8: 0x000a, 0xf9: 0x0002, 0xfb: 0x000a, 0xfc: 0x000a, 0xfd: 0x000a, 0xfe: 0x000a, 0xff: 0x000a, // Block 0x4, offset 0x100 0x117: 0x000a, 0x137: 0x000a, // Block 0x5, offset 0x140 0x179: 0x000a, 0x17a: 0x000a, // Block 0x6, offset 0x180 0x182: 0x000a, 0x183: 0x000a, 0x184: 0x000a, 0x185: 0x000a, 0x186: 0x000a, 0x187: 0x000a, 0x188: 0x000a, 0x189: 0x000a, 0x18a: 0x000a, 0x18b: 0x000a, 0x18c: 0x000a, 0x18d: 0x000a, 0x18e: 0x000a, 0x18f: 0x000a, 0x192: 0x000a, 0x193: 0x000a, 0x194: 0x000a, 0x195: 0x000a, 0x196: 0x000a, 0x197: 0x000a, 0x198: 0x000a, 0x199: 0x000a, 0x19a: 0x000a, 0x19b: 0x000a, 0x19c: 0x000a, 0x19d: 0x000a, 0x19e: 0x000a, 0x19f: 0x000a, 0x1a5: 0x000a, 0x1a6: 0x000a, 0x1a7: 0x000a, 0x1a8: 0x000a, 0x1a9: 0x000a, 0x1aa: 0x000a, 0x1ab: 0x000a, 0x1ac: 0x000a, 0x1ad: 0x000a, 0x1af: 0x000a, 0x1b0: 0x000a, 0x1b1: 0x000a, 0x1b2: 0x000a, 0x1b3: 0x000a, 0x1b4: 0x000a, 0x1b5: 0x000a, 0x1b6: 0x000a, 0x1b7: 0x000a, 0x1b8: 0x000a, 0x1b9: 0x000a, 0x1ba: 0x000a, 0x1bb: 0x000a, 0x1bc: 0x000a, 0x1bd: 0x000a, 0x1be: 0x000a, 0x1bf: 0x000a, // Block 0x7, offset 0x1c0 0x1c0: 0x000c, 0x1c1: 0x000c, 0x1c2: 0x000c, 0x1c3: 0x000c, 0x1c4: 0x000c, 0x1c5: 0x000c, 0x1c6: 0x000c, 0x1c7: 0x000c, 0x1c8: 0x000c, 0x1c9: 0x000c, 0x1ca: 0x000c, 0x1cb: 0x000c, 0x1cc: 0x000c, 0x1cd: 0x000c, 0x1ce: 0x000c, 0x1cf: 0x000c, 0x1d0: 0x000c, 0x1d1: 0x000c, 0x1d2: 0x000c, 0x1d3: 0x000c, 0x1d4: 0x000c, 0x1d5: 0x000c, 0x1d6: 0x000c, 0x1d7: 0x000c, 0x1d8: 0x000c, 0x1d9: 0x000c, 0x1da: 0x000c, 0x1db: 0x000c, 0x1dc: 0x000c, 0x1dd: 0x000c, 0x1de: 0x000c, 0x1df: 0x000c, 0x1e0: 0x000c, 0x1e1: 0x000c, 0x1e2: 0x000c, 0x1e3: 0x000c, 0x1e4: 0x000c, 0x1e5: 0x000c, 0x1e6: 0x000c, 0x1e7: 0x000c, 0x1e8: 0x000c, 0x1e9: 0x000c, 0x1ea: 0x000c, 0x1eb: 0x000c, 0x1ec: 0x000c, 0x1ed: 0x000c, 0x1ee: 0x000c, 0x1ef: 0x000c, 0x1f0: 0x000c, 0x1f1: 0x000c, 0x1f2: 0x000c, 0x1f3: 0x000c, 0x1f4: 0x000c, 0x1f5: 0x000c, 0x1f6: 0x000c, 0x1f7: 0x000c, 0x1f8: 0x000c, 0x1f9: 0x000c, 0x1fa: 0x000c, 0x1fb: 0x000c, 0x1fc: 0x000c, 0x1fd: 0x000c, 0x1fe: 0x000c, 0x1ff: 0x000c, // Block 0x8, offset 0x200 0x200: 0x000c, 0x201: 0x000c, 0x202: 0x000c, 0x203: 0x000c, 0x204: 0x000c, 0x205: 0x000c, 0x206: 0x000c, 0x207: 0x000c, 0x208: 0x000c, 0x209: 0x000c, 0x20a: 0x000c, 0x20b: 0x000c, 0x20c: 0x000c, 0x20d: 0x000c, 0x20e: 0x000c, 0x20f: 0x000c, 0x210: 0x000c, 0x211: 0x000c, 0x212: 0x000c, 0x213: 0x000c, 0x214: 0x000c, 0x215: 0x000c, 0x216: 0x000c, 0x217: 0x000c, 0x218: 0x000c, 0x219: 0x000c, 0x21a: 0x000c, 0x21b: 0x000c, 0x21c: 0x000c, 0x21d: 0x000c, 0x21e: 0x000c, 0x21f: 0x000c, 0x220: 0x000c, 0x221: 0x000c, 0x222: 0x000c, 0x223: 0x000c, 0x224: 0x000c, 0x225: 0x000c, 0x226: 0x000c, 0x227: 0x000c, 0x228: 0x000c, 0x229: 0x000c, 0x22a: 0x000c, 0x22b: 0x000c, 0x22c: 0x000c, 0x22d: 0x000c, 0x22e: 0x000c, 0x22f: 0x000c, 0x234: 0x000a, 0x235: 0x000a, 0x23e: 0x000a, // Block 0x9, offset 0x240 0x244: 0x000a, 0x245: 0x000a, 0x247: 0x000a, // Block 0xa, offset 0x280 0x2b6: 0x000a, // Block 0xb, offset 0x2c0 0x2c3: 0x000c, 0x2c4: 0x000c, 0x2c5: 0x000c, 0x2c6: 0x000c, 0x2c7: 0x000c, 0x2c8: 0x000c, 0x2c9: 0x000c, // Block 0xc, offset 0x300 0x30a: 0x000a, 0x30d: 0x000a, 0x30e: 0x000a, 0x30f: 0x0004, 0x310: 0x0001, 0x311: 0x000c, 0x312: 0x000c, 0x313: 0x000c, 0x314: 0x000c, 0x315: 0x000c, 0x316: 0x000c, 0x317: 0x000c, 0x318: 0x000c, 0x319: 0x000c, 0x31a: 0x000c, 0x31b: 0x000c, 0x31c: 0x000c, 0x31d: 0x000c, 0x31e: 0x000c, 0x31f: 0x000c, 0x320: 0x000c, 0x321: 0x000c, 0x322: 0x000c, 0x323: 0x000c, 0x324: 0x000c, 0x325: 0x000c, 0x326: 0x000c, 0x327: 0x000c, 0x328: 0x000c, 0x329: 0x000c, 0x32a: 0x000c, 0x32b: 0x000c, 0x32c: 0x000c, 0x32d: 0x000c, 0x32e: 0x000c, 0x32f: 0x000c, 0x330: 0x000c, 0x331: 0x000c, 0x332: 0x000c, 0x333: 0x000c, 0x334: 0x000c, 0x335: 0x000c, 0x336: 0x000c, 0x337: 0x000c, 0x338: 0x000c, 0x339: 0x000c, 0x33a: 0x000c, 0x33b: 0x000c, 0x33c: 0x000c, 0x33d: 0x000c, 0x33e: 0x0001, 0x33f: 0x000c, // Block 0xd, offset 0x340 0x340: 0x0001, 0x341: 0x000c, 0x342: 0x000c, 0x343: 0x0001, 0x344: 0x000c, 0x345: 0x000c, 0x346: 0x0001, 0x347: 0x000c, 0x348: 0x0001, 0x349: 0x0001, 0x34a: 0x0001, 0x34b: 0x0001, 0x34c: 0x0001, 0x34d: 0x0001, 0x34e: 0x0001, 0x34f: 0x0001, 0x350: 0x0001, 0x351: 0x0001, 0x352: 0x0001, 0x353: 0x0001, 0x354: 0x0001, 0x355: 0x0001, 0x356: 0x0001, 0x357: 0x0001, 0x358: 0x0001, 0x359: 0x0001, 0x35a: 0x0001, 0x35b: 0x0001, 0x35c: 0x0001, 0x35d: 0x0001, 0x35e: 0x0001, 0x35f: 0x0001, 0x360: 0x0001, 0x361: 0x0001, 0x362: 0x0001, 0x363: 0x0001, 0x364: 0x0001, 0x365: 0x0001, 0x366: 0x0001, 0x367: 0x0001, 0x368: 0x0001, 0x369: 0x0001, 0x36a: 0x0001, 0x36b: 0x0001, 0x36c: 0x0001, 0x36d: 0x0001, 0x36e: 0x0001, 0x36f: 0x0001, 0x370: 0x0001, 0x371: 0x0001, 0x372: 0x0001, 0x373: 0x0001, 0x374: 0x0001, 0x375: 0x0001, 0x376: 0x0001, 0x377: 0x0001, 0x378: 0x0001, 0x379: 0x0001, 0x37a: 0x0001, 0x37b: 0x0001, 0x37c: 0x0001, 0x37d: 0x0001, 0x37e: 0x0001, 0x37f: 0x0001, // Block 0xe, offset 0x380 0x380: 0x0005, 0x381: 0x0005, 0x382: 0x0005, 0x383: 0x0005, 0x384: 0x0005, 0x385: 0x0005, 0x386: 0x000a, 0x387: 0x000a, 0x388: 0x000d, 0x389: 0x0004, 0x38a: 0x0004, 0x38b: 0x000d, 0x38c: 0x0006, 0x38d: 0x000d, 0x38e: 0x000a, 0x38f: 0x000a, 0x390: 0x000c, 0x391: 0x000c, 0x392: 0x000c, 0x393: 0x000c, 0x394: 0x000c, 0x395: 0x000c, 0x396: 0x000c, 0x397: 0x000c, 0x398: 0x000c, 0x399: 0x000c, 0x39a: 0x000c, 0x39b: 0x000d, 0x39c: 0x000d, 0x39d: 0x000d, 0x39e: 0x000d, 0x39f: 0x000d, 0x3a0: 0x000d, 0x3a1: 0x000d, 0x3a2: 0x000d, 0x3a3: 0x000d, 0x3a4: 0x000d, 0x3a5: 0x000d, 0x3a6: 0x000d, 0x3a7: 0x000d, 0x3a8: 0x000d, 0x3a9: 0x000d, 0x3aa: 0x000d, 0x3ab: 0x000d, 0x3ac: 0x000d, 0x3ad: 0x000d, 0x3ae: 0x000d, 0x3af: 0x000d, 0x3b0: 0x000d, 0x3b1: 0x000d, 0x3b2: 0x000d, 0x3b3: 0x000d, 0x3b4: 0x000d, 0x3b5: 0x000d, 0x3b6: 0x000d, 0x3b7: 0x000d, 0x3b8: 0x000d, 0x3b9: 0x000d, 0x3ba: 0x000d, 0x3bb: 0x000d, 0x3bc: 0x000d, 0x3bd: 0x000d, 0x3be: 0x000d, 0x3bf: 0x000d, // Block 0xf, offset 0x3c0 0x3c0: 0x000d, 0x3c1: 0x000d, 0x3c2: 0x000d, 0x3c3: 0x000d, 0x3c4: 0x000d, 0x3c5: 0x000d, 0x3c6: 0x000d, 0x3c7: 0x000d, 0x3c8: 0x000d, 0x3c9: 0x000d, 0x3ca: 0x000d, 0x3cb: 0x000c, 0x3cc: 0x000c, 0x3cd: 0x000c, 0x3ce: 0x000c, 0x3cf: 0x000c, 0x3d0: 0x000c, 0x3d1: 0x000c, 0x3d2: 0x000c, 0x3d3: 0x000c, 0x3d4: 0x000c, 0x3d5: 0x000c, 0x3d6: 0x000c, 0x3d7: 0x000c, 0x3d8: 0x000c, 0x3d9: 0x000c, 0x3da: 0x000c, 0x3db: 0x000c, 0x3dc: 0x000c, 0x3dd: 0x000c, 0x3de: 0x000c, 0x3df: 0x000c, 0x3e0: 0x0005, 0x3e1: 0x0005, 0x3e2: 0x0005, 0x3e3: 0x0005, 0x3e4: 0x0005, 0x3e5: 0x0005, 0x3e6: 0x0005, 0x3e7: 0x0005, 0x3e8: 0x0005, 0x3e9: 0x0005, 0x3ea: 0x0004, 0x3eb: 0x0005, 0x3ec: 0x0005, 0x3ed: 0x000d, 0x3ee: 0x000d, 0x3ef: 0x000d, 0x3f0: 0x000c, 0x3f1: 0x000d, 0x3f2: 0x000d, 0x3f3: 0x000d, 0x3f4: 0x000d, 0x3f5: 0x000d, 0x3f6: 0x000d, 0x3f7: 0x000d, 0x3f8: 0x000d, 0x3f9: 0x000d, 0x3fa: 0x000d, 0x3fb: 0x000d, 0x3fc: 0x000d, 0x3fd: 0x000d, 0x3fe: 0x000d, 0x3ff: 0x000d, // Block 0x10, offset 0x400 0x400: 0x000d, 0x401: 0x000d, 0x402: 0x000d, 0x403: 0x000d, 0x404: 0x000d, 0x405: 0x000d, 0x406: 0x000d, 0x407: 0x000d, 0x408: 0x000d, 0x409: 0x000d, 0x40a: 0x000d, 0x40b: 0x000d, 0x40c: 0x000d, 0x40d: 0x000d, 0x40e: 0x000d, 0x40f: 0x000d, 0x410: 0x000d, 0x411: 0x000d, 0x412: 0x000d, 0x413: 0x000d, 0x414: 0x000d, 0x415: 0x000d, 0x416: 0x000d, 0x417: 0x000d, 0x418: 0x000d, 0x419: 0x000d, 0x41a: 0x000d, 0x41b: 0x000d, 0x41c: 0x000d, 0x41d: 0x000d, 0x41e: 0x000d, 0x41f: 0x000d, 0x420: 0x000d, 0x421: 0x000d, 0x422: 0x000d, 0x423: 0x000d, 0x424: 0x000d, 0x425: 0x000d, 0x426: 0x000d, 0x427: 0x000d, 0x428: 0x000d, 0x429: 0x000d, 0x42a: 0x000d, 0x42b: 0x000d, 0x42c: 0x000d, 0x42d: 0x000d, 0x42e: 0x000d, 0x42f: 0x000d, 0x430: 0x000d, 0x431: 0x000d, 0x432: 0x000d, 0x433: 0x000d, 0x434: 0x000d, 0x435: 0x000d, 0x436: 0x000d, 0x437: 0x000d, 0x438: 0x000d, 0x439: 0x000d, 0x43a: 0x000d, 0x43b: 0x000d, 0x43c: 0x000d, 0x43d: 0x000d, 0x43e: 0x000d, 0x43f: 0x000d, // Block 0x11, offset 0x440 0x440: 0x000d, 0x441: 0x000d, 0x442: 0x000d, 0x443: 0x000d, 0x444: 0x000d, 0x445: 0x000d, 0x446: 0x000d, 0x447: 0x000d, 0x448: 0x000d, 0x449: 0x000d, 0x44a: 0x000d, 0x44b: 0x000d, 0x44c: 0x000d, 0x44d: 0x000d, 0x44e: 0x000d, 0x44f: 0x000d, 0x450: 0x000d, 0x451: 0x000d, 0x452: 0x000d, 0x453: 0x000d, 0x454: 0x000d, 0x455: 0x000d, 0x456: 0x000c, 0x457: 0x000c, 0x458: 0x000c, 0x459: 0x000c, 0x45a: 0x000c, 0x45b: 0x000c, 0x45c: 0x000c, 0x45d: 0x0005, 0x45e: 0x000a, 0x45f: 0x000c, 0x460: 0x000c, 0x461: 0x000c, 0x462: 0x000c, 0x463: 0x000c, 0x464: 0x000c, 0x465: 0x000d, 0x466: 0x000d, 0x467: 0x000c, 0x468: 0x000c, 0x469: 0x000a, 0x46a: 0x000c, 0x46b: 0x000c, 0x46c: 0x000c, 0x46d: 0x000c, 0x46e: 0x000d, 0x46f: 0x000d, 0x470: 0x0002, 0x471: 0x0002, 0x472: 0x0002, 0x473: 0x0002, 0x474: 0x0002, 0x475: 0x0002, 0x476: 0x0002, 0x477: 0x0002, 0x478: 0x0002, 0x479: 0x0002, 0x47a: 0x000d, 0x47b: 0x000d, 0x47c: 0x000d, 0x47d: 0x000d, 0x47e: 0x000d, 0x47f: 0x000d, // Block 0x12, offset 0x480 0x480: 0x000d, 0x481: 0x000d, 0x482: 0x000d, 0x483: 0x000d, 0x484: 0x000d, 0x485: 0x000d, 0x486: 0x000d, 0x487: 0x000d, 0x488: 0x000d, 0x489: 0x000d, 0x48a: 0x000d, 0x48b: 0x000d, 0x48c: 0x000d, 0x48d: 0x000d, 0x48e: 0x000d, 0x48f: 0x000d, 0x490: 0x000d, 0x491: 0x000c, 0x492: 0x000d, 0x493: 0x000d, 0x494: 0x000d, 0x495: 0x000d, 0x496: 0x000d, 0x497: 0x000d, 0x498: 0x000d, 0x499: 0x000d, 0x49a: 0x000d, 0x49b: 0x000d, 0x49c: 0x000d, 0x49d: 0x000d, 0x49e: 0x000d, 0x49f: 0x000d, 0x4a0: 0x000d, 0x4a1: 0x000d, 0x4a2: 0x000d, 0x4a3: 0x000d, 0x4a4: 0x000d, 0x4a5: 0x000d, 0x4a6: 0x000d, 0x4a7: 0x000d, 0x4a8: 0x000d, 0x4a9: 0x000d, 0x4aa: 0x000d, 0x4ab: 0x000d, 0x4ac: 0x000d, 0x4ad: 0x000d, 0x4ae: 0x000d, 0x4af: 0x000d, 0x4b0: 0x000c, 0x4b1: 0x000c, 0x4b2: 0x000c, 0x4b3: 0x000c, 0x4b4: 0x000c, 0x4b5: 0x000c, 0x4b6: 0x000c, 0x4b7: 0x000c, 0x4b8: 0x000c, 0x4b9: 0x000c, 0x4ba: 0x000c, 0x4bb: 0x000c, 0x4bc: 0x000c, 0x4bd: 0x000c, 0x4be: 0x000c, 0x4bf: 0x000c, // Block 0x13, offset 0x4c0 0x4c0: 0x000c, 0x4c1: 0x000c, 0x4c2: 0x000c, 0x4c3: 0x000c, 0x4c4: 0x000c, 0x4c5: 0x000c, 0x4c6: 0x000c, 0x4c7: 0x000c, 0x4c8: 0x000c, 0x4c9: 0x000c, 0x4ca: 0x000c, 0x4cb: 0x000d, 0x4cc: 0x000d, 0x4cd: 0x000d, 0x4ce: 0x000d, 0x4cf: 0x000d, 0x4d0: 0x000d, 0x4d1: 0x000d, 0x4d2: 0x000d, 0x4d3: 0x000d, 0x4d4: 0x000d, 0x4d5: 0x000d, 0x4d6: 0x000d, 0x4d7: 0x000d, 0x4d8: 0x000d, 0x4d9: 0x000d, 0x4da: 0x000d, 0x4db: 0x000d, 0x4dc: 0x000d, 0x4dd: 0x000d, 0x4de: 0x000d, 0x4df: 0x000d, 0x4e0: 0x000d, 0x4e1: 0x000d, 0x4e2: 0x000d, 0x4e3: 0x000d, 0x4e4: 0x000d, 0x4e5: 0x000d, 0x4e6: 0x000d, 0x4e7: 0x000d, 0x4e8: 0x000d, 0x4e9: 0x000d, 0x4ea: 0x000d, 0x4eb: 0x000d, 0x4ec: 0x000d, 0x4ed: 0x000d, 0x4ee: 0x000d, 0x4ef: 0x000d, 0x4f0: 0x000d, 0x4f1: 0x000d, 0x4f2: 0x000d, 0x4f3: 0x000d, 0x4f4: 0x000d, 0x4f5: 0x000d, 0x4f6: 0x000d, 0x4f7: 0x000d, 0x4f8: 0x000d, 0x4f9: 0x000d, 0x4fa: 0x000d, 0x4fb: 0x000d, 0x4fc: 0x000d, 0x4fd: 0x000d, 0x4fe: 0x000d, 0x4ff: 0x000d, // Block 0x14, offset 0x500 0x500: 0x000d, 0x501: 0x000d, 0x502: 0x000d, 0x503: 0x000d, 0x504: 0x000d, 0x505: 0x000d, 0x506: 0x000d, 0x507: 0x000d, 0x508: 0x000d, 0x509: 0x000d, 0x50a: 0x000d, 0x50b: 0x000d, 0x50c: 0x000d, 0x50d: 0x000d, 0x50e: 0x000d, 0x50f: 0x000d, 0x510: 0x000d, 0x511: 0x000d, 0x512: 0x000d, 0x513: 0x000d, 0x514: 0x000d, 0x515: 0x000d, 0x516: 0x000d, 0x517: 0x000d, 0x518: 0x000d, 0x519: 0x000d, 0x51a: 0x000d, 0x51b: 0x000d, 0x51c: 0x000d, 0x51d: 0x000d, 0x51e: 0x000d, 0x51f: 0x000d, 0x520: 0x000d, 0x521: 0x000d, 0x522: 0x000d, 0x523: 0x000d, 0x524: 0x000d, 0x525: 0x000d, 0x526: 0x000c, 0x527: 0x000c, 0x528: 0x000c, 0x529: 0x000c, 0x52a: 0x000c, 0x52b: 0x000c, 0x52c: 0x000c, 0x52d: 0x000c, 0x52e: 0x000c, 0x52f: 0x000c, 0x530: 0x000c, 0x531: 0x000d, 0x532: 0x000d, 0x533: 0x000d, 0x534: 0x000d, 0x535: 0x000d, 0x536: 0x000d, 0x537: 0x000d, 0x538: 0x000d, 0x539: 0x000d, 0x53a: 0x000d, 0x53b: 0x000d, 0x53c: 0x000d, 0x53d: 0x000d, 0x53e: 0x000d, 0x53f: 0x000d, // Block 0x15, offset 0x540 0x540: 0x0001, 0x541: 0x0001, 0x542: 0x0001, 0x543: 0x0001, 0x544: 0x0001, 0x545: 0x0001, 0x546: 0x0001, 0x547: 0x0001, 0x548: 0x0001, 0x549: 0x0001, 0x54a: 0x0001, 0x54b: 0x0001, 0x54c: 0x0001, 0x54d: 0x0001, 0x54e: 0x0001, 0x54f: 0x0001, 0x550: 0x0001, 0x551: 0x0001, 0x552: 0x0001, 0x553: 0x0001, 0x554: 0x0001, 0x555: 0x0001, 0x556: 0x0001, 0x557: 0x0001, 0x558: 0x0001, 0x559: 0x0001, 0x55a: 0x0001, 0x55b: 0x0001, 0x55c: 0x0001, 0x55d: 0x0001, 0x55e: 0x0001, 0x55f: 0x0001, 0x560: 0x0001, 0x561: 0x0001, 0x562: 0x0001, 0x563: 0x0001, 0x564: 0x0001, 0x565: 0x0001, 0x566: 0x0001, 0x567: 0x0001, 0x568: 0x0001, 0x569: 0x0001, 0x56a: 0x0001, 0x56b: 0x000c, 0x56c: 0x000c, 0x56d: 0x000c, 0x56e: 0x000c, 0x56f: 0x000c, 0x570: 0x000c, 0x571: 0x000c, 0x572: 0x000c, 0x573: 0x000c, 0x574: 0x0001, 0x575: 0x0001, 0x576: 0x000a, 0x577: 0x000a, 0x578: 0x000a, 0x579: 0x000a, 0x57a: 0x0001, 0x57b: 0x0001, 0x57c: 0x0001, 0x57d: 0x0001, 0x57e: 0x0001, 0x57f: 0x0001, // Block 0x16, offset 0x580 0x580: 0x0001, 0x581: 0x0001, 0x582: 0x0001, 0x583: 0x0001, 0x584: 0x0001, 0x585: 0x0001, 0x586: 0x0001, 0x587: 0x0001, 0x588: 0x0001, 0x589: 0x0001, 0x58a: 0x0001, 0x58b: 0x0001, 0x58c: 0x0001, 0x58d: 0x0001, 0x58e: 0x0001, 0x58f: 0x0001, 0x590: 0x0001, 0x591: 0x0001, 0x592: 0x0001, 0x593: 0x0001, 0x594: 0x0001, 0x595: 0x0001, 0x596: 0x000c, 0x597: 0x000c, 0x598: 0x000c, 0x599: 0x000c, 0x59a: 0x0001, 0x59b: 0x000c, 0x59c: 0x000c, 0x59d: 0x000c, 0x59e: 0x000c, 0x59f: 0x000c, 0x5a0: 0x000c, 0x5a1: 0x000c, 0x5a2: 0x000c, 0x5a3: 0x000c, 0x5a4: 0x0001, 0x5a5: 0x000c, 0x5a6: 0x000c, 0x5a7: 0x000c, 0x5a8: 0x0001, 0x5a9: 0x000c, 0x5aa: 0x000c, 0x5ab: 0x000c, 0x5ac: 0x000c, 0x5ad: 0x000c, 0x5ae: 0x0001, 0x5af: 0x0001, 0x5b0: 0x0001, 0x5b1: 0x0001, 0x5b2: 0x0001, 0x5b3: 0x0001, 0x5b4: 0x0001, 0x5b5: 0x0001, 0x5b6: 0x0001, 0x5b7: 0x0001, 0x5b8: 0x0001, 0x5b9: 0x0001, 0x5ba: 0x0001, 0x5bb: 0x0001, 0x5bc: 0x0001, 0x5bd: 0x0001, 0x5be: 0x0001, 0x5bf: 0x0001, // Block 0x17, offset 0x5c0 0x5c0: 0x0001, 0x5c1: 0x0001, 0x5c2: 0x0001, 0x5c3: 0x0001, 0x5c4: 0x0001, 0x5c5: 0x0001, 0x5c6: 0x0001, 0x5c7: 0x0001, 0x5c8: 0x0001, 0x5c9: 0x0001, 0x5ca: 0x0001, 0x5cb: 0x0001, 0x5cc: 0x0001, 0x5cd: 0x0001, 0x5ce: 0x0001, 0x5cf: 0x0001, 0x5d0: 0x0001, 0x5d1: 0x0001, 0x5d2: 0x0001, 0x5d3: 0x0001, 0x5d4: 0x0001, 0x5d5: 0x0001, 0x5d6: 0x0001, 0x5d7: 0x0001, 0x5d8: 0x0001, 0x5d9: 0x000c, 0x5da: 0x000c, 0x5db: 0x000c, 0x5dc: 0x0001, 0x5dd: 0x0001, 0x5de: 0x0001, 0x5df: 0x0001, 0x5e0: 0x0001, 0x5e1: 0x0001, 0x5e2: 0x0001, 0x5e3: 0x0001, 0x5e4: 0x0001, 0x5e5: 0x0001, 0x5e6: 0x0001, 0x5e7: 0x0001, 0x5e8: 0x0001, 0x5e9: 0x0001, 0x5ea: 0x0001, 0x5eb: 0x0001, 0x5ec: 0x0001, 0x5ed: 0x0001, 0x5ee: 0x0001, 0x5ef: 0x0001, 0x5f0: 0x0001, 0x5f1: 0x0001, 0x5f2: 0x0001, 0x5f3: 0x0001, 0x5f4: 0x0001, 0x5f5: 0x0001, 0x5f6: 0x0001, 0x5f7: 0x0001, 0x5f8: 0x0001, 0x5f9: 0x0001, 0x5fa: 0x0001, 0x5fb: 0x0001, 0x5fc: 0x0001, 0x5fd: 0x0001, 0x5fe: 0x0001, 0x5ff: 0x0001, // Block 0x18, offset 0x600 0x600: 0x0001, 0x601: 0x0001, 0x602: 0x0001, 0x603: 0x0001, 0x604: 0x0001, 0x605: 0x0001, 0x606: 0x0001, 0x607: 0x0001, 0x608: 0x0001, 0x609: 0x0001, 0x60a: 0x0001, 0x60b: 0x0001, 0x60c: 0x0001, 0x60d: 0x0001, 0x60e: 0x0001, 0x60f: 0x0001, 0x610: 0x0001, 0x611: 0x0001, 0x612: 0x0001, 0x613: 0x0001, 0x614: 0x0001, 0x615: 0x0001, 0x616: 0x0001, 0x617: 0x0001, 0x618: 0x0001, 0x619: 0x0001, 0x61a: 0x0001, 0x61b: 0x0001, 0x61c: 0x0001, 0x61d: 0x0001, 0x61e: 0x0001, 0x61f: 0x0001, 0x620: 0x000d, 0x621: 0x000d, 0x622: 0x000d, 0x623: 0x000d, 0x624: 0x000d, 0x625: 0x000d, 0x626: 0x000d, 0x627: 0x000d, 0x628: 0x000d, 0x629: 0x000d, 0x62a: 0x000d, 0x62b: 0x000d, 0x62c: 0x000d, 0x62d: 0x000d, 0x62e: 0x000d, 0x62f: 0x000d, 0x630: 0x000d, 0x631: 0x000d, 0x632: 0x000d, 0x633: 0x000d, 0x634: 0x000d, 0x635: 0x000d, 0x636: 0x000d, 0x637: 0x000d, 0x638: 0x000d, 0x639: 0x000d, 0x63a: 0x000d, 0x63b: 0x000d, 0x63c: 0x000d, 0x63d: 0x000d, 0x63e: 0x000d, 0x63f: 0x000d, // Block 0x19, offset 0x640 0x640: 0x000d, 0x641: 0x000d, 0x642: 0x000d, 0x643: 0x000d, 0x644: 0x000d, 0x645: 0x000d, 0x646: 0x000d, 0x647: 0x000d, 0x648: 0x000d, 0x649: 0x000d, 0x64a: 0x000d, 0x64b: 0x000d, 0x64c: 0x000d, 0x64d: 0x000d, 0x64e: 0x000d, 0x64f: 0x000d, 0x650: 0x000d, 0x651: 0x000d, 0x652: 0x000d, 0x653: 0x000d, 0x654: 0x000c, 0x655: 0x000c, 0x656: 0x000c, 0x657: 0x000c, 0x658: 0x000c, 0x659: 0x000c, 0x65a: 0x000c, 0x65b: 0x000c, 0x65c: 0x000c, 0x65d: 0x000c, 0x65e: 0x000c, 0x65f: 0x000c, 0x660: 0x000c, 0x661: 0x000c, 0x662: 0x0005, 0x663: 0x000c, 0x664: 0x000c, 0x665: 0x000c, 0x666: 0x000c, 0x667: 0x000c, 0x668: 0x000c, 0x669: 0x000c, 0x66a: 0x000c, 0x66b: 0x000c, 0x66c: 0x000c, 0x66d: 0x000c, 0x66e: 0x000c, 0x66f: 0x000c, 0x670: 0x000c, 0x671: 0x000c, 0x672: 0x000c, 0x673: 0x000c, 0x674: 0x000c, 0x675: 0x000c, 0x676: 0x000c, 0x677: 0x000c, 0x678: 0x000c, 0x679: 0x000c, 0x67a: 0x000c, 0x67b: 0x000c, 0x67c: 0x000c, 0x67d: 0x000c, 0x67e: 0x000c, 0x67f: 0x000c, // Block 0x1a, offset 0x680 0x680: 0x000c, 0x681: 0x000c, 0x682: 0x000c, 0x6ba: 0x000c, 0x6bc: 0x000c, // Block 0x1b, offset 0x6c0 0x6c1: 0x000c, 0x6c2: 0x000c, 0x6c3: 0x000c, 0x6c4: 0x000c, 0x6c5: 0x000c, 0x6c6: 0x000c, 0x6c7: 0x000c, 0x6c8: 0x000c, 0x6cd: 0x000c, 0x6d1: 0x000c, 0x6d2: 0x000c, 0x6d3: 0x000c, 0x6d4: 0x000c, 0x6d5: 0x000c, 0x6d6: 0x000c, 0x6d7: 0x000c, 0x6e2: 0x000c, 0x6e3: 0x000c, // Block 0x1c, offset 0x700 0x701: 0x000c, 0x73c: 0x000c, // Block 0x1d, offset 0x740 0x741: 0x000c, 0x742: 0x000c, 0x743: 0x000c, 0x744: 0x000c, 0x74d: 0x000c, 0x762: 0x000c, 0x763: 0x000c, 0x772: 0x0004, 0x773: 0x0004, 0x77b: 0x0004, // Block 0x1e, offset 0x780 0x781: 0x000c, 0x782: 0x000c, 0x7bc: 0x000c, // Block 0x1f, offset 0x7c0 0x7c1: 0x000c, 0x7c2: 0x000c, 0x7c7: 0x000c, 0x7c8: 0x000c, 0x7cb: 0x000c, 0x7cc: 0x000c, 0x7cd: 0x000c, 0x7d1: 0x000c, 0x7f0: 0x000c, 0x7f1: 0x000c, 0x7f5: 0x000c, // Block 0x20, offset 0x800 0x801: 0x000c, 0x802: 0x000c, 0x803: 0x000c, 0x804: 0x000c, 0x805: 0x000c, 0x807: 0x000c, 0x808: 0x000c, 0x80d: 0x000c, 0x822: 0x000c, 0x823: 0x000c, 0x831: 0x0004, // Block 0x21, offset 0x840 0x841: 0x000c, 0x87c: 0x000c, 0x87f: 0x000c, // Block 0x22, offset 0x880 0x881: 0x000c, 0x882: 0x000c, 0x883: 0x000c, 0x884: 0x000c, 0x88d: 0x000c, 0x896: 0x000c, 0x8a2: 0x000c, 0x8a3: 0x000c, // Block 0x23, offset 0x8c0 0x8c2: 0x000c, // Block 0x24, offset 0x900 0x900: 0x000c, 0x90d: 0x000c, 0x933: 0x000a, 0x934: 0x000a, 0x935: 0x000a, 0x936: 0x000a, 0x937: 0x000a, 0x938: 0x000a, 0x939: 0x0004, 0x93a: 0x000a, // Block 0x25, offset 0x940 0x940: 0x000c, 0x97e: 0x000c, 0x97f: 0x000c, // Block 0x26, offset 0x980 0x980: 0x000c, 0x986: 0x000c, 0x987: 0x000c, 0x988: 0x000c, 0x98a: 0x000c, 0x98b: 0x000c, 0x98c: 0x000c, 0x98d: 0x000c, 0x995: 0x000c, 0x996: 0x000c, 0x9a2: 0x000c, 0x9a3: 0x000c, 0x9b8: 0x000a, 0x9b9: 0x000a, 0x9ba: 0x000a, 0x9bb: 0x000a, 0x9bc: 0x000a, 0x9bd: 0x000a, 0x9be: 0x000a, // Block 0x27, offset 0x9c0 0x9cc: 0x000c, 0x9cd: 0x000c, 0x9e2: 0x000c, 0x9e3: 0x000c, // Block 0x28, offset 0xa00 0xa01: 0x000c, // Block 0x29, offset 0xa40 0xa41: 0x000c, 0xa42: 0x000c, 0xa43: 0x000c, 0xa44: 0x000c, 0xa4d: 0x000c, 0xa62: 0x000c, 0xa63: 0x000c, // Block 0x2a, offset 0xa80 0xa8a: 0x000c, 0xa92: 0x000c, 0xa93: 0x000c, 0xa94: 0x000c, 0xa96: 0x000c, // Block 0x2b, offset 0xac0 0xaf1: 0x000c, 0xaf4: 0x000c, 0xaf5: 0x000c, 0xaf6: 0x000c, 0xaf7: 0x000c, 0xaf8: 0x000c, 0xaf9: 0x000c, 0xafa: 0x000c, 0xaff: 0x0004, // Block 0x2c, offset 0xb00 0xb07: 0x000c, 0xb08: 0x000c, 0xb09: 0x000c, 0xb0a: 0x000c, 0xb0b: 0x000c, 0xb0c: 0x000c, 0xb0d: 0x000c, 0xb0e: 0x000c, // Block 0x2d, offset 0xb40 0xb71: 0x000c, 0xb74: 0x000c, 0xb75: 0x000c, 0xb76: 0x000c, 0xb77: 0x000c, 0xb78: 0x000c, 0xb79: 0x000c, 0xb7b: 0x000c, 0xb7c: 0x000c, // Block 0x2e, offset 0xb80 0xb88: 0x000c, 0xb89: 0x000c, 0xb8a: 0x000c, 0xb8b: 0x000c, 0xb8c: 0x000c, 0xb8d: 0x000c, // Block 0x2f, offset 0xbc0 0xbd8: 0x000c, 0xbd9: 0x000c, 0xbf5: 0x000c, 0xbf7: 0x000c, 0xbf9: 0x000c, 0xbfa: 0x003a, 0xbfb: 0x002a, 0xbfc: 0x003a, 0xbfd: 0x002a, // Block 0x30, offset 0xc00 0xc31: 0x000c, 0xc32: 0x000c, 0xc33: 0x000c, 0xc34: 0x000c, 0xc35: 0x000c, 0xc36: 0x000c, 0xc37: 0x000c, 0xc38: 0x000c, 0xc39: 0x000c, 0xc3a: 0x000c, 0xc3b: 0x000c, 0xc3c: 0x000c, 0xc3d: 0x000c, 0xc3e: 0x000c, // Block 0x31, offset 0xc40 0xc40: 0x000c, 0xc41: 0x000c, 0xc42: 0x000c, 0xc43: 0x000c, 0xc44: 0x000c, 0xc46: 0x000c, 0xc47: 0x000c, 0xc4d: 0x000c, 0xc4e: 0x000c, 0xc4f: 0x000c, 0xc50: 0x000c, 0xc51: 0x000c, 0xc52: 0x000c, 0xc53: 0x000c, 0xc54: 0x000c, 0xc55: 0x000c, 0xc56: 0x000c, 0xc57: 0x000c, 0xc59: 0x000c, 0xc5a: 0x000c, 0xc5b: 0x000c, 0xc5c: 0x000c, 0xc5d: 0x000c, 0xc5e: 0x000c, 0xc5f: 0x000c, 0xc60: 0x000c, 0xc61: 0x000c, 0xc62: 0x000c, 0xc63: 0x000c, 0xc64: 0x000c, 0xc65: 0x000c, 0xc66: 0x000c, 0xc67: 0x000c, 0xc68: 0x000c, 0xc69: 0x000c, 0xc6a: 0x000c, 0xc6b: 0x000c, 0xc6c: 0x000c, 0xc6d: 0x000c, 0xc6e: 0x000c, 0xc6f: 0x000c, 0xc70: 0x000c, 0xc71: 0x000c, 0xc72: 0x000c, 0xc73: 0x000c, 0xc74: 0x000c, 0xc75: 0x000c, 0xc76: 0x000c, 0xc77: 0x000c, 0xc78: 0x000c, 0xc79: 0x000c, 0xc7a: 0x000c, 0xc7b: 0x000c, 0xc7c: 0x000c, // Block 0x32, offset 0xc80 0xc86: 0x000c, // Block 0x33, offset 0xcc0 0xced: 0x000c, 0xcee: 0x000c, 0xcef: 0x000c, 0xcf0: 0x000c, 0xcf2: 0x000c, 0xcf3: 0x000c, 0xcf4: 0x000c, 0xcf5: 0x000c, 0xcf6: 0x000c, 0xcf7: 0x000c, 0xcf9: 0x000c, 0xcfa: 0x000c, 0xcfd: 0x000c, 0xcfe: 0x000c, // Block 0x34, offset 0xd00 0xd18: 0x000c, 0xd19: 0x000c, 0xd1e: 0x000c, 0xd1f: 0x000c, 0xd20: 0x000c, 0xd31: 0x000c, 0xd32: 0x000c, 0xd33: 0x000c, 0xd34: 0x000c, // Block 0x35, offset 0xd40 0xd42: 0x000c, 0xd45: 0x000c, 0xd46: 0x000c, 0xd4d: 0x000c, 0xd5d: 0x000c, // Block 0x36, offset 0xd80 0xd9d: 0x000c, 0xd9e: 0x000c, 0xd9f: 0x000c, // Block 0x37, offset 0xdc0 0xdd0: 0x000a, 0xdd1: 0x000a, 0xdd2: 0x000a, 0xdd3: 0x000a, 0xdd4: 0x000a, 0xdd5: 0x000a, 0xdd6: 0x000a, 0xdd7: 0x000a, 0xdd8: 0x000a, 0xdd9: 0x000a, // Block 0x38, offset 0xe00 0xe00: 0x000a, // Block 0x39, offset 0xe40 0xe40: 0x0009, 0xe5b: 0x007a, 0xe5c: 0x006a, // Block 0x3a, offset 0xe80 0xe92: 0x000c, 0xe93: 0x000c, 0xe94: 0x000c, 0xeb2: 0x000c, 0xeb3: 0x000c, 0xeb4: 0x000c, // Block 0x3b, offset 0xec0 0xed2: 0x000c, 0xed3: 0x000c, 0xef2: 0x000c, 0xef3: 0x000c, // Block 0x3c, offset 0xf00 0xf34: 0x000c, 0xf35: 0x000c, 0xf37: 0x000c, 0xf38: 0x000c, 0xf39: 0x000c, 0xf3a: 0x000c, 0xf3b: 0x000c, 0xf3c: 0x000c, 0xf3d: 0x000c, // Block 0x3d, offset 0xf40 0xf46: 0x000c, 0xf49: 0x000c, 0xf4a: 0x000c, 0xf4b: 0x000c, 0xf4c: 0x000c, 0xf4d: 0x000c, 0xf4e: 0x000c, 0xf4f: 0x000c, 0xf50: 0x000c, 0xf51: 0x000c, 0xf52: 0x000c, 0xf53: 0x000c, 0xf5b: 0x0004, 0xf5d: 0x000c, 0xf70: 0x000a, 0xf71: 0x000a, 0xf72: 0x000a, 0xf73: 0x000a, 0xf74: 0x000a, 0xf75: 0x000a, 0xf76: 0x000a, 0xf77: 0x000a, 0xf78: 0x000a, 0xf79: 0x000a, // Block 0x3e, offset 0xf80 0xf80: 0x000a, 0xf81: 0x000a, 0xf82: 0x000a, 0xf83: 0x000a, 0xf84: 0x000a, 0xf85: 0x000a, 0xf86: 0x000a, 0xf87: 0x000a, 0xf88: 0x000a, 0xf89: 0x000a, 0xf8a: 0x000a, 0xf8b: 0x000c, 0xf8c: 0x000c, 0xf8d: 0x000c, 0xf8e: 0x000b, // Block 0x3f, offset 0xfc0 0xfc5: 0x000c, 0xfc6: 0x000c, 0xfe9: 0x000c, // Block 0x40, offset 0x1000 0x1020: 0x000c, 0x1021: 0x000c, 0x1022: 0x000c, 0x1027: 0x000c, 0x1028: 0x000c, 0x1032: 0x000c, 0x1039: 0x000c, 0x103a: 0x000c, 0x103b: 0x000c, // Block 0x41, offset 0x1040 0x1040: 0x000a, 0x1044: 0x000a, 0x1045: 0x000a, // Block 0x42, offset 0x1080 0x109e: 0x000a, 0x109f: 0x000a, 0x10a0: 0x000a, 0x10a1: 0x000a, 0x10a2: 0x000a, 0x10a3: 0x000a, 0x10a4: 0x000a, 0x10a5: 0x000a, 0x10a6: 0x000a, 0x10a7: 0x000a, 0x10a8: 0x000a, 0x10a9: 0x000a, 0x10aa: 0x000a, 0x10ab: 0x000a, 0x10ac: 0x000a, 0x10ad: 0x000a, 0x10ae: 0x000a, 0x10af: 0x000a, 0x10b0: 0x000a, 0x10b1: 0x000a, 0x10b2: 0x000a, 0x10b3: 0x000a, 0x10b4: 0x000a, 0x10b5: 0x000a, 0x10b6: 0x000a, 0x10b7: 0x000a, 0x10b8: 0x000a, 0x10b9: 0x000a, 0x10ba: 0x000a, 0x10bb: 0x000a, 0x10bc: 0x000a, 0x10bd: 0x000a, 0x10be: 0x000a, 0x10bf: 0x000a, // Block 0x43, offset 0x10c0 0x10d7: 0x000c, 0x10d8: 0x000c, 0x10db: 0x000c, // Block 0x44, offset 0x1100 0x1116: 0x000c, 0x1118: 0x000c, 0x1119: 0x000c, 0x111a: 0x000c, 0x111b: 0x000c, 0x111c: 0x000c, 0x111d: 0x000c, 0x111e: 0x000c, 0x1120: 0x000c, 0x1122: 0x000c, 0x1125: 0x000c, 0x1126: 0x000c, 0x1127: 0x000c, 0x1128: 0x000c, 0x1129: 0x000c, 0x112a: 0x000c, 0x112b: 0x000c, 0x112c: 0x000c, 0x1133: 0x000c, 0x1134: 0x000c, 0x1135: 0x000c, 0x1136: 0x000c, 0x1137: 0x000c, 0x1138: 0x000c, 0x1139: 0x000c, 0x113a: 0x000c, 0x113b: 0x000c, 0x113c: 0x000c, 0x113f: 0x000c, // Block 0x45, offset 0x1140 0x1170: 0x000c, 0x1171: 0x000c, 0x1172: 0x000c, 0x1173: 0x000c, 0x1174: 0x000c, 0x1175: 0x000c, 0x1176: 0x000c, 0x1177: 0x000c, 0x1178: 0x000c, 0x1179: 0x000c, 0x117a: 0x000c, 0x117b: 0x000c, 0x117c: 0x000c, 0x117d: 0x000c, 0x117e: 0x000c, // Block 0x46, offset 0x1180 0x1180: 0x000c, 0x1181: 0x000c, 0x1182: 0x000c, 0x1183: 0x000c, 0x11b4: 0x000c, 0x11b6: 0x000c, 0x11b7: 0x000c, 0x11b8: 0x000c, 0x11b9: 0x000c, 0x11ba: 0x000c, 0x11bc: 0x000c, // Block 0x47, offset 0x11c0 0x11c2: 0x000c, 0x11eb: 0x000c, 0x11ec: 0x000c, 0x11ed: 0x000c, 0x11ee: 0x000c, 0x11ef: 0x000c, 0x11f0: 0x000c, 0x11f1: 0x000c, 0x11f2: 0x000c, 0x11f3: 0x000c, // Block 0x48, offset 0x1200 0x1200: 0x000c, 0x1201: 0x000c, 0x1222: 0x000c, 0x1223: 0x000c, 0x1224: 0x000c, 0x1225: 0x000c, 0x1228: 0x000c, 0x1229: 0x000c, 0x122b: 0x000c, 0x122c: 0x000c, 0x122d: 0x000c, // Block 0x49, offset 0x1240 0x1266: 0x000c, 0x1268: 0x000c, 0x1269: 0x000c, 0x126d: 0x000c, 0x126f: 0x000c, 0x1270: 0x000c, 0x1271: 0x000c, // Block 0x4a, offset 0x1280 0x12ac: 0x000c, 0x12ad: 0x000c, 0x12ae: 0x000c, 0x12af: 0x000c, 0x12b0: 0x000c, 0x12b1: 0x000c, 0x12b2: 0x000c, 0x12b3: 0x000c, 0x12b6: 0x000c, 0x12b7: 0x000c, // Block 0x4b, offset 0x12c0 0x12d0: 0x000c, 0x12d1: 0x000c, 0x12d2: 0x000c, 0x12d4: 0x000c, 0x12d5: 0x000c, 0x12d6: 0x000c, 0x12d7: 0x000c, 0x12d8: 0x000c, 0x12d9: 0x000c, 0x12da: 0x000c, 0x12db: 0x000c, 0x12dc: 0x000c, 0x12dd: 0x000c, 0x12de: 0x000c, 0x12df: 0x000c, 0x12e0: 0x000c, 0x12e2: 0x000c, 0x12e3: 0x000c, 0x12e4: 0x000c, 0x12e5: 0x000c, 0x12e6: 0x000c, 0x12e7: 0x000c, 0x12e8: 0x000c, 0x12ed: 0x000c, 0x12f4: 0x000c, 0x12f8: 0x000c, 0x12f9: 0x000c, // Block 0x4c, offset 0x1300 0x1300: 0x000c, 0x1301: 0x000c, 0x1302: 0x000c, 0x1303: 0x000c, 0x1304: 0x000c, 0x1305: 0x000c, 0x1306: 0x000c, 0x1307: 0x000c, 0x1308: 0x000c, 0x1309: 0x000c, 0x130a: 0x000c, 0x130b: 0x000c, 0x130c: 0x000c, 0x130d: 0x000c, 0x130e: 0x000c, 0x130f: 0x000c, 0x1310: 0x000c, 0x1311: 0x000c, 0x1312: 0x000c, 0x1313: 0x000c, 0x1314: 0x000c, 0x1315: 0x000c, 0x1316: 0x000c, 0x1317: 0x000c, 0x1318: 0x000c, 0x1319: 0x000c, 0x131a: 0x000c, 0x131b: 0x000c, 0x131c: 0x000c, 0x131d: 0x000c, 0x131e: 0x000c, 0x131f: 0x000c, 0x1320: 0x000c, 0x1321: 0x000c, 0x1322: 0x000c, 0x1323: 0x000c, 0x1324: 0x000c, 0x1325: 0x000c, 0x1326: 0x000c, 0x1327: 0x000c, 0x1328: 0x000c, 0x1329: 0x000c, 0x132a: 0x000c, 0x132b: 0x000c, 0x132c: 0x000c, 0x132d: 0x000c, 0x132e: 0x000c, 0x132f: 0x000c, 0x1330: 0x000c, 0x1331: 0x000c, 0x1332: 0x000c, 0x1333: 0x000c, 0x1334: 0x000c, 0x1335: 0x000c, 0x133b: 0x000c, 0x133c: 0x000c, 0x133d: 0x000c, 0x133e: 0x000c, 0x133f: 0x000c, // Block 0x4d, offset 0x1340 0x137d: 0x000a, 0x137f: 0x000a, // Block 0x4e, offset 0x1380 0x1380: 0x000a, 0x1381: 0x000a, 0x138d: 0x000a, 0x138e: 0x000a, 0x138f: 0x000a, 0x139d: 0x000a, 0x139e: 0x000a, 0x139f: 0x000a, 0x13ad: 0x000a, 0x13ae: 0x000a, 0x13af: 0x000a, 0x13bd: 0x000a, 0x13be: 0x000a, // Block 0x4f, offset 0x13c0 0x13c0: 0x0009, 0x13c1: 0x0009, 0x13c2: 0x0009, 0x13c3: 0x0009, 0x13c4: 0x0009, 0x13c5: 0x0009, 0x13c6: 0x0009, 0x13c7: 0x0009, 0x13c8: 0x0009, 0x13c9: 0x0009, 0x13ca: 0x0009, 0x13cb: 0x000b, 0x13cc: 0x000b, 0x13cd: 0x000b, 0x13cf: 0x0001, 0x13d0: 0x000a, 0x13d1: 0x000a, 0x13d2: 0x000a, 0x13d3: 0x000a, 0x13d4: 0x000a, 0x13d5: 0x000a, 0x13d6: 0x000a, 0x13d7: 0x000a, 0x13d8: 0x000a, 0x13d9: 0x000a, 0x13da: 0x000a, 0x13db: 0x000a, 0x13dc: 0x000a, 0x13dd: 0x000a, 0x13de: 0x000a, 0x13df: 0x000a, 0x13e0: 0x000a, 0x13e1: 0x000a, 0x13e2: 0x000a, 0x13e3: 0x000a, 0x13e4: 0x000a, 0x13e5: 0x000a, 0x13e6: 0x000a, 0x13e7: 0x000a, 0x13e8: 0x0009, 0x13e9: 0x0007, 0x13ea: 0x000e, 0x13eb: 0x000e, 0x13ec: 0x000e, 0x13ed: 0x000e, 0x13ee: 0x000e, 0x13ef: 0x0006, 0x13f0: 0x0004, 0x13f1: 0x0004, 0x13f2: 0x0004, 0x13f3: 0x0004, 0x13f4: 0x0004, 0x13f5: 0x000a, 0x13f6: 0x000a, 0x13f7: 0x000a, 0x13f8: 0x000a, 0x13f9: 0x000a, 0x13fa: 0x000a, 0x13fb: 0x000a, 0x13fc: 0x000a, 0x13fd: 0x000a, 0x13fe: 0x000a, 0x13ff: 0x000a, // Block 0x50, offset 0x1400 0x1400: 0x000a, 0x1401: 0x000a, 0x1402: 0x000a, 0x1403: 0x000a, 0x1404: 0x0006, 0x1405: 0x009a, 0x1406: 0x008a, 0x1407: 0x000a, 0x1408: 0x000a, 0x1409: 0x000a, 0x140a: 0x000a, 0x140b: 0x000a, 0x140c: 0x000a, 0x140d: 0x000a, 0x140e: 0x000a, 0x140f: 0x000a, 0x1410: 0x000a, 0x1411: 0x000a, 0x1412: 0x000a, 0x1413: 0x000a, 0x1414: 0x000a, 0x1415: 0x000a, 0x1416: 0x000a, 0x1417: 0x000a, 0x1418: 0x000a, 0x1419: 0x000a, 0x141a: 0x000a, 0x141b: 0x000a, 0x141c: 0x000a, 0x141d: 0x000a, 0x141e: 0x000a, 0x141f: 0x0009, 0x1420: 0x000b, 0x1421: 0x000b, 0x1422: 0x000b, 0x1423: 0x000b, 0x1424: 0x000b, 0x1425: 0x000b, 0x1426: 0x000e, 0x1427: 0x000e, 0x1428: 0x000e, 0x1429: 0x000e, 0x142a: 0x000b, 0x142b: 0x000b, 0x142c: 0x000b, 0x142d: 0x000b, 0x142e: 0x000b, 0x142f: 0x000b, 0x1430: 0x0002, 0x1434: 0x0002, 0x1435: 0x0002, 0x1436: 0x0002, 0x1437: 0x0002, 0x1438: 0x0002, 0x1439: 0x0002, 0x143a: 0x0003, 0x143b: 0x0003, 0x143c: 0x000a, 0x143d: 0x009a, 0x143e: 0x008a, // Block 0x51, offset 0x1440 0x1440: 0x0002, 0x1441: 0x0002, 0x1442: 0x0002, 0x1443: 0x0002, 0x1444: 0x0002, 0x1445: 0x0002, 0x1446: 0x0002, 0x1447: 0x0002, 0x1448: 0x0002, 0x1449: 0x0002, 0x144a: 0x0003, 0x144b: 0x0003, 0x144c: 0x000a, 0x144d: 0x009a, 0x144e: 0x008a, 0x1460: 0x0004, 0x1461: 0x0004, 0x1462: 0x0004, 0x1463: 0x0004, 0x1464: 0x0004, 0x1465: 0x0004, 0x1466: 0x0004, 0x1467: 0x0004, 0x1468: 0x0004, 0x1469: 0x0004, 0x146a: 0x0004, 0x146b: 0x0004, 0x146c: 0x0004, 0x146d: 0x0004, 0x146e: 0x0004, 0x146f: 0x0004, 0x1470: 0x0004, 0x1471: 0x0004, 0x1472: 0x0004, 0x1473: 0x0004, 0x1474: 0x0004, 0x1475: 0x0004, 0x1476: 0x0004, 0x1477: 0x0004, 0x1478: 0x0004, 0x1479: 0x0004, 0x147a: 0x0004, 0x147b: 0x0004, 0x147c: 0x0004, 0x147d: 0x0004, 0x147e: 0x0004, 0x147f: 0x0004, // Block 0x52, offset 0x1480 0x1480: 0x0004, 0x1481: 0x0004, 0x1482: 0x0004, 0x1483: 0x0004, 0x1484: 0x0004, 0x1485: 0x0004, 0x1486: 0x0004, 0x1487: 0x0004, 0x1488: 0x0004, 0x1489: 0x0004, 0x148a: 0x0004, 0x148b: 0x0004, 0x148c: 0x0004, 0x148d: 0x0004, 0x148e: 0x0004, 0x148f: 0x0004, 0x1490: 0x000c, 0x1491: 0x000c, 0x1492: 0x000c, 0x1493: 0x000c, 0x1494: 0x000c, 0x1495: 0x000c, 0x1496: 0x000c, 0x1497: 0x000c, 0x1498: 0x000c, 0x1499: 0x000c, 0x149a: 0x000c, 0x149b: 0x000c, 0x149c: 0x000c, 0x149d: 0x000c, 0x149e: 0x000c, 0x149f: 0x000c, 0x14a0: 0x000c, 0x14a1: 0x000c, 0x14a2: 0x000c, 0x14a3: 0x000c, 0x14a4: 0x000c, 0x14a5: 0x000c, 0x14a6: 0x000c, 0x14a7: 0x000c, 0x14a8: 0x000c, 0x14a9: 0x000c, 0x14aa: 0x000c, 0x14ab: 0x000c, 0x14ac: 0x000c, 0x14ad: 0x000c, 0x14ae: 0x000c, 0x14af: 0x000c, 0x14b0: 0x000c, // Block 0x53, offset 0x14c0 0x14c0: 0x000a, 0x14c1: 0x000a, 0x14c3: 0x000a, 0x14c4: 0x000a, 0x14c5: 0x000a, 0x14c6: 0x000a, 0x14c8: 0x000a, 0x14c9: 0x000a, 0x14d4: 0x000a, 0x14d6: 0x000a, 0x14d7: 0x000a, 0x14d8: 0x000a, 0x14de: 0x000a, 0x14df: 0x000a, 0x14e0: 0x000a, 0x14e1: 0x000a, 0x14e2: 0x000a, 0x14e3: 0x000a, 0x14e5: 0x000a, 0x14e7: 0x000a, 0x14e9: 0x000a, 0x14ee: 0x0004, 0x14fa: 0x000a, 0x14fb: 0x000a, // Block 0x54, offset 0x1500 0x1500: 0x000a, 0x1501: 0x000a, 0x1502: 0x000a, 0x1503: 0x000a, 0x1504: 0x000a, 0x150a: 0x000a, 0x150b: 0x000a, 0x150c: 0x000a, 0x150d: 0x000a, 0x1510: 0x000a, 0x1511: 0x000a, 0x1512: 0x000a, 0x1513: 0x000a, 0x1514: 0x000a, 0x1515: 0x000a, 0x1516: 0x000a, 0x1517: 0x000a, 0x1518: 0x000a, 0x1519: 0x000a, 0x151a: 0x000a, 0x151b: 0x000a, 0x151c: 0x000a, 0x151d: 0x000a, 0x151e: 0x000a, 0x151f: 0x000a, // Block 0x55, offset 0x1540 0x1549: 0x000a, 0x154a: 0x000a, 0x154b: 0x000a, 0x1550: 0x000a, 0x1551: 0x000a, 0x1552: 0x000a, 0x1553: 0x000a, 0x1554: 0x000a, 0x1555: 0x000a, 0x1556: 0x000a, 0x1557: 0x000a, 0x1558: 0x000a, 0x1559: 0x000a, 0x155a: 0x000a, 0x155b: 0x000a, 0x155c: 0x000a, 0x155d: 0x000a, 0x155e: 0x000a, 0x155f: 0x000a, 0x1560: 0x000a, 0x1561: 0x000a, 0x1562: 0x000a, 0x1563: 0x000a, 0x1564: 0x000a, 0x1565: 0x000a, 0x1566: 0x000a, 0x1567: 0x000a, 0x1568: 0x000a, 0x1569: 0x000a, 0x156a: 0x000a, 0x156b: 0x000a, 0x156c: 0x000a, 0x156d: 0x000a, 0x156e: 0x000a, 0x156f: 0x000a, 0x1570: 0x000a, 0x1571: 0x000a, 0x1572: 0x000a, 0x1573: 0x000a, 0x1574: 0x000a, 0x1575: 0x000a, 0x1576: 0x000a, 0x1577: 0x000a, 0x1578: 0x000a, 0x1579: 0x000a, 0x157a: 0x000a, 0x157b: 0x000a, 0x157c: 0x000a, 0x157d: 0x000a, 0x157e: 0x000a, 0x157f: 0x000a, // Block 0x56, offset 0x1580 0x1580: 0x000a, 0x1581: 0x000a, 0x1582: 0x000a, 0x1583: 0x000a, 0x1584: 0x000a, 0x1585: 0x000a, 0x1586: 0x000a, 0x1587: 0x000a, 0x1588: 0x000a, 0x1589: 0x000a, 0x158a: 0x000a, 0x158b: 0x000a, 0x158c: 0x000a, 0x158d: 0x000a, 0x158e: 0x000a, 0x158f: 0x000a, 0x1590: 0x000a, 0x1591: 0x000a, 0x1592: 0x000a, 0x1593: 0x000a, 0x1594: 0x000a, 0x1595: 0x000a, 0x1596: 0x000a, 0x1597: 0x000a, 0x1598: 0x000a, 0x1599: 0x000a, 0x159a: 0x000a, 0x159b: 0x000a, 0x159c: 0x000a, 0x159d: 0x000a, 0x159e: 0x000a, 0x159f: 0x000a, 0x15a0: 0x000a, 0x15a1: 0x000a, 0x15a2: 0x000a, 0x15a3: 0x000a, 0x15a4: 0x000a, 0x15a5: 0x000a, 0x15a6: 0x000a, 0x15a7: 0x000a, 0x15a8: 0x000a, 0x15a9: 0x000a, 0x15aa: 0x000a, 0x15ab: 0x000a, 0x15ac: 0x000a, 0x15ad: 0x000a, 0x15ae: 0x000a, 0x15af: 0x000a, 0x15b0: 0x000a, 0x15b1: 0x000a, 0x15b2: 0x000a, 0x15b3: 0x000a, 0x15b4: 0x000a, 0x15b5: 0x000a, 0x15b6: 0x000a, 0x15b7: 0x000a, 0x15b8: 0x000a, 0x15b9: 0x000a, 0x15ba: 0x000a, 0x15bb: 0x000a, 0x15bc: 0x000a, 0x15bd: 0x000a, 0x15be: 0x000a, 0x15bf: 0x000a, // Block 0x57, offset 0x15c0 0x15c0: 0x000a, 0x15c1: 0x000a, 0x15c2: 0x000a, 0x15c3: 0x000a, 0x15c4: 0x000a, 0x15c5: 0x000a, 0x15c6: 0x000a, 0x15c7: 0x000a, 0x15c8: 0x000a, 0x15c9: 0x000a, 0x15ca: 0x000a, 0x15cb: 0x000a, 0x15cc: 0x000a, 0x15cd: 0x000a, 0x15ce: 0x000a, 0x15cf: 0x000a, 0x15d0: 0x000a, 0x15d1: 0x000a, 0x15d2: 0x0003, 0x15d3: 0x0004, 0x15d4: 0x000a, 0x15d5: 0x000a, 0x15d6: 0x000a, 0x15d7: 0x000a, 0x15d8: 0x000a, 0x15d9: 0x000a, 0x15da: 0x000a, 0x15db: 0x000a, 0x15dc: 0x000a, 0x15dd: 0x000a, 0x15de: 0x000a, 0x15df: 0x000a, 0x15e0: 0x000a, 0x15e1: 0x000a, 0x15e2: 0x000a, 0x15e3: 0x000a, 0x15e4: 0x000a, 0x15e5: 0x000a, 0x15e6: 0x000a, 0x15e7: 0x000a, 0x15e8: 0x000a, 0x15e9: 0x000a, 0x15ea: 0x000a, 0x15eb: 0x000a, 0x15ec: 0x000a, 0x15ed: 0x000a, 0x15ee: 0x000a, 0x15ef: 0x000a, 0x15f0: 0x000a, 0x15f1: 0x000a, 0x15f2: 0x000a, 0x15f3: 0x000a, 0x15f4: 0x000a, 0x15f5: 0x000a, 0x15f6: 0x000a, 0x15f7: 0x000a, 0x15f8: 0x000a, 0x15f9: 0x000a, 0x15fa: 0x000a, 0x15fb: 0x000a, 0x15fc: 0x000a, 0x15fd: 0x000a, 0x15fe: 0x000a, 0x15ff: 0x000a, // Block 0x58, offset 0x1600 0x1600: 0x000a, 0x1601: 0x000a, 0x1602: 0x000a, 0x1603: 0x000a, 0x1604: 0x000a, 0x1605: 0x000a, 0x1606: 0x000a, 0x1607: 0x000a, 0x1608: 0x003a, 0x1609: 0x002a, 0x160a: 0x003a, 0x160b: 0x002a, 0x160c: 0x000a, 0x160d: 0x000a, 0x160e: 0x000a, 0x160f: 0x000a, 0x1610: 0x000a, 0x1611: 0x000a, 0x1612: 0x000a, 0x1613: 0x000a, 0x1614: 0x000a, 0x1615: 0x000a, 0x1616: 0x000a, 0x1617: 0x000a, 0x1618: 0x000a, 0x1619: 0x000a, 0x161a: 0x000a, 0x161b: 0x000a, 0x161c: 0x000a, 0x161d: 0x000a, 0x161e: 0x000a, 0x161f: 0x000a, 0x1620: 0x000a, 0x1621: 0x000a, 0x1622: 0x000a, 0x1623: 0x000a, 0x1624: 0x000a, 0x1625: 0x000a, 0x1626: 0x000a, 0x1627: 0x000a, 0x1628: 0x000a, 0x1629: 0x009a, 0x162a: 0x008a, 0x162b: 0x000a, 0x162c: 0x000a, 0x162d: 0x000a, 0x162e: 0x000a, 0x162f: 0x000a, 0x1630: 0x000a, 0x1631: 0x000a, 0x1632: 0x000a, 0x1633: 0x000a, 0x1634: 0x000a, 0x1635: 0x000a, // Block 0x59, offset 0x1640 0x167b: 0x000a, 0x167c: 0x000a, 0x167d: 0x000a, 0x167e: 0x000a, 0x167f: 0x000a, // Block 0x5a, offset 0x1680 0x1680: 0x000a, 0x1681: 0x000a, 0x1682: 0x000a, 0x1683: 0x000a, 0x1684: 0x000a, 0x1685: 0x000a, 0x1686: 0x000a, 0x1687: 0x000a, 0x1688: 0x000a, 0x1689: 0x000a, 0x168a: 0x000a, 0x168b: 0x000a, 0x168c: 0x000a, 0x168d: 0x000a, 0x168e: 0x000a, 0x168f: 0x000a, 0x1690: 0x000a, 0x1691: 0x000a, 0x1692: 0x000a, 0x1693: 0x000a, 0x1694: 0x000a, 0x1696: 0x000a, 0x1697: 0x000a, 0x1698: 0x000a, 0x1699: 0x000a, 0x169a: 0x000a, 0x169b: 0x000a, 0x169c: 0x000a, 0x169d: 0x000a, 0x169e: 0x000a, 0x169f: 0x000a, 0x16a0: 0x000a, 0x16a1: 0x000a, 0x16a2: 0x000a, 0x16a3: 0x000a, 0x16a4: 0x000a, 0x16a5: 0x000a, 0x16a6: 0x000a, 0x16a7: 0x000a, 0x16a8: 0x000a, 0x16a9: 0x000a, 0x16aa: 0x000a, 0x16ab: 0x000a, 0x16ac: 0x000a, 0x16ad: 0x000a, 0x16ae: 0x000a, 0x16af: 0x000a, 0x16b0: 0x000a, 0x16b1: 0x000a, 0x16b2: 0x000a, 0x16b3: 0x000a, 0x16b4: 0x000a, 0x16b5: 0x000a, 0x16b6: 0x000a, 0x16b7: 0x000a, 0x16b8: 0x000a, 0x16b9: 0x000a, 0x16ba: 0x000a, 0x16bb: 0x000a, 0x16bc: 0x000a, 0x16bd: 0x000a, 0x16be: 0x000a, 0x16bf: 0x000a, // Block 0x5b, offset 0x16c0 0x16c0: 0x000a, 0x16c1: 0x000a, 0x16c2: 0x000a, 0x16c3: 0x000a, 0x16c4: 0x000a, 0x16c5: 0x000a, 0x16c6: 0x000a, 0x16c7: 0x000a, 0x16c8: 0x000a, 0x16c9: 0x000a, 0x16ca: 0x000a, 0x16cb: 0x000a, 0x16cc: 0x000a, 0x16cd: 0x000a, 0x16ce: 0x000a, 0x16cf: 0x000a, 0x16d0: 0x000a, 0x16d1: 0x000a, 0x16d2: 0x000a, 0x16d3: 0x000a, 0x16d4: 0x000a, 0x16d5: 0x000a, 0x16d6: 0x000a, 0x16d7: 0x000a, 0x16d8: 0x000a, 0x16d9: 0x000a, 0x16da: 0x000a, 0x16db: 0x000a, 0x16dc: 0x000a, 0x16dd: 0x000a, 0x16de: 0x000a, 0x16df: 0x000a, 0x16e0: 0x000a, 0x16e1: 0x000a, 0x16e2: 0x000a, 0x16e3: 0x000a, 0x16e4: 0x000a, 0x16e5: 0x000a, 0x16e6: 0x000a, 0x16e7: 0x000a, 0x16e8: 0x000a, 0x16e9: 0x000a, 0x16ea: 0x000a, 0x16eb: 0x000a, 0x16ec: 0x000a, 0x16ed: 0x000a, 0x16ee: 0x000a, 0x16ef: 0x000a, 0x16f0: 0x000a, 0x16f1: 0x000a, 0x16f2: 0x000a, 0x16f3: 0x000a, 0x16f4: 0x000a, 0x16f5: 0x000a, 0x16f6: 0x000a, 0x16f7: 0x000a, 0x16f8: 0x000a, 0x16f9: 0x000a, 0x16fa: 0x000a, 0x16fb: 0x000a, 0x16fc: 0x000a, 0x16fd: 0x000a, 0x16fe: 0x000a, // Block 0x5c, offset 0x1700 0x1700: 0x000a, 0x1701: 0x000a, 0x1702: 0x000a, 0x1703: 0x000a, 0x1704: 0x000a, 0x1705: 0x000a, 0x1706: 0x000a, 0x1707: 0x000a, 0x1708: 0x000a, 0x1709: 0x000a, 0x170a: 0x000a, 0x170b: 0x000a, 0x170c: 0x000a, 0x170d: 0x000a, 0x170e: 0x000a, 0x170f: 0x000a, 0x1710: 0x000a, 0x1711: 0x000a, 0x1712: 0x000a, 0x1713: 0x000a, 0x1714: 0x000a, 0x1715: 0x000a, 0x1716: 0x000a, 0x1717: 0x000a, 0x1718: 0x000a, 0x1719: 0x000a, 0x171a: 0x000a, 0x171b: 0x000a, 0x171c: 0x000a, 0x171d: 0x000a, 0x171e: 0x000a, 0x171f: 0x000a, 0x1720: 0x000a, 0x1721: 0x000a, 0x1722: 0x000a, 0x1723: 0x000a, 0x1724: 0x000a, 0x1725: 0x000a, 0x1726: 0x000a, // Block 0x5d, offset 0x1740 0x1740: 0x000a, 0x1741: 0x000a, 0x1742: 0x000a, 0x1743: 0x000a, 0x1744: 0x000a, 0x1745: 0x000a, 0x1746: 0x000a, 0x1747: 0x000a, 0x1748: 0x000a, 0x1749: 0x000a, 0x174a: 0x000a, 0x1760: 0x000a, 0x1761: 0x000a, 0x1762: 0x000a, 0x1763: 0x000a, 0x1764: 0x000a, 0x1765: 0x000a, 0x1766: 0x000a, 0x1767: 0x000a, 0x1768: 0x000a, 0x1769: 0x000a, 0x176a: 0x000a, 0x176b: 0x000a, 0x176c: 0x000a, 0x176d: 0x000a, 0x176e: 0x000a, 0x176f: 0x000a, 0x1770: 0x000a, 0x1771: 0x000a, 0x1772: 0x000a, 0x1773: 0x000a, 0x1774: 0x000a, 0x1775: 0x000a, 0x1776: 0x000a, 0x1777: 0x000a, 0x1778: 0x000a, 0x1779: 0x000a, 0x177a: 0x000a, 0x177b: 0x000a, 0x177c: 0x000a, 0x177d: 0x000a, 0x177e: 0x000a, 0x177f: 0x000a, // Block 0x5e, offset 0x1780 0x1780: 0x000a, 0x1781: 0x000a, 0x1782: 0x000a, 0x1783: 0x000a, 0x1784: 0x000a, 0x1785: 0x000a, 0x1786: 0x000a, 0x1787: 0x000a, 0x1788: 0x0002, 0x1789: 0x0002, 0x178a: 0x0002, 0x178b: 0x0002, 0x178c: 0x0002, 0x178d: 0x0002, 0x178e: 0x0002, 0x178f: 0x0002, 0x1790: 0x0002, 0x1791: 0x0002, 0x1792: 0x0002, 0x1793: 0x0002, 0x1794: 0x0002, 0x1795: 0x0002, 0x1796: 0x0002, 0x1797: 0x0002, 0x1798: 0x0002, 0x1799: 0x0002, 0x179a: 0x0002, 0x179b: 0x0002, // Block 0x5f, offset 0x17c0 0x17ea: 0x000a, 0x17eb: 0x000a, 0x17ec: 0x000a, 0x17ed: 0x000a, 0x17ee: 0x000a, 0x17ef: 0x000a, 0x17f0: 0x000a, 0x17f1: 0x000a, 0x17f2: 0x000a, 0x17f3: 0x000a, 0x17f4: 0x000a, 0x17f5: 0x000a, 0x17f6: 0x000a, 0x17f7: 0x000a, 0x17f8: 0x000a, 0x17f9: 0x000a, 0x17fa: 0x000a, 0x17fb: 0x000a, 0x17fc: 0x000a, 0x17fd: 0x000a, 0x17fe: 0x000a, 0x17ff: 0x000a, // Block 0x60, offset 0x1800 0x1800: 0x000a, 0x1801: 0x000a, 0x1802: 0x000a, 0x1803: 0x000a, 0x1804: 0x000a, 0x1805: 0x000a, 0x1806: 0x000a, 0x1807: 0x000a, 0x1808: 0x000a, 0x1809: 0x000a, 0x180a: 0x000a, 0x180b: 0x000a, 0x180c: 0x000a, 0x180d: 0x000a, 0x180e: 0x000a, 0x180f: 0x000a, 0x1810: 0x000a, 0x1811: 0x000a, 0x1812: 0x000a, 0x1813: 0x000a, 0x1814: 0x000a, 0x1815: 0x000a, 0x1816: 0x000a, 0x1817: 0x000a, 0x1818: 0x000a, 0x1819: 0x000a, 0x181a: 0x000a, 0x181b: 0x000a, 0x181c: 0x000a, 0x181d: 0x000a, 0x181e: 0x000a, 0x181f: 0x000a, 0x1820: 0x000a, 0x1821: 0x000a, 0x1822: 0x000a, 0x1823: 0x000a, 0x1824: 0x000a, 0x1825: 0x000a, 0x1826: 0x000a, 0x1827: 0x000a, 0x1828: 0x000a, 0x1829: 0x000a, 0x182a: 0x000a, 0x182b: 0x000a, 0x182d: 0x000a, 0x182e: 0x000a, 0x182f: 0x000a, 0x1830: 0x000a, 0x1831: 0x000a, 0x1832: 0x000a, 0x1833: 0x000a, 0x1834: 0x000a, 0x1835: 0x000a, 0x1836: 0x000a, 0x1837: 0x000a, 0x1838: 0x000a, 0x1839: 0x000a, 0x183a: 0x000a, 0x183b: 0x000a, 0x183c: 0x000a, 0x183d: 0x000a, 0x183e: 0x000a, 0x183f: 0x000a, // Block 0x61, offset 0x1840 0x1840: 0x000a, 0x1841: 0x000a, 0x1842: 0x000a, 0x1843: 0x000a, 0x1844: 0x000a, 0x1845: 0x000a, 0x1846: 0x000a, 0x1847: 0x000a, 0x1848: 0x000a, 0x1849: 0x000a, 0x184a: 0x000a, 0x184b: 0x000a, 0x184c: 0x000a, 0x184d: 0x000a, 0x184e: 0x000a, 0x184f: 0x000a, 0x1850: 0x000a, 0x1851: 0x000a, 0x1852: 0x000a, 0x1853: 0x000a, 0x1854: 0x000a, 0x1855: 0x000a, 0x1856: 0x000a, 0x1857: 0x000a, 0x1858: 0x000a, 0x1859: 0x000a, 0x185a: 0x000a, 0x185b: 0x000a, 0x185c: 0x000a, 0x185d: 0x000a, 0x185e: 0x000a, 0x185f: 0x000a, 0x1860: 0x000a, 0x1861: 0x000a, 0x1862: 0x000a, 0x1863: 0x000a, 0x1864: 0x000a, 0x1865: 0x000a, 0x1866: 0x000a, 0x1867: 0x000a, 0x1868: 0x003a, 0x1869: 0x002a, 0x186a: 0x003a, 0x186b: 0x002a, 0x186c: 0x003a, 0x186d: 0x002a, 0x186e: 0x003a, 0x186f: 0x002a, 0x1870: 0x003a, 0x1871: 0x002a, 0x1872: 0x003a, 0x1873: 0x002a, 0x1874: 0x003a, 0x1875: 0x002a, 0x1876: 0x000a, 0x1877: 0x000a, 0x1878: 0x000a, 0x1879: 0x000a, 0x187a: 0x000a, 0x187b: 0x000a, 0x187c: 0x000a, 0x187d: 0x000a, 0x187e: 0x000a, 0x187f: 0x000a, // Block 0x62, offset 0x1880 0x1880: 0x000a, 0x1881: 0x000a, 0x1882: 0x000a, 0x1883: 0x000a, 0x1884: 0x000a, 0x1885: 0x009a, 0x1886: 0x008a, 0x1887: 0x000a, 0x1888: 0x000a, 0x1889: 0x000a, 0x188a: 0x000a, 0x188b: 0x000a, 0x188c: 0x000a, 0x188d: 0x000a, 0x188e: 0x000a, 0x188f: 0x000a, 0x1890: 0x000a, 0x1891: 0x000a, 0x1892: 0x000a, 0x1893: 0x000a, 0x1894: 0x000a, 0x1895: 0x000a, 0x1896: 0x000a, 0x1897: 0x000a, 0x1898: 0x000a, 0x1899: 0x000a, 0x189a: 0x000a, 0x189b: 0x000a, 0x189c: 0x000a, 0x189d: 0x000a, 0x189e: 0x000a, 0x189f: 0x000a, 0x18a0: 0x000a, 0x18a1: 0x000a, 0x18a2: 0x000a, 0x18a3: 0x000a, 0x18a4: 0x000a, 0x18a5: 0x000a, 0x18a6: 0x003a, 0x18a7: 0x002a, 0x18a8: 0x003a, 0x18a9: 0x002a, 0x18aa: 0x003a, 0x18ab: 0x002a, 0x18ac: 0x003a, 0x18ad: 0x002a, 0x18ae: 0x003a, 0x18af: 0x002a, 0x18b0: 0x000a, 0x18b1: 0x000a, 0x18b2: 0x000a, 0x18b3: 0x000a, 0x18b4: 0x000a, 0x18b5: 0x000a, 0x18b6: 0x000a, 0x18b7: 0x000a, 0x18b8: 0x000a, 0x18b9: 0x000a, 0x18ba: 0x000a, 0x18bb: 0x000a, 0x18bc: 0x000a, 0x18bd: 0x000a, 0x18be: 0x000a, 0x18bf: 0x000a, // Block 0x63, offset 0x18c0 0x18c0: 0x000a, 0x18c1: 0x000a, 0x18c2: 0x000a, 0x18c3: 0x007a, 0x18c4: 0x006a, 0x18c5: 0x009a, 0x18c6: 0x008a, 0x18c7: 0x00ba, 0x18c8: 0x00aa, 0x18c9: 0x009a, 0x18ca: 0x008a, 0x18cb: 0x007a, 0x18cc: 0x006a, 0x18cd: 0x00da, 0x18ce: 0x002a, 0x18cf: 0x003a, 0x18d0: 0x00ca, 0x18d1: 0x009a, 0x18d2: 0x008a, 0x18d3: 0x007a, 0x18d4: 0x006a, 0x18d5: 0x009a, 0x18d6: 0x008a, 0x18d7: 0x00ba, 0x18d8: 0x00aa, 0x18d9: 0x000a, 0x18da: 0x000a, 0x18db: 0x000a, 0x18dc: 0x000a, 0x18dd: 0x000a, 0x18de: 0x000a, 0x18df: 0x000a, 0x18e0: 0x000a, 0x18e1: 0x000a, 0x18e2: 0x000a, 0x18e3: 0x000a, 0x18e4: 0x000a, 0x18e5: 0x000a, 0x18e6: 0x000a, 0x18e7: 0x000a, 0x18e8: 0x000a, 0x18e9: 0x000a, 0x18ea: 0x000a, 0x18eb: 0x000a, 0x18ec: 0x000a, 0x18ed: 0x000a, 0x18ee: 0x000a, 0x18ef: 0x000a, 0x18f0: 0x000a, 0x18f1: 0x000a, 0x18f2: 0x000a, 0x18f3: 0x000a, 0x18f4: 0x000a, 0x18f5: 0x000a, 0x18f6: 0x000a, 0x18f7: 0x000a, 0x18f8: 0x000a, 0x18f9: 0x000a, 0x18fa: 0x000a, 0x18fb: 0x000a, 0x18fc: 0x000a, 0x18fd: 0x000a, 0x18fe: 0x000a, 0x18ff: 0x000a, // Block 0x64, offset 0x1900 0x1900: 0x000a, 0x1901: 0x000a, 0x1902: 0x000a, 0x1903: 0x000a, 0x1904: 0x000a, 0x1905: 0x000a, 0x1906: 0x000a, 0x1907: 0x000a, 0x1908: 0x000a, 0x1909: 0x000a, 0x190a: 0x000a, 0x190b: 0x000a, 0x190c: 0x000a, 0x190d: 0x000a, 0x190e: 0x000a, 0x190f: 0x000a, 0x1910: 0x000a, 0x1911: 0x000a, 0x1912: 0x000a, 0x1913: 0x000a, 0x1914: 0x000a, 0x1915: 0x000a, 0x1916: 0x000a, 0x1917: 0x000a, 0x1918: 0x003a, 0x1919: 0x002a, 0x191a: 0x003a, 0x191b: 0x002a, 0x191c: 0x000a, 0x191d: 0x000a, 0x191e: 0x000a, 0x191f: 0x000a, 0x1920: 0x000a, 0x1921: 0x000a, 0x1922: 0x000a, 0x1923: 0x000a, 0x1924: 0x000a, 0x1925: 0x000a, 0x1926: 0x000a, 0x1927: 0x000a, 0x1928: 0x000a, 0x1929: 0x000a, 0x192a: 0x000a, 0x192b: 0x000a, 0x192c: 0x000a, 0x192d: 0x000a, 0x192e: 0x000a, 0x192f: 0x000a, 0x1930: 0x000a, 0x1931: 0x000a, 0x1932: 0x000a, 0x1933: 0x000a, 0x1934: 0x000a, 0x1935: 0x000a, 0x1936: 0x000a, 0x1937: 0x000a, 0x1938: 0x000a, 0x1939: 0x000a, 0x193a: 0x000a, 0x193b: 0x000a, 0x193c: 0x003a, 0x193d: 0x002a, 0x193e: 0x000a, 0x193f: 0x000a, // Block 0x65, offset 0x1940 0x1940: 0x000a, 0x1941: 0x000a, 0x1942: 0x000a, 0x1943: 0x000a, 0x1944: 0x000a, 0x1945: 0x000a, 0x1946: 0x000a, 0x1947: 0x000a, 0x1948: 0x000a, 0x1949: 0x000a, 0x194a: 0x000a, 0x194b: 0x000a, 0x194c: 0x000a, 0x194d: 0x000a, 0x194e: 0x000a, 0x194f: 0x000a, 0x1950: 0x000a, 0x1951: 0x000a, 0x1952: 0x000a, 0x1953: 0x000a, 0x1954: 0x000a, 0x1955: 0x000a, 0x1956: 0x000a, 0x1957: 0x000a, 0x1958: 0x000a, 0x1959: 0x000a, 0x195a: 0x000a, 0x195b: 0x000a, 0x195c: 0x000a, 0x195d: 0x000a, 0x195e: 0x000a, 0x195f: 0x000a, 0x1960: 0x000a, 0x1961: 0x000a, 0x1962: 0x000a, 0x1963: 0x000a, 0x1964: 0x000a, 0x1965: 0x000a, 0x1966: 0x000a, 0x1967: 0x000a, 0x1968: 0x000a, 0x1969: 0x000a, 0x196a: 0x000a, 0x196b: 0x000a, 0x196c: 0x000a, 0x196d: 0x000a, 0x196e: 0x000a, 0x196f: 0x000a, 0x1970: 0x000a, 0x1971: 0x000a, 0x1972: 0x000a, 0x1973: 0x000a, 0x1976: 0x000a, 0x1977: 0x000a, 0x1978: 0x000a, 0x1979: 0x000a, 0x197a: 0x000a, 0x197b: 0x000a, 0x197c: 0x000a, 0x197d: 0x000a, 0x197e: 0x000a, 0x197f: 0x000a, // Block 0x66, offset 0x1980 0x1980: 0x000a, 0x1981: 0x000a, 0x1982: 0x000a, 0x1983: 0x000a, 0x1984: 0x000a, 0x1985: 0x000a, 0x1986: 0x000a, 0x1987: 0x000a, 0x1988: 0x000a, 0x1989: 0x000a, 0x198a: 0x000a, 0x198b: 0x000a, 0x198c: 0x000a, 0x198d: 0x000a, 0x198e: 0x000a, 0x198f: 0x000a, 0x1990: 0x000a, 0x1991: 0x000a, 0x1992: 0x000a, 0x1993: 0x000a, 0x1994: 0x000a, 0x1995: 0x000a, 0x1998: 0x000a, 0x1999: 0x000a, 0x199a: 0x000a, 0x199b: 0x000a, 0x199c: 0x000a, 0x199d: 0x000a, 0x199e: 0x000a, 0x199f: 0x000a, 0x19a0: 0x000a, 0x19a1: 0x000a, 0x19a2: 0x000a, 0x19a3: 0x000a, 0x19a4: 0x000a, 0x19a5: 0x000a, 0x19a6: 0x000a, 0x19a7: 0x000a, 0x19a8: 0x000a, 0x19a9: 0x000a, 0x19aa: 0x000a, 0x19ab: 0x000a, 0x19ac: 0x000a, 0x19ad: 0x000a, 0x19ae: 0x000a, 0x19af: 0x000a, 0x19b0: 0x000a, 0x19b1: 0x000a, 0x19b2: 0x000a, 0x19b3: 0x000a, 0x19b4: 0x000a, 0x19b5: 0x000a, 0x19b6: 0x000a, 0x19b7: 0x000a, 0x19b8: 0x000a, 0x19b9: 0x000a, 0x19bd: 0x000a, 0x19be: 0x000a, 0x19bf: 0x000a, // Block 0x67, offset 0x19c0 0x19c0: 0x000a, 0x19c1: 0x000a, 0x19c2: 0x000a, 0x19c3: 0x000a, 0x19c4: 0x000a, 0x19c5: 0x000a, 0x19c6: 0x000a, 0x19c7: 0x000a, 0x19c8: 0x000a, 0x19ca: 0x000a, 0x19cb: 0x000a, 0x19cc: 0x000a, 0x19cd: 0x000a, 0x19ce: 0x000a, 0x19cf: 0x000a, 0x19d0: 0x000a, 0x19d1: 0x000a, 0x19ec: 0x000a, 0x19ed: 0x000a, 0x19ee: 0x000a, 0x19ef: 0x000a, // Block 0x68, offset 0x1a00 0x1a25: 0x000a, 0x1a26: 0x000a, 0x1a27: 0x000a, 0x1a28: 0x000a, 0x1a29: 0x000a, 0x1a2a: 0x000a, 0x1a2f: 0x000c, 0x1a30: 0x000c, 0x1a31: 0x000c, 0x1a39: 0x000a, 0x1a3a: 0x000a, 0x1a3b: 0x000a, 0x1a3c: 0x000a, 0x1a3d: 0x000a, 0x1a3e: 0x000a, 0x1a3f: 0x000a, // Block 0x69, offset 0x1a40 0x1a7f: 0x000c, // Block 0x6a, offset 0x1a80 0x1aa0: 0x000c, 0x1aa1: 0x000c, 0x1aa2: 0x000c, 0x1aa3: 0x000c, 0x1aa4: 0x000c, 0x1aa5: 0x000c, 0x1aa6: 0x000c, 0x1aa7: 0x000c, 0x1aa8: 0x000c, 0x1aa9: 0x000c, 0x1aaa: 0x000c, 0x1aab: 0x000c, 0x1aac: 0x000c, 0x1aad: 0x000c, 0x1aae: 0x000c, 0x1aaf: 0x000c, 0x1ab0: 0x000c, 0x1ab1: 0x000c, 0x1ab2: 0x000c, 0x1ab3: 0x000c, 0x1ab4: 0x000c, 0x1ab5: 0x000c, 0x1ab6: 0x000c, 0x1ab7: 0x000c, 0x1ab8: 0x000c, 0x1ab9: 0x000c, 0x1aba: 0x000c, 0x1abb: 0x000c, 0x1abc: 0x000c, 0x1abd: 0x000c, 0x1abe: 0x000c, 0x1abf: 0x000c, // Block 0x6b, offset 0x1ac0 0x1ac0: 0x000a, 0x1ac1: 0x000a, 0x1ac2: 0x000a, 0x1ac3: 0x000a, 0x1ac4: 0x000a, 0x1ac5: 0x000a, 0x1ac6: 0x000a, 0x1ac7: 0x000a, 0x1ac8: 0x000a, 0x1ac9: 0x000a, 0x1aca: 0x000a, 0x1acb: 0x000a, 0x1acc: 0x000a, 0x1acd: 0x000a, 0x1ace: 0x000a, 0x1acf: 0x000a, 0x1ad0: 0x000a, 0x1ad1: 0x000a, 0x1ad2: 0x000a, 0x1ad3: 0x000a, 0x1ad4: 0x000a, 0x1ad5: 0x000a, 0x1ad6: 0x000a, 0x1ad7: 0x000a, 0x1ad8: 0x000a, 0x1ad9: 0x000a, 0x1ada: 0x000a, 0x1adb: 0x000a, 0x1adc: 0x000a, 0x1add: 0x000a, 0x1ade: 0x000a, 0x1adf: 0x000a, 0x1ae0: 0x000a, 0x1ae1: 0x000a, 0x1ae2: 0x003a, 0x1ae3: 0x002a, 0x1ae4: 0x003a, 0x1ae5: 0x002a, 0x1ae6: 0x003a, 0x1ae7: 0x002a, 0x1ae8: 0x003a, 0x1ae9: 0x002a, 0x1aea: 0x000a, 0x1aeb: 0x000a, 0x1aec: 0x000a, 0x1aed: 0x000a, 0x1aee: 0x000a, 0x1aef: 0x000a, 0x1af0: 0x000a, 0x1af1: 0x000a, 0x1af2: 0x000a, 0x1af3: 0x000a, 0x1af4: 0x000a, 0x1af5: 0x000a, 0x1af6: 0x000a, 0x1af7: 0x000a, 0x1af8: 0x000a, 0x1af9: 0x000a, 0x1afa: 0x000a, 0x1afb: 0x000a, 0x1afc: 0x000a, 0x1afd: 0x000a, 0x1afe: 0x000a, 0x1aff: 0x000a, // Block 0x6c, offset 0x1b00 0x1b00: 0x000a, 0x1b01: 0x000a, 0x1b02: 0x000a, 0x1b03: 0x000a, 0x1b04: 0x000a, // Block 0x6d, offset 0x1b40 0x1b40: 0x000a, 0x1b41: 0x000a, 0x1b42: 0x000a, 0x1b43: 0x000a, 0x1b44: 0x000a, 0x1b45: 0x000a, 0x1b46: 0x000a, 0x1b47: 0x000a, 0x1b48: 0x000a, 0x1b49: 0x000a, 0x1b4a: 0x000a, 0x1b4b: 0x000a, 0x1b4c: 0x000a, 0x1b4d: 0x000a, 0x1b4e: 0x000a, 0x1b4f: 0x000a, 0x1b50: 0x000a, 0x1b51: 0x000a, 0x1b52: 0x000a, 0x1b53: 0x000a, 0x1b54: 0x000a, 0x1b55: 0x000a, 0x1b56: 0x000a, 0x1b57: 0x000a, 0x1b58: 0x000a, 0x1b59: 0x000a, 0x1b5b: 0x000a, 0x1b5c: 0x000a, 0x1b5d: 0x000a, 0x1b5e: 0x000a, 0x1b5f: 0x000a, 0x1b60: 0x000a, 0x1b61: 0x000a, 0x1b62: 0x000a, 0x1b63: 0x000a, 0x1b64: 0x000a, 0x1b65: 0x000a, 0x1b66: 0x000a, 0x1b67: 0x000a, 0x1b68: 0x000a, 0x1b69: 0x000a, 0x1b6a: 0x000a, 0x1b6b: 0x000a, 0x1b6c: 0x000a, 0x1b6d: 0x000a, 0x1b6e: 0x000a, 0x1b6f: 0x000a, 0x1b70: 0x000a, 0x1b71: 0x000a, 0x1b72: 0x000a, 0x1b73: 0x000a, 0x1b74: 0x000a, 0x1b75: 0x000a, 0x1b76: 0x000a, 0x1b77: 0x000a, 0x1b78: 0x000a, 0x1b79: 0x000a, 0x1b7a: 0x000a, 0x1b7b: 0x000a, 0x1b7c: 0x000a, 0x1b7d: 0x000a, 0x1b7e: 0x000a, 0x1b7f: 0x000a, // Block 0x6e, offset 0x1b80 0x1b80: 0x000a, 0x1b81: 0x000a, 0x1b82: 0x000a, 0x1b83: 0x000a, 0x1b84: 0x000a, 0x1b85: 0x000a, 0x1b86: 0x000a, 0x1b87: 0x000a, 0x1b88: 0x000a, 0x1b89: 0x000a, 0x1b8a: 0x000a, 0x1b8b: 0x000a, 0x1b8c: 0x000a, 0x1b8d: 0x000a, 0x1b8e: 0x000a, 0x1b8f: 0x000a, 0x1b90: 0x000a, 0x1b91: 0x000a, 0x1b92: 0x000a, 0x1b93: 0x000a, 0x1b94: 0x000a, 0x1b95: 0x000a, 0x1b96: 0x000a, 0x1b97: 0x000a, 0x1b98: 0x000a, 0x1b99: 0x000a, 0x1b9a: 0x000a, 0x1b9b: 0x000a, 0x1b9c: 0x000a, 0x1b9d: 0x000a, 0x1b9e: 0x000a, 0x1b9f: 0x000a, 0x1ba0: 0x000a, 0x1ba1: 0x000a, 0x1ba2: 0x000a, 0x1ba3: 0x000a, 0x1ba4: 0x000a, 0x1ba5: 0x000a, 0x1ba6: 0x000a, 0x1ba7: 0x000a, 0x1ba8: 0x000a, 0x1ba9: 0x000a, 0x1baa: 0x000a, 0x1bab: 0x000a, 0x1bac: 0x000a, 0x1bad: 0x000a, 0x1bae: 0x000a, 0x1baf: 0x000a, 0x1bb0: 0x000a, 0x1bb1: 0x000a, 0x1bb2: 0x000a, 0x1bb3: 0x000a, // Block 0x6f, offset 0x1bc0 0x1bc0: 0x000a, 0x1bc1: 0x000a, 0x1bc2: 0x000a, 0x1bc3: 0x000a, 0x1bc4: 0x000a, 0x1bc5: 0x000a, 0x1bc6: 0x000a, 0x1bc7: 0x000a, 0x1bc8: 0x000a, 0x1bc9: 0x000a, 0x1bca: 0x000a, 0x1bcb: 0x000a, 0x1bcc: 0x000a, 0x1bcd: 0x000a, 0x1bce: 0x000a, 0x1bcf: 0x000a, 0x1bd0: 0x000a, 0x1bd1: 0x000a, 0x1bd2: 0x000a, 0x1bd3: 0x000a, 0x1bd4: 0x000a, 0x1bd5: 0x000a, 0x1bf0: 0x000a, 0x1bf1: 0x000a, 0x1bf2: 0x000a, 0x1bf3: 0x000a, 0x1bf4: 0x000a, 0x1bf5: 0x000a, 0x1bf6: 0x000a, 0x1bf7: 0x000a, 0x1bf8: 0x000a, 0x1bf9: 0x000a, 0x1bfa: 0x000a, 0x1bfb: 0x000a, // Block 0x70, offset 0x1c00 0x1c00: 0x0009, 0x1c01: 0x000a, 0x1c02: 0x000a, 0x1c03: 0x000a, 0x1c04: 0x000a, 0x1c08: 0x003a, 0x1c09: 0x002a, 0x1c0a: 0x003a, 0x1c0b: 0x002a, 0x1c0c: 0x003a, 0x1c0d: 0x002a, 0x1c0e: 0x003a, 0x1c0f: 0x002a, 0x1c10: 0x003a, 0x1c11: 0x002a, 0x1c12: 0x000a, 0x1c13: 0x000a, 0x1c14: 0x003a, 0x1c15: 0x002a, 0x1c16: 0x003a, 0x1c17: 0x002a, 0x1c18: 0x003a, 0x1c19: 0x002a, 0x1c1a: 0x003a, 0x1c1b: 0x002a, 0x1c1c: 0x000a, 0x1c1d: 0x000a, 0x1c1e: 0x000a, 0x1c1f: 0x000a, 0x1c20: 0x000a, 0x1c2a: 0x000c, 0x1c2b: 0x000c, 0x1c2c: 0x000c, 0x1c2d: 0x000c, 0x1c30: 0x000a, 0x1c36: 0x000a, 0x1c37: 0x000a, 0x1c3d: 0x000a, 0x1c3e: 0x000a, 0x1c3f: 0x000a, // Block 0x71, offset 0x1c40 0x1c59: 0x000c, 0x1c5a: 0x000c, 0x1c5b: 0x000a, 0x1c5c: 0x000a, 0x1c60: 0x000a, // Block 0x72, offset 0x1c80 0x1cbb: 0x000a, // Block 0x73, offset 0x1cc0 0x1cc0: 0x000a, 0x1cc1: 0x000a, 0x1cc2: 0x000a, 0x1cc3: 0x000a, 0x1cc4: 0x000a, 0x1cc5: 0x000a, 0x1cc6: 0x000a, 0x1cc7: 0x000a, 0x1cc8: 0x000a, 0x1cc9: 0x000a, 0x1cca: 0x000a, 0x1ccb: 0x000a, 0x1ccc: 0x000a, 0x1ccd: 0x000a, 0x1cce: 0x000a, 0x1ccf: 0x000a, 0x1cd0: 0x000a, 0x1cd1: 0x000a, 0x1cd2: 0x000a, 0x1cd3: 0x000a, 0x1cd4: 0x000a, 0x1cd5: 0x000a, 0x1cd6: 0x000a, 0x1cd7: 0x000a, 0x1cd8: 0x000a, 0x1cd9: 0x000a, 0x1cda: 0x000a, 0x1cdb: 0x000a, 0x1cdc: 0x000a, 0x1cdd: 0x000a, 0x1cde: 0x000a, 0x1cdf: 0x000a, 0x1ce0: 0x000a, 0x1ce1: 0x000a, 0x1ce2: 0x000a, 0x1ce3: 0x000a, // Block 0x74, offset 0x1d00 0x1d1d: 0x000a, 0x1d1e: 0x000a, // Block 0x75, offset 0x1d40 0x1d50: 0x000a, 0x1d51: 0x000a, 0x1d52: 0x000a, 0x1d53: 0x000a, 0x1d54: 0x000a, 0x1d55: 0x000a, 0x1d56: 0x000a, 0x1d57: 0x000a, 0x1d58: 0x000a, 0x1d59: 0x000a, 0x1d5a: 0x000a, 0x1d5b: 0x000a, 0x1d5c: 0x000a, 0x1d5d: 0x000a, 0x1d5e: 0x000a, 0x1d5f: 0x000a, 0x1d7c: 0x000a, 0x1d7d: 0x000a, 0x1d7e: 0x000a, // Block 0x76, offset 0x1d80 0x1db1: 0x000a, 0x1db2: 0x000a, 0x1db3: 0x000a, 0x1db4: 0x000a, 0x1db5: 0x000a, 0x1db6: 0x000a, 0x1db7: 0x000a, 0x1db8: 0x000a, 0x1db9: 0x000a, 0x1dba: 0x000a, 0x1dbb: 0x000a, 0x1dbc: 0x000a, 0x1dbd: 0x000a, 0x1dbe: 0x000a, 0x1dbf: 0x000a, // Block 0x77, offset 0x1dc0 0x1dcc: 0x000a, 0x1dcd: 0x000a, 0x1dce: 0x000a, 0x1dcf: 0x000a, // Block 0x78, offset 0x1e00 0x1e37: 0x000a, 0x1e38: 0x000a, 0x1e39: 0x000a, 0x1e3a: 0x000a, // Block 0x79, offset 0x1e40 0x1e5e: 0x000a, 0x1e5f: 0x000a, 0x1e7f: 0x000a, // Block 0x7a, offset 0x1e80 0x1e90: 0x000a, 0x1e91: 0x000a, 0x1e92: 0x000a, 0x1e93: 0x000a, 0x1e94: 0x000a, 0x1e95: 0x000a, 0x1e96: 0x000a, 0x1e97: 0x000a, 0x1e98: 0x000a, 0x1e99: 0x000a, 0x1e9a: 0x000a, 0x1e9b: 0x000a, 0x1e9c: 0x000a, 0x1e9d: 0x000a, 0x1e9e: 0x000a, 0x1e9f: 0x000a, 0x1ea0: 0x000a, 0x1ea1: 0x000a, 0x1ea2: 0x000a, 0x1ea3: 0x000a, 0x1ea4: 0x000a, 0x1ea5: 0x000a, 0x1ea6: 0x000a, 0x1ea7: 0x000a, 0x1ea8: 0x000a, 0x1ea9: 0x000a, 0x1eaa: 0x000a, 0x1eab: 0x000a, 0x1eac: 0x000a, 0x1ead: 0x000a, 0x1eae: 0x000a, 0x1eaf: 0x000a, 0x1eb0: 0x000a, 0x1eb1: 0x000a, 0x1eb2: 0x000a, 0x1eb3: 0x000a, 0x1eb4: 0x000a, 0x1eb5: 0x000a, 0x1eb6: 0x000a, 0x1eb7: 0x000a, 0x1eb8: 0x000a, 0x1eb9: 0x000a, 0x1eba: 0x000a, 0x1ebb: 0x000a, 0x1ebc: 0x000a, 0x1ebd: 0x000a, 0x1ebe: 0x000a, 0x1ebf: 0x000a, // Block 0x7b, offset 0x1ec0 0x1ec0: 0x000a, 0x1ec1: 0x000a, 0x1ec2: 0x000a, 0x1ec3: 0x000a, 0x1ec4: 0x000a, 0x1ec5: 0x000a, 0x1ec6: 0x000a, // Block 0x7c, offset 0x1f00 0x1f0d: 0x000a, 0x1f0e: 0x000a, 0x1f0f: 0x000a, // Block 0x7d, offset 0x1f40 0x1f6f: 0x000c, 0x1f70: 0x000c, 0x1f71: 0x000c, 0x1f72: 0x000c, 0x1f73: 0x000a, 0x1f74: 0x000c, 0x1f75: 0x000c, 0x1f76: 0x000c, 0x1f77: 0x000c, 0x1f78: 0x000c, 0x1f79: 0x000c, 0x1f7a: 0x000c, 0x1f7b: 0x000c, 0x1f7c: 0x000c, 0x1f7d: 0x000c, 0x1f7e: 0x000a, 0x1f7f: 0x000a, // Block 0x7e, offset 0x1f80 0x1f9e: 0x000c, 0x1f9f: 0x000c, // Block 0x7f, offset 0x1fc0 0x1ff0: 0x000c, 0x1ff1: 0x000c, // Block 0x80, offset 0x2000 0x2000: 0x000a, 0x2001: 0x000a, 0x2002: 0x000a, 0x2003: 0x000a, 0x2004: 0x000a, 0x2005: 0x000a, 0x2006: 0x000a, 0x2007: 0x000a, 0x2008: 0x000a, 0x2009: 0x000a, 0x200a: 0x000a, 0x200b: 0x000a, 0x200c: 0x000a, 0x200d: 0x000a, 0x200e: 0x000a, 0x200f: 0x000a, 0x2010: 0x000a, 0x2011: 0x000a, 0x2012: 0x000a, 0x2013: 0x000a, 0x2014: 0x000a, 0x2015: 0x000a, 0x2016: 0x000a, 0x2017: 0x000a, 0x2018: 0x000a, 0x2019: 0x000a, 0x201a: 0x000a, 0x201b: 0x000a, 0x201c: 0x000a, 0x201d: 0x000a, 0x201e: 0x000a, 0x201f: 0x000a, 0x2020: 0x000a, 0x2021: 0x000a, // Block 0x81, offset 0x2040 0x2048: 0x000a, // Block 0x82, offset 0x2080 0x2082: 0x000c, 0x2086: 0x000c, 0x208b: 0x000c, 0x20a5: 0x000c, 0x20a6: 0x000c, 0x20a8: 0x000a, 0x20a9: 0x000a, 0x20aa: 0x000a, 0x20ab: 0x000a, 0x20b8: 0x0004, 0x20b9: 0x0004, // Block 0x83, offset 0x20c0 0x20f4: 0x000a, 0x20f5: 0x000a, 0x20f6: 0x000a, 0x20f7: 0x000a, // Block 0x84, offset 0x2100 0x2104: 0x000c, 0x2105: 0x000c, 0x2120: 0x000c, 0x2121: 0x000c, 0x2122: 0x000c, 0x2123: 0x000c, 0x2124: 0x000c, 0x2125: 0x000c, 0x2126: 0x000c, 0x2127: 0x000c, 0x2128: 0x000c, 0x2129: 0x000c, 0x212a: 0x000c, 0x212b: 0x000c, 0x212c: 0x000c, 0x212d: 0x000c, 0x212e: 0x000c, 0x212f: 0x000c, 0x2130: 0x000c, 0x2131: 0x000c, // Block 0x85, offset 0x2140 0x2166: 0x000c, 0x2167: 0x000c, 0x2168: 0x000c, 0x2169: 0x000c, 0x216a: 0x000c, 0x216b: 0x000c, 0x216c: 0x000c, 0x216d: 0x000c, // Block 0x86, offset 0x2180 0x2187: 0x000c, 0x2188: 0x000c, 0x2189: 0x000c, 0x218a: 0x000c, 0x218b: 0x000c, 0x218c: 0x000c, 0x218d: 0x000c, 0x218e: 0x000c, 0x218f: 0x000c, 0x2190: 0x000c, 0x2191: 0x000c, // Block 0x87, offset 0x21c0 0x21c0: 0x000c, 0x21c1: 0x000c, 0x21c2: 0x000c, 0x21f3: 0x000c, 0x21f6: 0x000c, 0x21f7: 0x000c, 0x21f8: 0x000c, 0x21f9: 0x000c, 0x21fc: 0x000c, // Block 0x88, offset 0x2200 0x2225: 0x000c, // Block 0x89, offset 0x2240 0x2269: 0x000c, 0x226a: 0x000c, 0x226b: 0x000c, 0x226c: 0x000c, 0x226d: 0x000c, 0x226e: 0x000c, 0x2271: 0x000c, 0x2272: 0x000c, 0x2275: 0x000c, 0x2276: 0x000c, // Block 0x8a, offset 0x2280 0x2283: 0x000c, 0x228c: 0x000c, 0x22bc: 0x000c, // Block 0x8b, offset 0x22c0 0x22f0: 0x000c, 0x22f2: 0x000c, 0x22f3: 0x000c, 0x22f4: 0x000c, 0x22f7: 0x000c, 0x22f8: 0x000c, 0x22fe: 0x000c, 0x22ff: 0x000c, // Block 0x8c, offset 0x2300 0x2301: 0x000c, 0x232c: 0x000c, 0x232d: 0x000c, 0x2336: 0x000c, // Block 0x8d, offset 0x2340 0x2365: 0x000c, 0x2368: 0x000c, 0x236d: 0x000c, // Block 0x8e, offset 0x2380 0x239d: 0x0001, 0x239e: 0x000c, 0x239f: 0x0001, 0x23a0: 0x0001, 0x23a1: 0x0001, 0x23a2: 0x0001, 0x23a3: 0x0001, 0x23a4: 0x0001, 0x23a5: 0x0001, 0x23a6: 0x0001, 0x23a7: 0x0001, 0x23a8: 0x0001, 0x23a9: 0x0003, 0x23aa: 0x0001, 0x23ab: 0x0001, 0x23ac: 0x0001, 0x23ad: 0x0001, 0x23ae: 0x0001, 0x23af: 0x0001, 0x23b0: 0x0001, 0x23b1: 0x0001, 0x23b2: 0x0001, 0x23b3: 0x0001, 0x23b4: 0x0001, 0x23b5: 0x0001, 0x23b6: 0x0001, 0x23b7: 0x0001, 0x23b8: 0x0001, 0x23b9: 0x0001, 0x23ba: 0x0001, 0x23bb: 0x0001, 0x23bc: 0x0001, 0x23bd: 0x0001, 0x23be: 0x0001, 0x23bf: 0x0001, // Block 0x8f, offset 0x23c0 0x23c0: 0x0001, 0x23c1: 0x0001, 0x23c2: 0x0001, 0x23c3: 0x0001, 0x23c4: 0x0001, 0x23c5: 0x0001, 0x23c6: 0x0001, 0x23c7: 0x0001, 0x23c8: 0x0001, 0x23c9: 0x0001, 0x23ca: 0x0001, 0x23cb: 0x0001, 0x23cc: 0x0001, 0x23cd: 0x0001, 0x23ce: 0x0001, 0x23cf: 0x0001, 0x23d0: 0x000d, 0x23d1: 0x000d, 0x23d2: 0x000d, 0x23d3: 0x000d, 0x23d4: 0x000d, 0x23d5: 0x000d, 0x23d6: 0x000d, 0x23d7: 0x000d, 0x23d8: 0x000d, 0x23d9: 0x000d, 0x23da: 0x000d, 0x23db: 0x000d, 0x23dc: 0x000d, 0x23dd: 0x000d, 0x23de: 0x000d, 0x23df: 0x000d, 0x23e0: 0x000d, 0x23e1: 0x000d, 0x23e2: 0x000d, 0x23e3: 0x000d, 0x23e4: 0x000d, 0x23e5: 0x000d, 0x23e6: 0x000d, 0x23e7: 0x000d, 0x23e8: 0x000d, 0x23e9: 0x000d, 0x23ea: 0x000d, 0x23eb: 0x000d, 0x23ec: 0x000d, 0x23ed: 0x000d, 0x23ee: 0x000d, 0x23ef: 0x000d, 0x23f0: 0x000d, 0x23f1: 0x000d, 0x23f2: 0x000d, 0x23f3: 0x000d, 0x23f4: 0x000d, 0x23f5: 0x000d, 0x23f6: 0x000d, 0x23f7: 0x000d, 0x23f8: 0x000d, 0x23f9: 0x000d, 0x23fa: 0x000d, 0x23fb: 0x000d, 0x23fc: 0x000d, 0x23fd: 0x000d, 0x23fe: 0x000d, 0x23ff: 0x000d, // Block 0x90, offset 0x2400 0x2400: 0x000d, 0x2401: 0x000d, 0x2402: 0x000d, 0x2403: 0x000d, 0x2404: 0x000d, 0x2405: 0x000d, 0x2406: 0x000d, 0x2407: 0x000d, 0x2408: 0x000d, 0x2409: 0x000d, 0x240a: 0x000d, 0x240b: 0x000d, 0x240c: 0x000d, 0x240d: 0x000d, 0x240e: 0x000d, 0x240f: 0x000d, 0x2410: 0x000d, 0x2411: 0x000d, 0x2412: 0x000d, 0x2413: 0x000d, 0x2414: 0x000d, 0x2415: 0x000d, 0x2416: 0x000d, 0x2417: 0x000d, 0x2418: 0x000d, 0x2419: 0x000d, 0x241a: 0x000d, 0x241b: 0x000d, 0x241c: 0x000d, 0x241d: 0x000d, 0x241e: 0x000d, 0x241f: 0x000d, 0x2420: 0x000d, 0x2421: 0x000d, 0x2422: 0x000d, 0x2423: 0x000d, 0x2424: 0x000d, 0x2425: 0x000d, 0x2426: 0x000d, 0x2427: 0x000d, 0x2428: 0x000d, 0x2429: 0x000d, 0x242a: 0x000d, 0x242b: 0x000d, 0x242c: 0x000d, 0x242d: 0x000d, 0x242e: 0x000d, 0x242f: 0x000d, 0x2430: 0x000d, 0x2431: 0x000d, 0x2432: 0x000d, 0x2433: 0x000d, 0x2434: 0x000d, 0x2435: 0x000d, 0x2436: 0x000d, 0x2437: 0x000d, 0x2438: 0x000d, 0x2439: 0x000d, 0x243a: 0x000d, 0x243b: 0x000d, 0x243c: 0x000d, 0x243d: 0x000d, 0x243e: 0x000a, 0x243f: 0x000a, // Block 0x91, offset 0x2440 0x2440: 0x000d, 0x2441: 0x000d, 0x2442: 0x000d, 0x2443: 0x000d, 0x2444: 0x000d, 0x2445: 0x000d, 0x2446: 0x000d, 0x2447: 0x000d, 0x2448: 0x000d, 0x2449: 0x000d, 0x244a: 0x000d, 0x244b: 0x000d, 0x244c: 0x000d, 0x244d: 0x000d, 0x244e: 0x000d, 0x244f: 0x000d, 0x2450: 0x000b, 0x2451: 0x000b, 0x2452: 0x000b, 0x2453: 0x000b, 0x2454: 0x000b, 0x2455: 0x000b, 0x2456: 0x000b, 0x2457: 0x000b, 0x2458: 0x000b, 0x2459: 0x000b, 0x245a: 0x000b, 0x245b: 0x000b, 0x245c: 0x000b, 0x245d: 0x000b, 0x245e: 0x000b, 0x245f: 0x000b, 0x2460: 0x000b, 0x2461: 0x000b, 0x2462: 0x000b, 0x2463: 0x000b, 0x2464: 0x000b, 0x2465: 0x000b, 0x2466: 0x000b, 0x2467: 0x000b, 0x2468: 0x000b, 0x2469: 0x000b, 0x246a: 0x000b, 0x246b: 0x000b, 0x246c: 0x000b, 0x246d: 0x000b, 0x246e: 0x000b, 0x246f: 0x000b, 0x2470: 0x000d, 0x2471: 0x000d, 0x2472: 0x000d, 0x2473: 0x000d, 0x2474: 0x000d, 0x2475: 0x000d, 0x2476: 0x000d, 0x2477: 0x000d, 0x2478: 0x000d, 0x2479: 0x000d, 0x247a: 0x000d, 0x247b: 0x000d, 0x247c: 0x000d, 0x247d: 0x000a, 0x247e: 0x000d, 0x247f: 0x000d, // Block 0x92, offset 0x2480 0x2480: 0x000c, 0x2481: 0x000c, 0x2482: 0x000c, 0x2483: 0x000c, 0x2484: 0x000c, 0x2485: 0x000c, 0x2486: 0x000c, 0x2487: 0x000c, 0x2488: 0x000c, 0x2489: 0x000c, 0x248a: 0x000c, 0x248b: 0x000c, 0x248c: 0x000c, 0x248d: 0x000c, 0x248e: 0x000c, 0x248f: 0x000c, 0x2490: 0x000a, 0x2491: 0x000a, 0x2492: 0x000a, 0x2493: 0x000a, 0x2494: 0x000a, 0x2495: 0x000a, 0x2496: 0x000a, 0x2497: 0x000a, 0x2498: 0x000a, 0x2499: 0x000a, 0x24a0: 0x000c, 0x24a1: 0x000c, 0x24a2: 0x000c, 0x24a3: 0x000c, 0x24a4: 0x000c, 0x24a5: 0x000c, 0x24a6: 0x000c, 0x24a7: 0x000c, 0x24a8: 0x000c, 0x24a9: 0x000c, 0x24aa: 0x000c, 0x24ab: 0x000c, 0x24ac: 0x000c, 0x24ad: 0x000c, 0x24ae: 0x000c, 0x24af: 0x000c, 0x24b0: 0x000a, 0x24b1: 0x000a, 0x24b2: 0x000a, 0x24b3: 0x000a, 0x24b4: 0x000a, 0x24b5: 0x000a, 0x24b6: 0x000a, 0x24b7: 0x000a, 0x24b8: 0x000a, 0x24b9: 0x000a, 0x24ba: 0x000a, 0x24bb: 0x000a, 0x24bc: 0x000a, 0x24bd: 0x000a, 0x24be: 0x000a, 0x24bf: 0x000a, // Block 0x93, offset 0x24c0 0x24c0: 0x000a, 0x24c1: 0x000a, 0x24c2: 0x000a, 0x24c3: 0x000a, 0x24c4: 0x000a, 0x24c5: 0x000a, 0x24c6: 0x000a, 0x24c7: 0x000a, 0x24c8: 0x000a, 0x24c9: 0x000a, 0x24ca: 0x000a, 0x24cb: 0x000a, 0x24cc: 0x000a, 0x24cd: 0x000a, 0x24ce: 0x000a, 0x24cf: 0x000a, 0x24d0: 0x0006, 0x24d1: 0x000a, 0x24d2: 0x0006, 0x24d4: 0x000a, 0x24d5: 0x0006, 0x24d6: 0x000a, 0x24d7: 0x000a, 0x24d8: 0x000a, 0x24d9: 0x009a, 0x24da: 0x008a, 0x24db: 0x007a, 0x24dc: 0x006a, 0x24dd: 0x009a, 0x24de: 0x008a, 0x24df: 0x0004, 0x24e0: 0x000a, 0x24e1: 0x000a, 0x24e2: 0x0003, 0x24e3: 0x0003, 0x24e4: 0x000a, 0x24e5: 0x000a, 0x24e6: 0x000a, 0x24e8: 0x000a, 0x24e9: 0x0004, 0x24ea: 0x0004, 0x24eb: 0x000a, 0x24f0: 0x000d, 0x24f1: 0x000d, 0x24f2: 0x000d, 0x24f3: 0x000d, 0x24f4: 0x000d, 0x24f5: 0x000d, 0x24f6: 0x000d, 0x24f7: 0x000d, 0x24f8: 0x000d, 0x24f9: 0x000d, 0x24fa: 0x000d, 0x24fb: 0x000d, 0x24fc: 0x000d, 0x24fd: 0x000d, 0x24fe: 0x000d, 0x24ff: 0x000d, // Block 0x94, offset 0x2500 0x2500: 0x000d, 0x2501: 0x000d, 0x2502: 0x000d, 0x2503: 0x000d, 0x2504: 0x000d, 0x2505: 0x000d, 0x2506: 0x000d, 0x2507: 0x000d, 0x2508: 0x000d, 0x2509: 0x000d, 0x250a: 0x000d, 0x250b: 0x000d, 0x250c: 0x000d, 0x250d: 0x000d, 0x250e: 0x000d, 0x250f: 0x000d, 0x2510: 0x000d, 0x2511: 0x000d, 0x2512: 0x000d, 0x2513: 0x000d, 0x2514: 0x000d, 0x2515: 0x000d, 0x2516: 0x000d, 0x2517: 0x000d, 0x2518: 0x000d, 0x2519: 0x000d, 0x251a: 0x000d, 0x251b: 0x000d, 0x251c: 0x000d, 0x251d: 0x000d, 0x251e: 0x000d, 0x251f: 0x000d, 0x2520: 0x000d, 0x2521: 0x000d, 0x2522: 0x000d, 0x2523: 0x000d, 0x2524: 0x000d, 0x2525: 0x000d, 0x2526: 0x000d, 0x2527: 0x000d, 0x2528: 0x000d, 0x2529: 0x000d, 0x252a: 0x000d, 0x252b: 0x000d, 0x252c: 0x000d, 0x252d: 0x000d, 0x252e: 0x000d, 0x252f: 0x000d, 0x2530: 0x000d, 0x2531: 0x000d, 0x2532: 0x000d, 0x2533: 0x000d, 0x2534: 0x000d, 0x2535: 0x000d, 0x2536: 0x000d, 0x2537: 0x000d, 0x2538: 0x000d, 0x2539: 0x000d, 0x253a: 0x000d, 0x253b: 0x000d, 0x253c: 0x000d, 0x253d: 0x000d, 0x253e: 0x000d, 0x253f: 0x000b, // Block 0x95, offset 0x2540 0x2541: 0x000a, 0x2542: 0x000a, 0x2543: 0x0004, 0x2544: 0x0004, 0x2545: 0x0004, 0x2546: 0x000a, 0x2547: 0x000a, 0x2548: 0x003a, 0x2549: 0x002a, 0x254a: 0x000a, 0x254b: 0x0003, 0x254c: 0x0006, 0x254d: 0x0003, 0x254e: 0x0006, 0x254f: 0x0006, 0x2550: 0x0002, 0x2551: 0x0002, 0x2552: 0x0002, 0x2553: 0x0002, 0x2554: 0x0002, 0x2555: 0x0002, 0x2556: 0x0002, 0x2557: 0x0002, 0x2558: 0x0002, 0x2559: 0x0002, 0x255a: 0x0006, 0x255b: 0x000a, 0x255c: 0x000a, 0x255d: 0x000a, 0x255e: 0x000a, 0x255f: 0x000a, 0x2560: 0x000a, 0x257b: 0x005a, 0x257c: 0x000a, 0x257d: 0x004a, 0x257e: 0x000a, 0x257f: 0x000a, // Block 0x96, offset 0x2580 0x2580: 0x000a, 0x259b: 0x005a, 0x259c: 0x000a, 0x259d: 0x004a, 0x259e: 0x000a, 0x259f: 0x00fa, 0x25a0: 0x00ea, 0x25a1: 0x000a, 0x25a2: 0x003a, 0x25a3: 0x002a, 0x25a4: 0x000a, 0x25a5: 0x000a, // Block 0x97, offset 0x25c0 0x25e0: 0x0004, 0x25e1: 0x0004, 0x25e2: 0x000a, 0x25e3: 0x000a, 0x25e4: 0x000a, 0x25e5: 0x0004, 0x25e6: 0x0004, 0x25e8: 0x000a, 0x25e9: 0x000a, 0x25ea: 0x000a, 0x25eb: 0x000a, 0x25ec: 0x000a, 0x25ed: 0x000a, 0x25ee: 0x000a, 0x25f0: 0x000b, 0x25f1: 0x000b, 0x25f2: 0x000b, 0x25f3: 0x000b, 0x25f4: 0x000b, 0x25f5: 0x000b, 0x25f6: 0x000b, 0x25f7: 0x000b, 0x25f8: 0x000b, 0x25f9: 0x000a, 0x25fa: 0x000a, 0x25fb: 0x000a, 0x25fc: 0x000a, 0x25fd: 0x000a, 0x25fe: 0x000b, 0x25ff: 0x000b, // Block 0x98, offset 0x2600 0x2601: 0x000a, // Block 0x99, offset 0x2640 0x2640: 0x000a, 0x2641: 0x000a, 0x2642: 0x000a, 0x2643: 0x000a, 0x2644: 0x000a, 0x2645: 0x000a, 0x2646: 0x000a, 0x2647: 0x000a, 0x2648: 0x000a, 0x2649: 0x000a, 0x264a: 0x000a, 0x264b: 0x000a, 0x264c: 0x000a, 0x2650: 0x000a, 0x2651: 0x000a, 0x2652: 0x000a, 0x2653: 0x000a, 0x2654: 0x000a, 0x2655: 0x000a, 0x2656: 0x000a, 0x2657: 0x000a, 0x2658: 0x000a, 0x2659: 0x000a, 0x265a: 0x000a, 0x265b: 0x000a, 0x2660: 0x000a, // Block 0x9a, offset 0x2680 0x26bd: 0x000c, // Block 0x9b, offset 0x26c0 0x26e0: 0x000c, 0x26e1: 0x0002, 0x26e2: 0x0002, 0x26e3: 0x0002, 0x26e4: 0x0002, 0x26e5: 0x0002, 0x26e6: 0x0002, 0x26e7: 0x0002, 0x26e8: 0x0002, 0x26e9: 0x0002, 0x26ea: 0x0002, 0x26eb: 0x0002, 0x26ec: 0x0002, 0x26ed: 0x0002, 0x26ee: 0x0002, 0x26ef: 0x0002, 0x26f0: 0x0002, 0x26f1: 0x0002, 0x26f2: 0x0002, 0x26f3: 0x0002, 0x26f4: 0x0002, 0x26f5: 0x0002, 0x26f6: 0x0002, 0x26f7: 0x0002, 0x26f8: 0x0002, 0x26f9: 0x0002, 0x26fa: 0x0002, 0x26fb: 0x0002, // Block 0x9c, offset 0x2700 0x2736: 0x000c, 0x2737: 0x000c, 0x2738: 0x000c, 0x2739: 0x000c, 0x273a: 0x000c, // Block 0x9d, offset 0x2740 0x2740: 0x0001, 0x2741: 0x0001, 0x2742: 0x0001, 0x2743: 0x0001, 0x2744: 0x0001, 0x2745: 0x0001, 0x2746: 0x0001, 0x2747: 0x0001, 0x2748: 0x0001, 0x2749: 0x0001, 0x274a: 0x0001, 0x274b: 0x0001, 0x274c: 0x0001, 0x274d: 0x0001, 0x274e: 0x0001, 0x274f: 0x0001, 0x2750: 0x0001, 0x2751: 0x0001, 0x2752: 0x0001, 0x2753: 0x0001, 0x2754: 0x0001, 0x2755: 0x0001, 0x2756: 0x0001, 0x2757: 0x0001, 0x2758: 0x0001, 0x2759: 0x0001, 0x275a: 0x0001, 0x275b: 0x0001, 0x275c: 0x0001, 0x275d: 0x0001, 0x275e: 0x0001, 0x275f: 0x0001, 0x2760: 0x0001, 0x2761: 0x0001, 0x2762: 0x0001, 0x2763: 0x0001, 0x2764: 0x0001, 0x2765: 0x0001, 0x2766: 0x0001, 0x2767: 0x0001, 0x2768: 0x0001, 0x2769: 0x0001, 0x276a: 0x0001, 0x276b: 0x0001, 0x276c: 0x0001, 0x276d: 0x0001, 0x276e: 0x0001, 0x276f: 0x0001, 0x2770: 0x0001, 0x2771: 0x0001, 0x2772: 0x0001, 0x2773: 0x0001, 0x2774: 0x0001, 0x2775: 0x0001, 0x2776: 0x0001, 0x2777: 0x0001, 0x2778: 0x0001, 0x2779: 0x0001, 0x277a: 0x0001, 0x277b: 0x0001, 0x277c: 0x0001, 0x277d: 0x0001, 0x277e: 0x0001, 0x277f: 0x0001, // Block 0x9e, offset 0x2780 0x2780: 0x0001, 0x2781: 0x0001, 0x2782: 0x0001, 0x2783: 0x0001, 0x2784: 0x0001, 0x2785: 0x0001, 0x2786: 0x0001, 0x2787: 0x0001, 0x2788: 0x0001, 0x2789: 0x0001, 0x278a: 0x0001, 0x278b: 0x0001, 0x278c: 0x0001, 0x278d: 0x0001, 0x278e: 0x0001, 0x278f: 0x0001, 0x2790: 0x0001, 0x2791: 0x0001, 0x2792: 0x0001, 0x2793: 0x0001, 0x2794: 0x0001, 0x2795: 0x0001, 0x2796: 0x0001, 0x2797: 0x0001, 0x2798: 0x0001, 0x2799: 0x0001, 0x279a: 0x0001, 0x279b: 0x0001, 0x279c: 0x0001, 0x279d: 0x0001, 0x279e: 0x0001, 0x279f: 0x000a, 0x27a0: 0x0001, 0x27a1: 0x0001, 0x27a2: 0x0001, 0x27a3: 0x0001, 0x27a4: 0x0001, 0x27a5: 0x0001, 0x27a6: 0x0001, 0x27a7: 0x0001, 0x27a8: 0x0001, 0x27a9: 0x0001, 0x27aa: 0x0001, 0x27ab: 0x0001, 0x27ac: 0x0001, 0x27ad: 0x0001, 0x27ae: 0x0001, 0x27af: 0x0001, 0x27b0: 0x0001, 0x27b1: 0x0001, 0x27b2: 0x0001, 0x27b3: 0x0001, 0x27b4: 0x0001, 0x27b5: 0x0001, 0x27b6: 0x0001, 0x27b7: 0x0001, 0x27b8: 0x0001, 0x27b9: 0x0001, 0x27ba: 0x0001, 0x27bb: 0x0001, 0x27bc: 0x0001, 0x27bd: 0x0001, 0x27be: 0x0001, 0x27bf: 0x0001, // Block 0x9f, offset 0x27c0 0x27c0: 0x0001, 0x27c1: 0x000c, 0x27c2: 0x000c, 0x27c3: 0x000c, 0x27c4: 0x0001, 0x27c5: 0x000c, 0x27c6: 0x000c, 0x27c7: 0x0001, 0x27c8: 0x0001, 0x27c9: 0x0001, 0x27ca: 0x0001, 0x27cb: 0x0001, 0x27cc: 0x000c, 0x27cd: 0x000c, 0x27ce: 0x000c, 0x27cf: 0x000c, 0x27d0: 0x0001, 0x27d1: 0x0001, 0x27d2: 0x0001, 0x27d3: 0x0001, 0x27d4: 0x0001, 0x27d5: 0x0001, 0x27d6: 0x0001, 0x27d7: 0x0001, 0x27d8: 0x0001, 0x27d9: 0x0001, 0x27da: 0x0001, 0x27db: 0x0001, 0x27dc: 0x0001, 0x27dd: 0x0001, 0x27de: 0x0001, 0x27df: 0x0001, 0x27e0: 0x0001, 0x27e1: 0x0001, 0x27e2: 0x0001, 0x27e3: 0x0001, 0x27e4: 0x0001, 0x27e5: 0x0001, 0x27e6: 0x0001, 0x27e7: 0x0001, 0x27e8: 0x0001, 0x27e9: 0x0001, 0x27ea: 0x0001, 0x27eb: 0x0001, 0x27ec: 0x0001, 0x27ed: 0x0001, 0x27ee: 0x0001, 0x27ef: 0x0001, 0x27f0: 0x0001, 0x27f1: 0x0001, 0x27f2: 0x0001, 0x27f3: 0x0001, 0x27f4: 0x0001, 0x27f5: 0x0001, 0x27f6: 0x0001, 0x27f7: 0x0001, 0x27f8: 0x000c, 0x27f9: 0x000c, 0x27fa: 0x000c, 0x27fb: 0x0001, 0x27fc: 0x0001, 0x27fd: 0x0001, 0x27fe: 0x0001, 0x27ff: 0x000c, // Block 0xa0, offset 0x2800 0x2800: 0x0001, 0x2801: 0x0001, 0x2802: 0x0001, 0x2803: 0x0001, 0x2804: 0x0001, 0x2805: 0x0001, 0x2806: 0x0001, 0x2807: 0x0001, 0x2808: 0x0001, 0x2809: 0x0001, 0x280a: 0x0001, 0x280b: 0x0001, 0x280c: 0x0001, 0x280d: 0x0001, 0x280e: 0x0001, 0x280f: 0x0001, 0x2810: 0x0001, 0x2811: 0x0001, 0x2812: 0x0001, 0x2813: 0x0001, 0x2814: 0x0001, 0x2815: 0x0001, 0x2816: 0x0001, 0x2817: 0x0001, 0x2818: 0x0001, 0x2819: 0x0001, 0x281a: 0x0001, 0x281b: 0x0001, 0x281c: 0x0001, 0x281d: 0x0001, 0x281e: 0x0001, 0x281f: 0x0001, 0x2820: 0x0001, 0x2821: 0x0001, 0x2822: 0x0001, 0x2823: 0x0001, 0x2824: 0x0001, 0x2825: 0x000c, 0x2826: 0x000c, 0x2827: 0x0001, 0x2828: 0x0001, 0x2829: 0x0001, 0x282a: 0x0001, 0x282b: 0x0001, 0x282c: 0x0001, 0x282d: 0x0001, 0x282e: 0x0001, 0x282f: 0x0001, 0x2830: 0x0001, 0x2831: 0x0001, 0x2832: 0x0001, 0x2833: 0x0001, 0x2834: 0x0001, 0x2835: 0x0001, 0x2836: 0x0001, 0x2837: 0x0001, 0x2838: 0x0001, 0x2839: 0x0001, 0x283a: 0x0001, 0x283b: 0x0001, 0x283c: 0x0001, 0x283d: 0x0001, 0x283e: 0x0001, 0x283f: 0x0001, // Block 0xa1, offset 0x2840 0x2840: 0x0001, 0x2841: 0x0001, 0x2842: 0x0001, 0x2843: 0x0001, 0x2844: 0x0001, 0x2845: 0x0001, 0x2846: 0x0001, 0x2847: 0x0001, 0x2848: 0x0001, 0x2849: 0x0001, 0x284a: 0x0001, 0x284b: 0x0001, 0x284c: 0x0001, 0x284d: 0x0001, 0x284e: 0x0001, 0x284f: 0x0001, 0x2850: 0x0001, 0x2851: 0x0001, 0x2852: 0x0001, 0x2853: 0x0001, 0x2854: 0x0001, 0x2855: 0x0001, 0x2856: 0x0001, 0x2857: 0x0001, 0x2858: 0x0001, 0x2859: 0x0001, 0x285a: 0x0001, 0x285b: 0x0001, 0x285c: 0x0001, 0x285d: 0x0001, 0x285e: 0x0001, 0x285f: 0x0001, 0x2860: 0x0001, 0x2861: 0x0001, 0x2862: 0x0001, 0x2863: 0x0001, 0x2864: 0x0001, 0x2865: 0x0001, 0x2866: 0x0001, 0x2867: 0x0001, 0x2868: 0x0001, 0x2869: 0x0001, 0x286a: 0x0001, 0x286b: 0x0001, 0x286c: 0x0001, 0x286d: 0x0001, 0x286e: 0x0001, 0x286f: 0x0001, 0x2870: 0x0001, 0x2871: 0x0001, 0x2872: 0x0001, 0x2873: 0x0001, 0x2874: 0x0001, 0x2875: 0x0001, 0x2876: 0x0001, 0x2877: 0x0001, 0x2878: 0x0001, 0x2879: 0x000a, 0x287a: 0x000a, 0x287b: 0x000a, 0x287c: 0x000a, 0x287d: 0x000a, 0x287e: 0x000a, 0x287f: 0x000a, // Block 0xa2, offset 0x2880 0x2880: 0x0001, 0x2881: 0x0001, 0x2882: 0x0001, 0x2883: 0x0001, 0x2884: 0x0001, 0x2885: 0x0001, 0x2886: 0x0001, 0x2887: 0x0001, 0x2888: 0x0001, 0x2889: 0x0001, 0x288a: 0x0001, 0x288b: 0x0001, 0x288c: 0x0001, 0x288d: 0x0001, 0x288e: 0x0001, 0x288f: 0x0001, 0x2890: 0x0001, 0x2891: 0x0001, 0x2892: 0x0001, 0x2893: 0x0001, 0x2894: 0x0001, 0x2895: 0x0001, 0x2896: 0x0001, 0x2897: 0x0001, 0x2898: 0x0001, 0x2899: 0x0001, 0x289a: 0x0001, 0x289b: 0x0001, 0x289c: 0x0001, 0x289d: 0x0001, 0x289e: 0x0001, 0x289f: 0x0001, 0x28a0: 0x0005, 0x28a1: 0x0005, 0x28a2: 0x0005, 0x28a3: 0x0005, 0x28a4: 0x0005, 0x28a5: 0x0005, 0x28a6: 0x0005, 0x28a7: 0x0005, 0x28a8: 0x0005, 0x28a9: 0x0005, 0x28aa: 0x0005, 0x28ab: 0x0005, 0x28ac: 0x0005, 0x28ad: 0x0005, 0x28ae: 0x0005, 0x28af: 0x0005, 0x28b0: 0x0005, 0x28b1: 0x0005, 0x28b2: 0x0005, 0x28b3: 0x0005, 0x28b4: 0x0005, 0x28b5: 0x0005, 0x28b6: 0x0005, 0x28b7: 0x0005, 0x28b8: 0x0005, 0x28b9: 0x0005, 0x28ba: 0x0005, 0x28bb: 0x0005, 0x28bc: 0x0005, 0x28bd: 0x0005, 0x28be: 0x0005, 0x28bf: 0x0001, // Block 0xa3, offset 0x28c0 0x28c1: 0x000c, 0x28f8: 0x000c, 0x28f9: 0x000c, 0x28fa: 0x000c, 0x28fb: 0x000c, 0x28fc: 0x000c, 0x28fd: 0x000c, 0x28fe: 0x000c, 0x28ff: 0x000c, // Block 0xa4, offset 0x2900 0x2900: 0x000c, 0x2901: 0x000c, 0x2902: 0x000c, 0x2903: 0x000c, 0x2904: 0x000c, 0x2905: 0x000c, 0x2906: 0x000c, 0x2912: 0x000a, 0x2913: 0x000a, 0x2914: 0x000a, 0x2915: 0x000a, 0x2916: 0x000a, 0x2917: 0x000a, 0x2918: 0x000a, 0x2919: 0x000a, 0x291a: 0x000a, 0x291b: 0x000a, 0x291c: 0x000a, 0x291d: 0x000a, 0x291e: 0x000a, 0x291f: 0x000a, 0x2920: 0x000a, 0x2921: 0x000a, 0x2922: 0x000a, 0x2923: 0x000a, 0x2924: 0x000a, 0x2925: 0x000a, 0x293f: 0x000c, // Block 0xa5, offset 0x2940 0x2940: 0x000c, 0x2941: 0x000c, 0x2973: 0x000c, 0x2974: 0x000c, 0x2975: 0x000c, 0x2976: 0x000c, 0x2979: 0x000c, 0x297a: 0x000c, // Block 0xa6, offset 0x2980 0x2980: 0x000c, 0x2981: 0x000c, 0x2982: 0x000c, 0x29a7: 0x000c, 0x29a8: 0x000c, 0x29a9: 0x000c, 0x29aa: 0x000c, 0x29ab: 0x000c, 0x29ad: 0x000c, 0x29ae: 0x000c, 0x29af: 0x000c, 0x29b0: 0x000c, 0x29b1: 0x000c, 0x29b2: 0x000c, 0x29b3: 0x000c, 0x29b4: 0x000c, // Block 0xa7, offset 0x29c0 0x29f3: 0x000c, // Block 0xa8, offset 0x2a00 0x2a00: 0x000c, 0x2a01: 0x000c, 0x2a36: 0x000c, 0x2a37: 0x000c, 0x2a38: 0x000c, 0x2a39: 0x000c, 0x2a3a: 0x000c, 0x2a3b: 0x000c, 0x2a3c: 0x000c, 0x2a3d: 0x000c, 0x2a3e: 0x000c, // Block 0xa9, offset 0x2a40 0x2a4a: 0x000c, 0x2a4b: 0x000c, 0x2a4c: 0x000c, // Block 0xaa, offset 0x2a80 0x2aaf: 0x000c, 0x2ab0: 0x000c, 0x2ab1: 0x000c, 0x2ab4: 0x000c, 0x2ab6: 0x000c, 0x2ab7: 0x000c, 0x2abe: 0x000c, // Block 0xab, offset 0x2ac0 0x2adf: 0x000c, 0x2ae3: 0x000c, 0x2ae4: 0x000c, 0x2ae5: 0x000c, 0x2ae6: 0x000c, 0x2ae7: 0x000c, 0x2ae8: 0x000c, 0x2ae9: 0x000c, 0x2aea: 0x000c, // Block 0xac, offset 0x2b00 0x2b00: 0x000c, 0x2b01: 0x000c, 0x2b3c: 0x000c, // Block 0xad, offset 0x2b40 0x2b40: 0x000c, 0x2b66: 0x000c, 0x2b67: 0x000c, 0x2b68: 0x000c, 0x2b69: 0x000c, 0x2b6a: 0x000c, 0x2b6b: 0x000c, 0x2b6c: 0x000c, 0x2b70: 0x000c, 0x2b71: 0x000c, 0x2b72: 0x000c, 0x2b73: 0x000c, 0x2b74: 0x000c, // Block 0xae, offset 0x2b80 0x2bb8: 0x000c, 0x2bb9: 0x000c, 0x2bba: 0x000c, 0x2bbb: 0x000c, 0x2bbc: 0x000c, 0x2bbd: 0x000c, 0x2bbe: 0x000c, 0x2bbf: 0x000c, // Block 0xaf, offset 0x2bc0 0x2bc2: 0x000c, 0x2bc3: 0x000c, 0x2bc4: 0x000c, 0x2bc6: 0x000c, // Block 0xb0, offset 0x2c00 0x2c33: 0x000c, 0x2c34: 0x000c, 0x2c35: 0x000c, 0x2c36: 0x000c, 0x2c37: 0x000c, 0x2c38: 0x000c, 0x2c3a: 0x000c, 0x2c3f: 0x000c, // Block 0xb1, offset 0x2c40 0x2c40: 0x000c, 0x2c42: 0x000c, 0x2c43: 0x000c, // Block 0xb2, offset 0x2c80 0x2cb2: 0x000c, 0x2cb3: 0x000c, 0x2cb4: 0x000c, 0x2cb5: 0x000c, 0x2cbc: 0x000c, 0x2cbd: 0x000c, 0x2cbf: 0x000c, // Block 0xb3, offset 0x2cc0 0x2cc0: 0x000c, 0x2cdc: 0x000c, 0x2cdd: 0x000c, // Block 0xb4, offset 0x2d00 0x2d33: 0x000c, 0x2d34: 0x000c, 0x2d35: 0x000c, 0x2d36: 0x000c, 0x2d37: 0x000c, 0x2d38: 0x000c, 0x2d39: 0x000c, 0x2d3a: 0x000c, 0x2d3d: 0x000c, 0x2d3f: 0x000c, // Block 0xb5, offset 0x2d40 0x2d40: 0x000c, 0x2d60: 0x000a, 0x2d61: 0x000a, 0x2d62: 0x000a, 0x2d63: 0x000a, 0x2d64: 0x000a, 0x2d65: 0x000a, 0x2d66: 0x000a, 0x2d67: 0x000a, 0x2d68: 0x000a, 0x2d69: 0x000a, 0x2d6a: 0x000a, 0x2d6b: 0x000a, 0x2d6c: 0x000a, // Block 0xb6, offset 0x2d80 0x2dab: 0x000c, 0x2dad: 0x000c, 0x2db0: 0x000c, 0x2db1: 0x000c, 0x2db2: 0x000c, 0x2db3: 0x000c, 0x2db4: 0x000c, 0x2db5: 0x000c, 0x2db7: 0x000c, // Block 0xb7, offset 0x2dc0 0x2ddd: 0x000c, 0x2dde: 0x000c, 0x2ddf: 0x000c, 0x2de2: 0x000c, 0x2de3: 0x000c, 0x2de4: 0x000c, 0x2de5: 0x000c, 0x2de7: 0x000c, 0x2de8: 0x000c, 0x2de9: 0x000c, 0x2dea: 0x000c, 0x2deb: 0x000c, // Block 0xb8, offset 0x2e00 0x2e30: 0x000c, 0x2e31: 0x000c, 0x2e32: 0x000c, 0x2e33: 0x000c, 0x2e34: 0x000c, 0x2e35: 0x000c, 0x2e36: 0x000c, 0x2e38: 0x000c, 0x2e39: 0x000c, 0x2e3a: 0x000c, 0x2e3b: 0x000c, 0x2e3c: 0x000c, 0x2e3d: 0x000c, // Block 0xb9, offset 0x2e40 0x2e52: 0x000c, 0x2e53: 0x000c, 0x2e54: 0x000c, 0x2e55: 0x000c, 0x2e56: 0x000c, 0x2e57: 0x000c, 0x2e58: 0x000c, 0x2e59: 0x000c, 0x2e5a: 0x000c, 0x2e5b: 0x000c, 0x2e5c: 0x000c, 0x2e5d: 0x000c, 0x2e5e: 0x000c, 0x2e5f: 0x000c, 0x2e60: 0x000c, 0x2e61: 0x000c, 0x2e62: 0x000c, 0x2e63: 0x000c, 0x2e64: 0x000c, 0x2e65: 0x000c, 0x2e66: 0x000c, 0x2e67: 0x000c, 0x2e6a: 0x000c, 0x2e6b: 0x000c, 0x2e6c: 0x000c, 0x2e6d: 0x000c, 0x2e6e: 0x000c, 0x2e6f: 0x000c, 0x2e70: 0x000c, 0x2e72: 0x000c, 0x2e73: 0x000c, 0x2e75: 0x000c, 0x2e76: 0x000c, // Block 0xba, offset 0x2e80 0x2eb0: 0x000c, 0x2eb1: 0x000c, 0x2eb2: 0x000c, 0x2eb3: 0x000c, 0x2eb4: 0x000c, // Block 0xbb, offset 0x2ec0 0x2ef0: 0x000c, 0x2ef1: 0x000c, 0x2ef2: 0x000c, 0x2ef3: 0x000c, 0x2ef4: 0x000c, 0x2ef5: 0x000c, 0x2ef6: 0x000c, // Block 0xbc, offset 0x2f00 0x2f0f: 0x000c, 0x2f10: 0x000c, 0x2f11: 0x000c, 0x2f12: 0x000c, // Block 0xbd, offset 0x2f40 0x2f5d: 0x000c, 0x2f5e: 0x000c, 0x2f60: 0x000b, 0x2f61: 0x000b, 0x2f62: 0x000b, 0x2f63: 0x000b, // Block 0xbe, offset 0x2f80 0x2fa7: 0x000c, 0x2fa8: 0x000c, 0x2fa9: 0x000c, 0x2fb3: 0x000b, 0x2fb4: 0x000b, 0x2fb5: 0x000b, 0x2fb6: 0x000b, 0x2fb7: 0x000b, 0x2fb8: 0x000b, 0x2fb9: 0x000b, 0x2fba: 0x000b, 0x2fbb: 0x000c, 0x2fbc: 0x000c, 0x2fbd: 0x000c, 0x2fbe: 0x000c, 0x2fbf: 0x000c, // Block 0xbf, offset 0x2fc0 0x2fc0: 0x000c, 0x2fc1: 0x000c, 0x2fc2: 0x000c, 0x2fc5: 0x000c, 0x2fc6: 0x000c, 0x2fc7: 0x000c, 0x2fc8: 0x000c, 0x2fc9: 0x000c, 0x2fca: 0x000c, 0x2fcb: 0x000c, 0x2fea: 0x000c, 0x2feb: 0x000c, 0x2fec: 0x000c, 0x2fed: 0x000c, // Block 0xc0, offset 0x3000 0x3000: 0x000a, 0x3001: 0x000a, 0x3002: 0x000c, 0x3003: 0x000c, 0x3004: 0x000c, 0x3005: 0x000a, // Block 0xc1, offset 0x3040 0x3040: 0x000a, 0x3041: 0x000a, 0x3042: 0x000a, 0x3043: 0x000a, 0x3044: 0x000a, 0x3045: 0x000a, 0x3046: 0x000a, 0x3047: 0x000a, 0x3048: 0x000a, 0x3049: 0x000a, 0x304a: 0x000a, 0x304b: 0x000a, 0x304c: 0x000a, 0x304d: 0x000a, 0x304e: 0x000a, 0x304f: 0x000a, 0x3050: 0x000a, 0x3051: 0x000a, 0x3052: 0x000a, 0x3053: 0x000a, 0x3054: 0x000a, 0x3055: 0x000a, 0x3056: 0x000a, // Block 0xc2, offset 0x3080 0x309b: 0x000a, // Block 0xc3, offset 0x30c0 0x30d5: 0x000a, // Block 0xc4, offset 0x3100 0x310f: 0x000a, // Block 0xc5, offset 0x3140 0x3149: 0x000a, // Block 0xc6, offset 0x3180 0x3183: 0x000a, 0x318e: 0x0002, 0x318f: 0x0002, 0x3190: 0x0002, 0x3191: 0x0002, 0x3192: 0x0002, 0x3193: 0x0002, 0x3194: 0x0002, 0x3195: 0x0002, 0x3196: 0x0002, 0x3197: 0x0002, 0x3198: 0x0002, 0x3199: 0x0002, 0x319a: 0x0002, 0x319b: 0x0002, 0x319c: 0x0002, 0x319d: 0x0002, 0x319e: 0x0002, 0x319f: 0x0002, 0x31a0: 0x0002, 0x31a1: 0x0002, 0x31a2: 0x0002, 0x31a3: 0x0002, 0x31a4: 0x0002, 0x31a5: 0x0002, 0x31a6: 0x0002, 0x31a7: 0x0002, 0x31a8: 0x0002, 0x31a9: 0x0002, 0x31aa: 0x0002, 0x31ab: 0x0002, 0x31ac: 0x0002, 0x31ad: 0x0002, 0x31ae: 0x0002, 0x31af: 0x0002, 0x31b0: 0x0002, 0x31b1: 0x0002, 0x31b2: 0x0002, 0x31b3: 0x0002, 0x31b4: 0x0002, 0x31b5: 0x0002, 0x31b6: 0x0002, 0x31b7: 0x0002, 0x31b8: 0x0002, 0x31b9: 0x0002, 0x31ba: 0x0002, 0x31bb: 0x0002, 0x31bc: 0x0002, 0x31bd: 0x0002, 0x31be: 0x0002, 0x31bf: 0x0002, // Block 0xc7, offset 0x31c0 0x31c0: 0x000c, 0x31c1: 0x000c, 0x31c2: 0x000c, 0x31c3: 0x000c, 0x31c4: 0x000c, 0x31c5: 0x000c, 0x31c6: 0x000c, 0x31c7: 0x000c, 0x31c8: 0x000c, 0x31c9: 0x000c, 0x31ca: 0x000c, 0x31cb: 0x000c, 0x31cc: 0x000c, 0x31cd: 0x000c, 0x31ce: 0x000c, 0x31cf: 0x000c, 0x31d0: 0x000c, 0x31d1: 0x000c, 0x31d2: 0x000c, 0x31d3: 0x000c, 0x31d4: 0x000c, 0x31d5: 0x000c, 0x31d6: 0x000c, 0x31d7: 0x000c, 0x31d8: 0x000c, 0x31d9: 0x000c, 0x31da: 0x000c, 0x31db: 0x000c, 0x31dc: 0x000c, 0x31dd: 0x000c, 0x31de: 0x000c, 0x31df: 0x000c, 0x31e0: 0x000c, 0x31e1: 0x000c, 0x31e2: 0x000c, 0x31e3: 0x000c, 0x31e4: 0x000c, 0x31e5: 0x000c, 0x31e6: 0x000c, 0x31e7: 0x000c, 0x31e8: 0x000c, 0x31e9: 0x000c, 0x31ea: 0x000c, 0x31eb: 0x000c, 0x31ec: 0x000c, 0x31ed: 0x000c, 0x31ee: 0x000c, 0x31ef: 0x000c, 0x31f0: 0x000c, 0x31f1: 0x000c, 0x31f2: 0x000c, 0x31f3: 0x000c, 0x31f4: 0x000c, 0x31f5: 0x000c, 0x31f6: 0x000c, 0x31fb: 0x000c, 0x31fc: 0x000c, 0x31fd: 0x000c, 0x31fe: 0x000c, 0x31ff: 0x000c, // Block 0xc8, offset 0x3200 0x3200: 0x000c, 0x3201: 0x000c, 0x3202: 0x000c, 0x3203: 0x000c, 0x3204: 0x000c, 0x3205: 0x000c, 0x3206: 0x000c, 0x3207: 0x000c, 0x3208: 0x000c, 0x3209: 0x000c, 0x320a: 0x000c, 0x320b: 0x000c, 0x320c: 0x000c, 0x320d: 0x000c, 0x320e: 0x000c, 0x320f: 0x000c, 0x3210: 0x000c, 0x3211: 0x000c, 0x3212: 0x000c, 0x3213: 0x000c, 0x3214: 0x000c, 0x3215: 0x000c, 0x3216: 0x000c, 0x3217: 0x000c, 0x3218: 0x000c, 0x3219: 0x000c, 0x321a: 0x000c, 0x321b: 0x000c, 0x321c: 0x000c, 0x321d: 0x000c, 0x321e: 0x000c, 0x321f: 0x000c, 0x3220: 0x000c, 0x3221: 0x000c, 0x3222: 0x000c, 0x3223: 0x000c, 0x3224: 0x000c, 0x3225: 0x000c, 0x3226: 0x000c, 0x3227: 0x000c, 0x3228: 0x000c, 0x3229: 0x000c, 0x322a: 0x000c, 0x322b: 0x000c, 0x322c: 0x000c, 0x3235: 0x000c, // Block 0xc9, offset 0x3240 0x3244: 0x000c, 0x325b: 0x000c, 0x325c: 0x000c, 0x325d: 0x000c, 0x325e: 0x000c, 0x325f: 0x000c, 0x3261: 0x000c, 0x3262: 0x000c, 0x3263: 0x000c, 0x3264: 0x000c, 0x3265: 0x000c, 0x3266: 0x000c, 0x3267: 0x000c, 0x3268: 0x000c, 0x3269: 0x000c, 0x326a: 0x000c, 0x326b: 0x000c, 0x326c: 0x000c, 0x326d: 0x000c, 0x326e: 0x000c, 0x326f: 0x000c, // Block 0xca, offset 0x3280 0x3280: 0x000c, 0x3281: 0x000c, 0x3282: 0x000c, 0x3283: 0x000c, 0x3284: 0x000c, 0x3285: 0x000c, 0x3286: 0x000c, 0x3288: 0x000c, 0x3289: 0x000c, 0x328a: 0x000c, 0x328b: 0x000c, 0x328c: 0x000c, 0x328d: 0x000c, 0x328e: 0x000c, 0x328f: 0x000c, 0x3290: 0x000c, 0x3291: 0x000c, 0x3292: 0x000c, 0x3293: 0x000c, 0x3294: 0x000c, 0x3295: 0x000c, 0x3296: 0x000c, 0x3297: 0x000c, 0x3298: 0x000c, 0x329b: 0x000c, 0x329c: 0x000c, 0x329d: 0x000c, 0x329e: 0x000c, 0x329f: 0x000c, 0x32a0: 0x000c, 0x32a1: 0x000c, 0x32a3: 0x000c, 0x32a4: 0x000c, 0x32a6: 0x000c, 0x32a7: 0x000c, 0x32a8: 0x000c, 0x32a9: 0x000c, 0x32aa: 0x000c, // Block 0xcb, offset 0x32c0 0x32c0: 0x0001, 0x32c1: 0x0001, 0x32c2: 0x0001, 0x32c3: 0x0001, 0x32c4: 0x0001, 0x32c5: 0x0001, 0x32c6: 0x0001, 0x32c7: 0x0001, 0x32c8: 0x0001, 0x32c9: 0x0001, 0x32ca: 0x0001, 0x32cb: 0x0001, 0x32cc: 0x0001, 0x32cd: 0x0001, 0x32ce: 0x0001, 0x32cf: 0x0001, 0x32d0: 0x000c, 0x32d1: 0x000c, 0x32d2: 0x000c, 0x32d3: 0x000c, 0x32d4: 0x000c, 0x32d5: 0x000c, 0x32d6: 0x000c, 0x32d7: 0x0001, 0x32d8: 0x0001, 0x32d9: 0x0001, 0x32da: 0x0001, 0x32db: 0x0001, 0x32dc: 0x0001, 0x32dd: 0x0001, 0x32de: 0x0001, 0x32df: 0x0001, 0x32e0: 0x0001, 0x32e1: 0x0001, 0x32e2: 0x0001, 0x32e3: 0x0001, 0x32e4: 0x0001, 0x32e5: 0x0001, 0x32e6: 0x0001, 0x32e7: 0x0001, 0x32e8: 0x0001, 0x32e9: 0x0001, 0x32ea: 0x0001, 0x32eb: 0x0001, 0x32ec: 0x0001, 0x32ed: 0x0001, 0x32ee: 0x0001, 0x32ef: 0x0001, 0x32f0: 0x0001, 0x32f1: 0x0001, 0x32f2: 0x0001, 0x32f3: 0x0001, 0x32f4: 0x0001, 0x32f5: 0x0001, 0x32f6: 0x0001, 0x32f7: 0x0001, 0x32f8: 0x0001, 0x32f9: 0x0001, 0x32fa: 0x0001, 0x32fb: 0x0001, 0x32fc: 0x0001, 0x32fd: 0x0001, 0x32fe: 0x0001, 0x32ff: 0x0001, // Block 0xcc, offset 0x3300 0x3300: 0x0001, 0x3301: 0x0001, 0x3302: 0x0001, 0x3303: 0x0001, 0x3304: 0x000c, 0x3305: 0x000c, 0x3306: 0x000c, 0x3307: 0x000c, 0x3308: 0x000c, 0x3309: 0x000c, 0x330a: 0x000c, 0x330b: 0x0001, 0x330c: 0x0001, 0x330d: 0x0001, 0x330e: 0x0001, 0x330f: 0x0001, 0x3310: 0x0001, 0x3311: 0x0001, 0x3312: 0x0001, 0x3313: 0x0001, 0x3314: 0x0001, 0x3315: 0x0001, 0x3316: 0x0001, 0x3317: 0x0001, 0x3318: 0x0001, 0x3319: 0x0001, 0x331a: 0x0001, 0x331b: 0x0001, 0x331c: 0x0001, 0x331d: 0x0001, 0x331e: 0x0001, 0x331f: 0x0001, 0x3320: 0x0001, 0x3321: 0x0001, 0x3322: 0x0001, 0x3323: 0x0001, 0x3324: 0x0001, 0x3325: 0x0001, 0x3326: 0x0001, 0x3327: 0x0001, 0x3328: 0x0001, 0x3329: 0x0001, 0x332a: 0x0001, 0x332b: 0x0001, 0x332c: 0x0001, 0x332d: 0x0001, 0x332e: 0x0001, 0x332f: 0x0001, 0x3330: 0x0001, 0x3331: 0x0001, 0x3332: 0x0001, 0x3333: 0x0001, 0x3334: 0x0001, 0x3335: 0x0001, 0x3336: 0x0001, 0x3337: 0x0001, 0x3338: 0x0001, 0x3339: 0x0001, 0x333a: 0x0001, 0x333b: 0x0001, 0x333c: 0x0001, 0x333d: 0x0001, 0x333e: 0x0001, 0x333f: 0x0001, // Block 0xcd, offset 0x3340 0x3340: 0x000d, 0x3341: 0x000d, 0x3342: 0x000d, 0x3343: 0x000d, 0x3344: 0x000d, 0x3345: 0x000d, 0x3346: 0x000d, 0x3347: 0x000d, 0x3348: 0x000d, 0x3349: 0x000d, 0x334a: 0x000d, 0x334b: 0x000d, 0x334c: 0x000d, 0x334d: 0x000d, 0x334e: 0x000d, 0x334f: 0x000d, 0x3350: 0x000d, 0x3351: 0x000d, 0x3352: 0x000d, 0x3353: 0x000d, 0x3354: 0x000d, 0x3355: 0x000d, 0x3356: 0x000d, 0x3357: 0x000d, 0x3358: 0x000d, 0x3359: 0x000d, 0x335a: 0x000d, 0x335b: 0x000d, 0x335c: 0x000d, 0x335d: 0x000d, 0x335e: 0x000d, 0x335f: 0x000d, 0x3360: 0x000d, 0x3361: 0x000d, 0x3362: 0x000d, 0x3363: 0x000d, 0x3364: 0x000d, 0x3365: 0x000d, 0x3366: 0x000d, 0x3367: 0x000d, 0x3368: 0x000d, 0x3369: 0x000d, 0x336a: 0x000d, 0x336b: 0x000d, 0x336c: 0x000d, 0x336d: 0x000d, 0x336e: 0x000d, 0x336f: 0x000d, 0x3370: 0x000a, 0x3371: 0x000a, 0x3372: 0x000d, 0x3373: 0x000d, 0x3374: 0x000d, 0x3375: 0x000d, 0x3376: 0x000d, 0x3377: 0x000d, 0x3378: 0x000d, 0x3379: 0x000d, 0x337a: 0x000d, 0x337b: 0x000d, 0x337c: 0x000d, 0x337d: 0x000d, 0x337e: 0x000d, 0x337f: 0x000d, // Block 0xce, offset 0x3380 0x3380: 0x000a, 0x3381: 0x000a, 0x3382: 0x000a, 0x3383: 0x000a, 0x3384: 0x000a, 0x3385: 0x000a, 0x3386: 0x000a, 0x3387: 0x000a, 0x3388: 0x000a, 0x3389: 0x000a, 0x338a: 0x000a, 0x338b: 0x000a, 0x338c: 0x000a, 0x338d: 0x000a, 0x338e: 0x000a, 0x338f: 0x000a, 0x3390: 0x000a, 0x3391: 0x000a, 0x3392: 0x000a, 0x3393: 0x000a, 0x3394: 0x000a, 0x3395: 0x000a, 0x3396: 0x000a, 0x3397: 0x000a, 0x3398: 0x000a, 0x3399: 0x000a, 0x339a: 0x000a, 0x339b: 0x000a, 0x339c: 0x000a, 0x339d: 0x000a, 0x339e: 0x000a, 0x339f: 0x000a, 0x33a0: 0x000a, 0x33a1: 0x000a, 0x33a2: 0x000a, 0x33a3: 0x000a, 0x33a4: 0x000a, 0x33a5: 0x000a, 0x33a6: 0x000a, 0x33a7: 0x000a, 0x33a8: 0x000a, 0x33a9: 0x000a, 0x33aa: 0x000a, 0x33ab: 0x000a, 0x33b0: 0x000a, 0x33b1: 0x000a, 0x33b2: 0x000a, 0x33b3: 0x000a, 0x33b4: 0x000a, 0x33b5: 0x000a, 0x33b6: 0x000a, 0x33b7: 0x000a, 0x33b8: 0x000a, 0x33b9: 0x000a, 0x33ba: 0x000a, 0x33bb: 0x000a, 0x33bc: 0x000a, 0x33bd: 0x000a, 0x33be: 0x000a, 0x33bf: 0x000a, // Block 0xcf, offset 0x33c0 0x33c0: 0x000a, 0x33c1: 0x000a, 0x33c2: 0x000a, 0x33c3: 0x000a, 0x33c4: 0x000a, 0x33c5: 0x000a, 0x33c6: 0x000a, 0x33c7: 0x000a, 0x33c8: 0x000a, 0x33c9: 0x000a, 0x33ca: 0x000a, 0x33cb: 0x000a, 0x33cc: 0x000a, 0x33cd: 0x000a, 0x33ce: 0x000a, 0x33cf: 0x000a, 0x33d0: 0x000a, 0x33d1: 0x000a, 0x33d2: 0x000a, 0x33d3: 0x000a, 0x33e0: 0x000a, 0x33e1: 0x000a, 0x33e2: 0x000a, 0x33e3: 0x000a, 0x33e4: 0x000a, 0x33e5: 0x000a, 0x33e6: 0x000a, 0x33e7: 0x000a, 0x33e8: 0x000a, 0x33e9: 0x000a, 0x33ea: 0x000a, 0x33eb: 0x000a, 0x33ec: 0x000a, 0x33ed: 0x000a, 0x33ee: 0x000a, 0x33f1: 0x000a, 0x33f2: 0x000a, 0x33f3: 0x000a, 0x33f4: 0x000a, 0x33f5: 0x000a, 0x33f6: 0x000a, 0x33f7: 0x000a, 0x33f8: 0x000a, 0x33f9: 0x000a, 0x33fa: 0x000a, 0x33fb: 0x000a, 0x33fc: 0x000a, 0x33fd: 0x000a, 0x33fe: 0x000a, 0x33ff: 0x000a, // Block 0xd0, offset 0x3400 0x3401: 0x000a, 0x3402: 0x000a, 0x3403: 0x000a, 0x3404: 0x000a, 0x3405: 0x000a, 0x3406: 0x000a, 0x3407: 0x000a, 0x3408: 0x000a, 0x3409: 0x000a, 0x340a: 0x000a, 0x340b: 0x000a, 0x340c: 0x000a, 0x340d: 0x000a, 0x340e: 0x000a, 0x340f: 0x000a, 0x3411: 0x000a, 0x3412: 0x000a, 0x3413: 0x000a, 0x3414: 0x000a, 0x3415: 0x000a, 0x3416: 0x000a, 0x3417: 0x000a, 0x3418: 0x000a, 0x3419: 0x000a, 0x341a: 0x000a, 0x341b: 0x000a, 0x341c: 0x000a, 0x341d: 0x000a, 0x341e: 0x000a, 0x341f: 0x000a, 0x3420: 0x000a, 0x3421: 0x000a, 0x3422: 0x000a, 0x3423: 0x000a, 0x3424: 0x000a, 0x3425: 0x000a, 0x3426: 0x000a, 0x3427: 0x000a, 0x3428: 0x000a, 0x3429: 0x000a, 0x342a: 0x000a, 0x342b: 0x000a, 0x342c: 0x000a, 0x342d: 0x000a, 0x342e: 0x000a, 0x342f: 0x000a, 0x3430: 0x000a, 0x3431: 0x000a, 0x3432: 0x000a, 0x3433: 0x000a, 0x3434: 0x000a, 0x3435: 0x000a, // Block 0xd1, offset 0x3440 0x3440: 0x0002, 0x3441: 0x0002, 0x3442: 0x0002, 0x3443: 0x0002, 0x3444: 0x0002, 0x3445: 0x0002, 0x3446: 0x0002, 0x3447: 0x0002, 0x3448: 0x0002, 0x3449: 0x0002, 0x344a: 0x0002, 0x344b: 0x000a, 0x344c: 0x000a, // Block 0xd2, offset 0x3480 0x34aa: 0x000a, 0x34ab: 0x000a, // Block 0xd3, offset 0x34c0 0x34c0: 0x000a, 0x34c1: 0x000a, 0x34c2: 0x000a, 0x34c3: 0x000a, 0x34c4: 0x000a, 0x34c5: 0x000a, 0x34c6: 0x000a, 0x34c7: 0x000a, 0x34c8: 0x000a, 0x34c9: 0x000a, 0x34ca: 0x000a, 0x34cb: 0x000a, 0x34cc: 0x000a, 0x34cd: 0x000a, 0x34ce: 0x000a, 0x34cf: 0x000a, 0x34d0: 0x000a, 0x34d1: 0x000a, 0x34d2: 0x000a, 0x34e0: 0x000a, 0x34e1: 0x000a, 0x34e2: 0x000a, 0x34e3: 0x000a, 0x34e4: 0x000a, 0x34e5: 0x000a, 0x34e6: 0x000a, 0x34e7: 0x000a, 0x34e8: 0x000a, 0x34e9: 0x000a, 0x34ea: 0x000a, 0x34eb: 0x000a, 0x34ec: 0x000a, 0x34f0: 0x000a, 0x34f1: 0x000a, 0x34f2: 0x000a, 0x34f3: 0x000a, 0x34f4: 0x000a, 0x34f5: 0x000a, 0x34f6: 0x000a, // Block 0xd4, offset 0x3500 0x3500: 0x000a, 0x3501: 0x000a, 0x3502: 0x000a, 0x3503: 0x000a, 0x3504: 0x000a, 0x3505: 0x000a, 0x3506: 0x000a, 0x3507: 0x000a, 0x3508: 0x000a, 0x3509: 0x000a, 0x350a: 0x000a, 0x350b: 0x000a, 0x350c: 0x000a, 0x350d: 0x000a, 0x350e: 0x000a, 0x350f: 0x000a, 0x3510: 0x000a, 0x3511: 0x000a, 0x3512: 0x000a, 0x3513: 0x000a, 0x3514: 0x000a, // Block 0xd5, offset 0x3540 0x3540: 0x000a, 0x3541: 0x000a, 0x3542: 0x000a, 0x3543: 0x000a, 0x3544: 0x000a, 0x3545: 0x000a, 0x3546: 0x000a, 0x3547: 0x000a, 0x3548: 0x000a, 0x3549: 0x000a, 0x354a: 0x000a, 0x354b: 0x000a, 0x3550: 0x000a, 0x3551: 0x000a, 0x3552: 0x000a, 0x3553: 0x000a, 0x3554: 0x000a, 0x3555: 0x000a, 0x3556: 0x000a, 0x3557: 0x000a, 0x3558: 0x000a, 0x3559: 0x000a, 0x355a: 0x000a, 0x355b: 0x000a, 0x355c: 0x000a, 0x355d: 0x000a, 0x355e: 0x000a, 0x355f: 0x000a, 0x3560: 0x000a, 0x3561: 0x000a, 0x3562: 0x000a, 0x3563: 0x000a, 0x3564: 0x000a, 0x3565: 0x000a, 0x3566: 0x000a, 0x3567: 0x000a, 0x3568: 0x000a, 0x3569: 0x000a, 0x356a: 0x000a, 0x356b: 0x000a, 0x356c: 0x000a, 0x356d: 0x000a, 0x356e: 0x000a, 0x356f: 0x000a, 0x3570: 0x000a, 0x3571: 0x000a, 0x3572: 0x000a, 0x3573: 0x000a, 0x3574: 0x000a, 0x3575: 0x000a, 0x3576: 0x000a, 0x3577: 0x000a, 0x3578: 0x000a, 0x3579: 0x000a, 0x357a: 0x000a, 0x357b: 0x000a, 0x357c: 0x000a, 0x357d: 0x000a, 0x357e: 0x000a, 0x357f: 0x000a, // Block 0xd6, offset 0x3580 0x3580: 0x000a, 0x3581: 0x000a, 0x3582: 0x000a, 0x3583: 0x000a, 0x3584: 0x000a, 0x3585: 0x000a, 0x3586: 0x000a, 0x3587: 0x000a, 0x3590: 0x000a, 0x3591: 0x000a, 0x3592: 0x000a, 0x3593: 0x000a, 0x3594: 0x000a, 0x3595: 0x000a, 0x3596: 0x000a, 0x3597: 0x000a, 0x3598: 0x000a, 0x3599: 0x000a, 0x35a0: 0x000a, 0x35a1: 0x000a, 0x35a2: 0x000a, 0x35a3: 0x000a, 0x35a4: 0x000a, 0x35a5: 0x000a, 0x35a6: 0x000a, 0x35a7: 0x000a, 0x35a8: 0x000a, 0x35a9: 0x000a, 0x35aa: 0x000a, 0x35ab: 0x000a, 0x35ac: 0x000a, 0x35ad: 0x000a, 0x35ae: 0x000a, 0x35af: 0x000a, 0x35b0: 0x000a, 0x35b1: 0x000a, 0x35b2: 0x000a, 0x35b3: 0x000a, 0x35b4: 0x000a, 0x35b5: 0x000a, 0x35b6: 0x000a, 0x35b7: 0x000a, 0x35b8: 0x000a, 0x35b9: 0x000a, 0x35ba: 0x000a, 0x35bb: 0x000a, 0x35bc: 0x000a, 0x35bd: 0x000a, 0x35be: 0x000a, 0x35bf: 0x000a, // Block 0xd7, offset 0x35c0 0x35c0: 0x000a, 0x35c1: 0x000a, 0x35c2: 0x000a, 0x35c3: 0x000a, 0x35c4: 0x000a, 0x35c5: 0x000a, 0x35c6: 0x000a, 0x35c7: 0x000a, 0x35d0: 0x000a, 0x35d1: 0x000a, 0x35d2: 0x000a, 0x35d3: 0x000a, 0x35d4: 0x000a, 0x35d5: 0x000a, 0x35d6: 0x000a, 0x35d7: 0x000a, 0x35d8: 0x000a, 0x35d9: 0x000a, 0x35da: 0x000a, 0x35db: 0x000a, 0x35dc: 0x000a, 0x35dd: 0x000a, 0x35de: 0x000a, 0x35df: 0x000a, 0x35e0: 0x000a, 0x35e1: 0x000a, 0x35e2: 0x000a, 0x35e3: 0x000a, 0x35e4: 0x000a, 0x35e5: 0x000a, 0x35e6: 0x000a, 0x35e7: 0x000a, 0x35e8: 0x000a, 0x35e9: 0x000a, 0x35ea: 0x000a, 0x35eb: 0x000a, 0x35ec: 0x000a, 0x35ed: 0x000a, // Block 0xd8, offset 0x3600 0x3610: 0x000a, 0x3611: 0x000a, 0x3612: 0x000a, 0x3613: 0x000a, 0x3614: 0x000a, 0x3615: 0x000a, 0x3616: 0x000a, 0x3617: 0x000a, 0x3618: 0x000a, 0x3619: 0x000a, 0x361a: 0x000a, 0x361b: 0x000a, 0x361c: 0x000a, 0x361d: 0x000a, 0x361e: 0x000a, 0x3620: 0x000a, 0x3621: 0x000a, 0x3622: 0x000a, 0x3623: 0x000a, 0x3624: 0x000a, 0x3625: 0x000a, 0x3626: 0x000a, 0x3627: 0x000a, 0x3630: 0x000a, 0x3633: 0x000a, 0x3634: 0x000a, 0x3635: 0x000a, 0x3636: 0x000a, 0x3637: 0x000a, 0x3638: 0x000a, 0x3639: 0x000a, 0x363a: 0x000a, 0x363b: 0x000a, 0x363c: 0x000a, 0x363d: 0x000a, 0x363e: 0x000a, // Block 0xd9, offset 0x3640 0x3640: 0x000a, 0x3641: 0x000a, 0x3642: 0x000a, 0x3643: 0x000a, 0x3644: 0x000a, 0x3645: 0x000a, 0x3646: 0x000a, 0x3647: 0x000a, 0x3648: 0x000a, 0x3649: 0x000a, 0x364a: 0x000a, 0x364b: 0x000a, 0x3650: 0x000a, 0x3651: 0x000a, 0x3652: 0x000a, 0x3653: 0x000a, 0x3654: 0x000a, 0x3655: 0x000a, 0x3656: 0x000a, 0x3657: 0x000a, 0x3658: 0x000a, 0x3659: 0x000a, 0x365a: 0x000a, 0x365b: 0x000a, 0x365c: 0x000a, 0x365d: 0x000a, 0x365e: 0x000a, // Block 0xda, offset 0x3680 0x3680: 0x000a, 0x3681: 0x000a, 0x3682: 0x000a, 0x3683: 0x000a, 0x3684: 0x000a, 0x3685: 0x000a, 0x3686: 0x000a, 0x3687: 0x000a, 0x3688: 0x000a, 0x3689: 0x000a, 0x368a: 0x000a, 0x368b: 0x000a, 0x368c: 0x000a, 0x368d: 0x000a, 0x368e: 0x000a, 0x368f: 0x000a, 0x3690: 0x000a, 0x3691: 0x000a, // Block 0xdb, offset 0x36c0 0x36fe: 0x000b, 0x36ff: 0x000b, // Block 0xdc, offset 0x3700 0x3700: 0x000b, 0x3701: 0x000b, 0x3702: 0x000b, 0x3703: 0x000b, 0x3704: 0x000b, 0x3705: 0x000b, 0x3706: 0x000b, 0x3707: 0x000b, 0x3708: 0x000b, 0x3709: 0x000b, 0x370a: 0x000b, 0x370b: 0x000b, 0x370c: 0x000b, 0x370d: 0x000b, 0x370e: 0x000b, 0x370f: 0x000b, 0x3710: 0x000b, 0x3711: 0x000b, 0x3712: 0x000b, 0x3713: 0x000b, 0x3714: 0x000b, 0x3715: 0x000b, 0x3716: 0x000b, 0x3717: 0x000b, 0x3718: 0x000b, 0x3719: 0x000b, 0x371a: 0x000b, 0x371b: 0x000b, 0x371c: 0x000b, 0x371d: 0x000b, 0x371e: 0x000b, 0x371f: 0x000b, 0x3720: 0x000b, 0x3721: 0x000b, 0x3722: 0x000b, 0x3723: 0x000b, 0x3724: 0x000b, 0x3725: 0x000b, 0x3726: 0x000b, 0x3727: 0x000b, 0x3728: 0x000b, 0x3729: 0x000b, 0x372a: 0x000b, 0x372b: 0x000b, 0x372c: 0x000b, 0x372d: 0x000b, 0x372e: 0x000b, 0x372f: 0x000b, 0x3730: 0x000b, 0x3731: 0x000b, 0x3732: 0x000b, 0x3733: 0x000b, 0x3734: 0x000b, 0x3735: 0x000b, 0x3736: 0x000b, 0x3737: 0x000b, 0x3738: 0x000b, 0x3739: 0x000b, 0x373a: 0x000b, 0x373b: 0x000b, 0x373c: 0x000b, 0x373d: 0x000b, 0x373e: 0x000b, 0x373f: 0x000b, // Block 0xdd, offset 0x3740 0x3740: 0x000c, 0x3741: 0x000c, 0x3742: 0x000c, 0x3743: 0x000c, 0x3744: 0x000c, 0x3745: 0x000c, 0x3746: 0x000c, 0x3747: 0x000c, 0x3748: 0x000c, 0x3749: 0x000c, 0x374a: 0x000c, 0x374b: 0x000c, 0x374c: 0x000c, 0x374d: 0x000c, 0x374e: 0x000c, 0x374f: 0x000c, 0x3750: 0x000c, 0x3751: 0x000c, 0x3752: 0x000c, 0x3753: 0x000c, 0x3754: 0x000c, 0x3755: 0x000c, 0x3756: 0x000c, 0x3757: 0x000c, 0x3758: 0x000c, 0x3759: 0x000c, 0x375a: 0x000c, 0x375b: 0x000c, 0x375c: 0x000c, 0x375d: 0x000c, 0x375e: 0x000c, 0x375f: 0x000c, 0x3760: 0x000c, 0x3761: 0x000c, 0x3762: 0x000c, 0x3763: 0x000c, 0x3764: 0x000c, 0x3765: 0x000c, 0x3766: 0x000c, 0x3767: 0x000c, 0x3768: 0x000c, 0x3769: 0x000c, 0x376a: 0x000c, 0x376b: 0x000c, 0x376c: 0x000c, 0x376d: 0x000c, 0x376e: 0x000c, 0x376f: 0x000c, 0x3770: 0x000b, 0x3771: 0x000b, 0x3772: 0x000b, 0x3773: 0x000b, 0x3774: 0x000b, 0x3775: 0x000b, 0x3776: 0x000b, 0x3777: 0x000b, 0x3778: 0x000b, 0x3779: 0x000b, 0x377a: 0x000b, 0x377b: 0x000b, 0x377c: 0x000b, 0x377d: 0x000b, 0x377e: 0x000b, 0x377f: 0x000b, } // bidiIndex: 24 blocks, 1536 entries, 1536 bytes // Block 0 is the zero block. var bidiIndex = [1536]uint8{ // Block 0x0, offset 0x0 // Block 0x1, offset 0x40 // Block 0x2, offset 0x80 // Block 0x3, offset 0xc0 0xc2: 0x01, 0xc3: 0x02, 0xca: 0x03, 0xcb: 0x04, 0xcc: 0x05, 0xcd: 0x06, 0xce: 0x07, 0xcf: 0x08, 0xd2: 0x09, 0xd6: 0x0a, 0xd7: 0x0b, 0xd8: 0x0c, 0xd9: 0x0d, 0xda: 0x0e, 0xdb: 0x0f, 0xdc: 0x10, 0xdd: 0x11, 0xde: 0x12, 0xdf: 0x13, 0xe0: 0x02, 0xe1: 0x03, 0xe2: 0x04, 0xe3: 0x05, 0xe4: 0x06, 0xea: 0x07, 0xef: 0x08, 0xf0: 0x11, 0xf1: 0x12, 0xf2: 0x12, 0xf3: 0x14, 0xf4: 0x15, // Block 0x4, offset 0x100 0x120: 0x14, 0x121: 0x15, 0x122: 0x16, 0x123: 0x17, 0x124: 0x18, 0x125: 0x19, 0x126: 0x1a, 0x127: 0x1b, 0x128: 0x1c, 0x129: 0x1d, 0x12a: 0x1c, 0x12b: 0x1e, 0x12c: 0x1f, 0x12d: 0x20, 0x12e: 0x21, 0x12f: 0x22, 0x130: 0x23, 0x131: 0x24, 0x132: 0x1a, 0x133: 0x25, 0x134: 0x26, 0x135: 0x27, 0x137: 0x28, 0x138: 0x29, 0x139: 0x2a, 0x13a: 0x2b, 0x13b: 0x2c, 0x13c: 0x2d, 0x13d: 0x2e, 0x13e: 0x2f, 0x13f: 0x30, // Block 0x5, offset 0x140 0x140: 0x31, 0x141: 0x32, 0x142: 0x33, 0x14d: 0x34, 0x14e: 0x35, 0x150: 0x36, 0x15a: 0x37, 0x15c: 0x38, 0x15d: 0x39, 0x15e: 0x3a, 0x15f: 0x3b, 0x160: 0x3c, 0x162: 0x3d, 0x164: 0x3e, 0x165: 0x3f, 0x167: 0x40, 0x168: 0x41, 0x169: 0x42, 0x16a: 0x43, 0x16c: 0x44, 0x16d: 0x45, 0x16e: 0x46, 0x16f: 0x47, 0x170: 0x48, 0x173: 0x49, 0x177: 0x4a, 0x17e: 0x4b, 0x17f: 0x4c, // Block 0x6, offset 0x180 0x180: 0x4d, 0x181: 0x4e, 0x182: 0x4f, 0x183: 0x50, 0x184: 0x51, 0x185: 0x52, 0x186: 0x53, 0x187: 0x54, 0x188: 0x55, 0x189: 0x54, 0x18a: 0x54, 0x18b: 0x54, 0x18c: 0x56, 0x18d: 0x57, 0x18e: 0x58, 0x18f: 0x59, 0x190: 0x5a, 0x191: 0x5b, 0x192: 0x5c, 0x193: 0x5d, 0x194: 0x54, 0x195: 0x54, 0x196: 0x54, 0x197: 0x54, 0x198: 0x54, 0x199: 0x54, 0x19a: 0x5e, 0x19b: 0x54, 0x19c: 0x54, 0x19d: 0x5f, 0x19e: 0x54, 0x19f: 0x60, 0x1a4: 0x54, 0x1a5: 0x54, 0x1a6: 0x61, 0x1a7: 0x62, 0x1a8: 0x54, 0x1a9: 0x54, 0x1aa: 0x54, 0x1ab: 0x54, 0x1ac: 0x54, 0x1ad: 0x63, 0x1ae: 0x64, 0x1af: 0x65, 0x1b3: 0x66, 0x1b5: 0x67, 0x1b7: 0x68, 0x1b8: 0x69, 0x1b9: 0x6a, 0x1ba: 0x6b, 0x1bb: 0x6c, 0x1bc: 0x54, 0x1bd: 0x54, 0x1be: 0x54, 0x1bf: 0x6d, // Block 0x7, offset 0x1c0 0x1c0: 0x6e, 0x1c2: 0x6f, 0x1c3: 0x70, 0x1c7: 0x71, 0x1c8: 0x72, 0x1c9: 0x73, 0x1ca: 0x74, 0x1cb: 0x75, 0x1cd: 0x76, 0x1cf: 0x77, // Block 0x8, offset 0x200 0x237: 0x54, // Block 0x9, offset 0x240 0x252: 0x78, 0x253: 0x79, 0x258: 0x7a, 0x259: 0x7b, 0x25a: 0x7c, 0x25b: 0x7d, 0x25c: 0x7e, 0x25e: 0x7f, 0x260: 0x80, 0x261: 0x81, 0x263: 0x82, 0x264: 0x83, 0x265: 0x84, 0x266: 0x85, 0x267: 0x86, 0x268: 0x87, 0x269: 0x88, 0x26a: 0x89, 0x26b: 0x8a, 0x26f: 0x8b, // Block 0xa, offset 0x280 0x2ac: 0x8c, 0x2ad: 0x8d, 0x2ae: 0x0e, 0x2af: 0x0e, 0x2b0: 0x0e, 0x2b1: 0x0e, 0x2b2: 0x0e, 0x2b3: 0x0e, 0x2b4: 0x8e, 0x2b5: 0x0e, 0x2b6: 0x0e, 0x2b7: 0x8f, 0x2b8: 0x90, 0x2b9: 0x91, 0x2ba: 0x0e, 0x2bb: 0x92, 0x2bc: 0x93, 0x2bd: 0x94, 0x2bf: 0x95, // Block 0xb, offset 0x2c0 0x2c4: 0x96, 0x2c5: 0x54, 0x2c6: 0x97, 0x2c7: 0x98, 0x2cb: 0x99, 0x2cd: 0x9a, 0x2e0: 0x9b, 0x2e1: 0x9b, 0x2e2: 0x9b, 0x2e3: 0x9b, 0x2e4: 0x9c, 0x2e5: 0x9b, 0x2e6: 0x9b, 0x2e7: 0x9b, 0x2e8: 0x9d, 0x2e9: 0x9b, 0x2ea: 0x9b, 0x2eb: 0x9e, 0x2ec: 0x9f, 0x2ed: 0x9b, 0x2ee: 0x9b, 0x2ef: 0x9b, 0x2f0: 0x9b, 0x2f1: 0x9b, 0x2f2: 0x9b, 0x2f3: 0x9b, 0x2f4: 0x9b, 0x2f5: 0x9b, 0x2f6: 0x9b, 0x2f7: 0x9b, 0x2f8: 0x9b, 0x2f9: 0xa0, 0x2fa: 0x9b, 0x2fb: 0x9b, 0x2fc: 0x9b, 0x2fd: 0x9b, 0x2fe: 0x9b, 0x2ff: 0x9b, // Block 0xc, offset 0x300 0x300: 0xa1, 0x301: 0xa2, 0x302: 0xa3, 0x304: 0xa4, 0x305: 0xa5, 0x306: 0xa6, 0x307: 0xa7, 0x308: 0xa8, 0x30b: 0xa9, 0x30c: 0xaa, 0x30d: 0xab, 0x310: 0xac, 0x311: 0xad, 0x312: 0xae, 0x313: 0xaf, 0x316: 0xb0, 0x317: 0xb1, 0x318: 0xb2, 0x319: 0xb3, 0x31a: 0xb4, 0x31c: 0xb5, 0x330: 0xb6, 0x332: 0xb7, // Block 0xd, offset 0x340 0x36b: 0xb8, 0x36c: 0xb9, 0x37e: 0xba, // Block 0xe, offset 0x380 0x3b2: 0xbb, // Block 0xf, offset 0x3c0 0x3c5: 0xbc, 0x3c6: 0xbd, 0x3c8: 0x54, 0x3c9: 0xbe, 0x3cc: 0x54, 0x3cd: 0xbf, 0x3db: 0xc0, 0x3dc: 0xc1, 0x3dd: 0xc2, 0x3de: 0xc3, 0x3df: 0xc4, 0x3e8: 0xc5, 0x3e9: 0xc6, 0x3ea: 0xc7, // Block 0x10, offset 0x400 0x400: 0xc8, 0x420: 0x9b, 0x421: 0x9b, 0x422: 0x9b, 0x423: 0xc9, 0x424: 0x9b, 0x425: 0xca, 0x426: 0x9b, 0x427: 0x9b, 0x428: 0x9b, 0x429: 0x9b, 0x42a: 0x9b, 0x42b: 0x9b, 0x42c: 0x9b, 0x42d: 0x9b, 0x42e: 0x9b, 0x42f: 0x9b, 0x430: 0x9b, 0x431: 0x9b, 0x432: 0x9b, 0x433: 0x9b, 0x434: 0x9b, 0x435: 0x9b, 0x436: 0x9b, 0x437: 0x9b, 0x438: 0x0e, 0x439: 0x0e, 0x43a: 0x0e, 0x43b: 0xcb, 0x43c: 0x9b, 0x43d: 0x9b, 0x43e: 0x9b, 0x43f: 0x9b, // Block 0x11, offset 0x440 0x440: 0xcc, 0x441: 0x54, 0x442: 0xcd, 0x443: 0xce, 0x444: 0xcf, 0x445: 0xd0, 0x44c: 0x54, 0x44d: 0x54, 0x44e: 0x54, 0x44f: 0x54, 0x450: 0x54, 0x451: 0x54, 0x452: 0x54, 0x453: 0x54, 0x454: 0x54, 0x455: 0x54, 0x456: 0x54, 0x457: 0x54, 0x458: 0x54, 0x459: 0x54, 0x45a: 0x54, 0x45b: 0xd1, 0x45c: 0x54, 0x45d: 0x6c, 0x45e: 0x54, 0x45f: 0xd2, 0x460: 0xd3, 0x461: 0xd4, 0x462: 0xd5, 0x464: 0xd6, 0x465: 0xd7, 0x466: 0xd8, 0x467: 0x36, 0x47f: 0xd9, // Block 0x12, offset 0x480 0x4bf: 0xd9, // Block 0x13, offset 0x4c0 0x4d0: 0x09, 0x4d1: 0x0a, 0x4d6: 0x0b, 0x4db: 0x0c, 0x4dd: 0x0d, 0x4de: 0x0e, 0x4df: 0x0f, 0x4ef: 0x10, 0x4ff: 0x10, // Block 0x14, offset 0x500 0x50f: 0x10, 0x51f: 0x10, 0x52f: 0x10, 0x53f: 0x10, // Block 0x15, offset 0x540 0x540: 0xda, 0x541: 0xda, 0x542: 0xda, 0x543: 0xda, 0x544: 0x05, 0x545: 0x05, 0x546: 0x05, 0x547: 0xdb, 0x548: 0xda, 0x549: 0xda, 0x54a: 0xda, 0x54b: 0xda, 0x54c: 0xda, 0x54d: 0xda, 0x54e: 0xda, 0x54f: 0xda, 0x550: 0xda, 0x551: 0xda, 0x552: 0xda, 0x553: 0xda, 0x554: 0xda, 0x555: 0xda, 0x556: 0xda, 0x557: 0xda, 0x558: 0xda, 0x559: 0xda, 0x55a: 0xda, 0x55b: 0xda, 0x55c: 0xda, 0x55d: 0xda, 0x55e: 0xda, 0x55f: 0xda, 0x560: 0xda, 0x561: 0xda, 0x562: 0xda, 0x563: 0xda, 0x564: 0xda, 0x565: 0xda, 0x566: 0xda, 0x567: 0xda, 0x568: 0xda, 0x569: 0xda, 0x56a: 0xda, 0x56b: 0xda, 0x56c: 0xda, 0x56d: 0xda, 0x56e: 0xda, 0x56f: 0xda, 0x570: 0xda, 0x571: 0xda, 0x572: 0xda, 0x573: 0xda, 0x574: 0xda, 0x575: 0xda, 0x576: 0xda, 0x577: 0xda, 0x578: 0xda, 0x579: 0xda, 0x57a: 0xda, 0x57b: 0xda, 0x57c: 0xda, 0x57d: 0xda, 0x57e: 0xda, 0x57f: 0xda, // Block 0x16, offset 0x580 0x58f: 0x10, 0x59f: 0x10, 0x5a0: 0x13, 0x5af: 0x10, 0x5bf: 0x10, // Block 0x17, offset 0x5c0 0x5cf: 0x10, } // Total table size 15800 bytes (15KiB); checksum: F50EF68C ```
```java /* */ package docs.http.javadsl.server; //#high-level-server-example import akka.actor.ActorSystem; import akka.http.javadsl.Http; import akka.http.javadsl.ServerBinding; import akka.http.javadsl.model.ContentTypes; import akka.http.javadsl.model.HttpEntities; import akka.http.javadsl.server.AllDirectives; import akka.http.javadsl.server.Route; import java.io.IOException; import java.util.concurrent.CompletionStage; public class HighLevelServerExample extends AllDirectives { public static void main(String[] args) throws IOException { // boot up server using the route as defined below ActorSystem system = ActorSystem.create(); final HighLevelServerExample app = new HighLevelServerExample(); final Http http = Http.get(system); final CompletionStage<ServerBinding> binding = http.newServerAt("localhost", 8080).bind(app.createRoute()); System.out.println("Type RETURN to exit"); System.in.read(); binding .thenCompose(ServerBinding::unbind) .thenAccept(unbound -> system.terminate()); } public Route createRoute() { // This handler generates responses to `/hello?name=XXX` requests Route helloRoute = parameterOptional("name", optName -> { String name = optName.orElse("Mister X"); return complete("Hello " + name + "!"); }); return // here the complete behavior for this server is defined // only handle GET requests get(() -> concat( // matches the empty path pathSingleSlash(() -> // return a constant string with a certain content type complete(HttpEntities.create(ContentTypes.TEXT_HTML_UTF8, "<html><body>Hello world!</body></html>")) ), path("ping", () -> // return a simple `text/plain` response complete("PONG!") ), path("hello", () -> // uses the route defined above helloRoute ) )); } } //#high-level-server-example ```
There are about 500 New Caledonians of Indian descent. They were known as Malabars and orinignally arrived in the 19th century from other French Territories, namely Réunion. New Caledonia has several descendants of Tamils, whose parents intermarried with the local population already in the 20th century. New Caledonia requires a special study since many Tamils went there as labourers and a report in a book published about 1919 states that of the Chinese, Indians and Javanese who colonised new Caledonia, the Indians gave satisfaction. In Tahiti in August 1967, about twenty families who had descended from Tamils were found. Neither the parents nor the children had any knowledge of their ancestry, but the parents remembered their own parents and how when their parents and Indian friends met they spoke 'la langue' and often sang and cried remembering their homeland. The family name was the only clue to their Indian origin e.g. Pavalacoddy, Mariasoosay, Rayappan, Saminathan, Thivy and Veerasamy. References Tamil Diaspora of New Caledonia New Caledonia Indian diaspora in Oceania
```python import json import DomainToolsIrisDetectStatusUpdate as dt_script def test_main_success(monkeypatch): # Mock demisto.args def mock_args(): return { "old": json.dumps([{"state": "watched", "id": "1", "domain": "xyz"}]), "new": json.dumps([{"state": "ignored", "id": "1", "domain": "xyz"}]), } # Mock demisto.executeCommand def mock_executeCommand(command, args): return True # Mock demisto.error def mock_error(message): return # Mock demisto.get def mock_get(dictionary, key): return dictionary.get(key) # Apply the monkeypatches for the demisto methods monkeypatch.setattr(dt_script.demisto, "args", mock_args) monkeypatch.setattr(dt_script.demisto, "executeCommand", mock_executeCommand) monkeypatch.setattr(dt_script.demisto, "error", mock_error) monkeypatch.setattr(dt_script.demisto, "get", mock_get) # Execute the main method and verify no exception is thrown dt_script.main() ```
```javascript 'use strict'; const path = require('path'); const mapStream = require('map-stream'); const vfs = require('vinyl-fs'); const clearAttrs = require('../util/clear-attrs'); module.exports = (source, target/* , options */) => { // location: ${source}/!SVG/*.svg vfs.src('*.svg', { cwd: path.resolve(source, './icons/'), cwdbase: true, dot: true }) .pipe(mapStream(clearAttrs)) .pipe(vfs.dest(target)); }; ```
```html <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "path_to_url"> <html xmlns="path_to_url"> <head> <meta http-equiv="Content-Type" content="text/xhtml;charset=UTF-8"/> <meta http-equiv="X-UA-Compatible" content="IE=9"/> <meta name="generator" content="Doxygen 1.8.17"/> <meta name="viewport" content="width=device-width, initial-scale=1"/> <title>Jetson Inference: imageFormatType&lt; format &gt; Struct Template Reference</title> <link href="tabs.css" rel="stylesheet" type="text/css"/> <script type="text/javascript" src="jquery.js"></script> <script type="text/javascript" src="dynsections.js"></script> <link href="navtree.css" rel="stylesheet" type="text/css"/> <script type="text/javascript" src="resize.js"></script> <script type="text/javascript" src="navtreedata.js"></script> <script type="text/javascript" src="navtree.js"></script> <link href="search/search.css" rel="stylesheet" type="text/css"/> <script type="text/javascript" src="search/searchdata.js"></script> <script type="text/javascript" src="search/search.js"></script> <link href="doxygen.css" rel="stylesheet" type="text/css" /> </head> <body> <div id="top"><!-- do not remove this div, it is closed by doxygen! --> <div id="titlearea"> <table cellspacing="0" cellpadding="0"> <tbody> <tr style="height: 56px;"> <td id="projectlogo"><img alt="Logo" src="NVLogo_2D.jpg"/></td> <td id="projectalign" style="padding-left: 0.5em;"> <div id="projectname">Jetson Inference </div> <div id="projectbrief">DNN Vision Library</div> </td> </tr> </tbody> </table> </div> <!-- end header part --> <!-- Generated by Doxygen 1.8.17 --> <script type="text/javascript"> /* @license magnet:?xt=urn:btih:cf05388f2679ee054f2beb29a391d25f4e673ac3&amp;dn=gpl-2.0.txt GPL-v2 */ var searchBox = new SearchBox("searchBox", "search",false,'Search'); /* @license-end */ </script> <script type="text/javascript" src="menudata.js"></script> <script type="text/javascript" src="menu.js"></script> <script type="text/javascript"> /* @license magnet:?xt=urn:btih:cf05388f2679ee054f2beb29a391d25f4e673ac3&amp;dn=gpl-2.0.txt GPL-v2 */ $(function() { initMenu('',true,false,'search.php','Search'); $(document).ready(function() { init_search(); }); }); /* @license-end */</script> <div id="main-nav"></div> </div><!-- top --> <div id="side-nav" class="ui-resizable side-nav-resizable"> <div id="nav-tree"> <div id="nav-tree-contents"> <div id="nav-sync" class="sync"></div> </div> </div> <div id="splitbar" style="-moz-user-select:none;" class="ui-resizable-handle"> </div> </div> <script type="text/javascript"> /* @license magnet:?xt=urn:btih:cf05388f2679ee054f2beb29a391d25f4e673ac3&amp;dn=gpl-2.0.txt GPL-v2 */ $(document).ready(function(){initNavTree('structimageFormatType.html',''); initResizable(); }); /* @license-end */ </script> <div id="doc-content"> <!-- window showing the filter options --> <div id="MSearchSelectWindow" onmouseover="return searchBox.OnSearchSelectShow()" onmouseout="return searchBox.OnSearchSelectHide()" onkeydown="return searchBox.OnSearchSelectKey(event)"> </div> <!-- iframe showing the search results (closed by default) --> <div id="MSearchResultsWindow"> <iframe src="javascript:void(0)" frameborder="0" name="MSearchResults" id="MSearchResults"> </iframe> </div> <div class="header"> <div class="headertitle"> <div class="title">imageFormatType&lt; format &gt; Struct Template Reference</div> </div> </div><!--header--> <div class="contents"> <p><code>#include &lt;<a class="el" href="imageFormat_8h_source.html">imageFormat.h</a>&gt;</code></p> <hr/>The documentation for this struct was generated from the following file:<ul> <li>jetson-utils/<a class="el" href="imageFormat_8h_source.html">imageFormat.h</a></li> </ul> </div><!-- contents --> </div><!-- doc-content --> <!-- start footer part --> <div id="nav-path" class="navpath"><!-- id is needed for treeview function! --> <ul> <li class="navelem"><a class="el" href="structimageFormatType.html">imageFormatType</a></li> <li class="footer">Generated on Tue Mar 28 2023 14:27:58 for Jetson Inference by <a href="path_to_url"> <img class="footer" src="doxygen.png" alt="doxygen"/></a> 1.8.17 </li> </ul> </div> </body> </html> ```
A'ali () is a major town in northern Bahrain. It is a part of the Northern Governorate, although from 2001 to 2014 it lay within the Central Governorate. A'ali is famous for its ancient burial mounds, especially several very large burial mounds in the city centre. A'ali is also famous for its traditional handcrafted pottery, which can be seen and bought from different potters and boutiques in the whole town. History Dilmun era The burial mounds date to the Dilmun era (3200 BC-330 BC). In February 1889 some of the mounds were investigated by the British explorer J. Theodore Bent and his wife Mabel. The site was then excavated by many foreign archaeological teams throughout the 20th century. An important group of artifacts was excavated by the British archaeologist Ernest Mackay and can now be found in the British Museum, London. It includes an unusual statuette of a nude woman with a curvaceous body dating from between 2000 and 1500 BC. The discovery of a "new and rare type of burial mound encircled by an outer ring wall" has led archaeologists to believe that specific mounds were made for the social elite, indicating that early Dilmun culture had a class system. 20th century According to J. G. Lorimer's 1908 Gazetteer of the Persian Gulf, A'ali was a considerable village situated 6 miles southwest of the Manama fort. The town consisted of 200 houses populated by the Baharna, who were primarily pottery-makers and date palm cultivators. There were an estimated 8,250 date palms in the village and livestock included 35 donkeys & 10 cattle. Lorimer also mentions that the village was the site of the largest tumuli on the island Geography A'ali is located in the middle of Bahrain Island (al-awal island), south of Isa Town and north of Riffa. Its name (Arabic: عالي) translates to “high” in English and refers to the town’s high elevation from sea level. It lays approximately 15 km (9.3 miles) southwest of the capital Manama. Controversy The mounds have been a source of controversy in Bahraini politics; in July 2008, the municipal council chairman of the central governorate called for the demolition of 62 ancient burial mounds to make way for the construction of a nearby junction. In 2009, the construction of a museum dedicated to the history of the mounds and of A'ali was announced. See also Bahrain Fort Arad Fort Riffa Fort List of cities in Bahrain References Populated places in the Northern Governorate, Bahrain Populated places established in the 1970s
Justice Hawley may refer to: Cyrus M. Hawley, associate justice of the Territorial Utah Supreme Court Thomas Porter Hawley, associate justice of the Supreme Court of Nevada
```elixir defmodule Update.Repo.Migrations.CreateUsers do use Ecto.Migration def change do create table(:users) do add :email, :string timestamps() end end end ```
František Ladislav Čelakovský (7 March 1799 Strakonice - 5 August 1852 Prague) was a Czech poet, translator, linguist, and literary critic. He was a major figure in the Czech "national revival". His most notable works are Ohlas písní ruských (Echoes of Russian Songs) and Ohlas písní českých (Echoes of Bohemian Songs). Life Čelakovský was born in Strakonice to the carpenter Vojtěch Čelakovský and his wife Anna. He attended high school in České Budějovice and then Písek. He began studying philosophy in Prague, but due to financial problems transferred to a lyceum in České Budějovice was expelled for reading Jan Hus. He continued his studies in Linz and then at Charles University in Prague (then called Charles-Ferdinand University). Rather than focus on the required courses, he took language and literature courses for his own self-studies; he failed a logic exam in 1822 and never got a university degree. Čelakovský made a living as a private tutor until 1829, when thanks to Karel Alois Vinařický's recommendation, Prague's archbishop had him translate Augustine of Hippo's De Civitate Dei. From 1829 to 1842 he was a proofreader for the Časopis pro katolické duchovenstvo (Magazine for the Catholic Clergy). From 1833, Čelakovský was an editor of Pražské noviny, a newspaper in Prague. As editor, he attempted to develop readers' political and cultural knowledge. He expanded the magazine Česká Wčela (The Czech Bee), had the newspaper include articles from foreign non-German-language press for the first time, and developed relationships with Slavists abroad. In 1835, he was named a professor of Czech language and literature in Prague. On 26 November 1835, Čelakovský commented negatively in Pražské noviny about Russian Tsar Nicholas I's threats against a Polish uprising. The Russian embassy in Vienna complained and Čelakovský was removed from his position as both an editor and professor. For the next two years, he survived only through translations and the support of Karel Alois Vinařický. From 1838, he was a librarian for the Kinský family. In 1841, he became a professor of Slavic Literature in Wroclaw, and then got the same position in Prague in 1849. Family František Ladislav Čelakovský married Marie Ventová in Strakonice on 2 February 1834. They had four children together, before she died from typhus in 1844. The next year, he married Antonie Reissová in Prague. Antonie kept a correspondence with author Božena Němcová, which Čelakovský occasionally took part in. They had four children together, but one, Anna, died three months after she was born. Antonie died in 1852, and Čelakovský died later that year. In his will, Čelakovský made Dr. Josef František Frič the guardian of his children. Čelakovský's granddaughter Marie Tůmová, daughter of Marie, was a teacher and a women's suffragist. Works Čelakovský's style is often classified as pre-romanticism. He both influenced and was influenced by other leaders of the Czech "national revival" , as well as foreign Slavic cultural figures. Between 1821 and 1823 he published several poems under the name Žofie Jandová, a woman's name. As a female poet, she was intended to show the high level of development of Czech literature and culture. The English translator John Bowring included her in his anthology of Czech literature. Čelakovský also occasionally used the pseudonym Marcián Hromotluk. Čelakovský's most important works were either collections of Slavic folklore or poems based on Slavic folklore. His Slovanské národní písně (National Songs of the Slavs) is an important collection of Slavic folk songs. Part 1 (1822) is a collection of Bohemian, Moravian, and Slovak folk songs, dedicated to Václav Hanka. Part 2 (1825), dedicated to Kazimierz Brodziński, is divided into two books. The first continues to cover Bohemian, Moravian, and Slovak folk songs. The second is folk songs from other Slavic languages, with the originals appearing next to Čelakovský's Czech translations. Čelakovský published songs that did not make it into the first two parts in the originally unplanned Part 3 (1827), dedicated to Vuk Karadžić. Ohlas písní ruských (Echoes of Russian Songs) (1829) is a collection of epic poems based on themes from Russian folklore, especially byliny. Ohlas písní českých (Echoes of Bohemian Songs) (1839) is a similar collection of poems based on themes from Czech life. However, rather than focusing on epic or heroic themes like Echoes of Russian Songs, most of the poems are in much simpler language, with proverb-like lines about daily life. Mudrosloví národa slovanského v příslovích (The Wisdom of the Slavic People in Proverbs) (1852) is a collection of Slavic proverbs, arranged thematically to portray the traditional life philosophy of the Slavs. In addition to poetry and works related to Slavic folklore, Čelakovský also published translations from German, English, and Latin into Czech, scientific literature on Slavic linguistics, and textbooks on the Czech language. References 1799 births 1852 deaths People from Strakonice Czech poets Czech male poets Czech translators Translators from Russian Translators from Serbian Translators to Czech 19th-century Czech poets 19th-century translators 19th-century male writers Translators of Johann Wolfgang von Goethe Charles University alumni
The 1971 Sam Houston State Bearkats football team represented Sam Houston State University as a member of the Lone Star Conference (LSC) during the 1971 NAIA Division I football season. Led by fourth-year head coach Tom Page, the Bearkats compiled an overall record of 4–7 with a mark of 3–6 in conference play, and finished tied for sixth in the LSC. Schedule References Sam Houston State Sam Houston Bearkats football seasons Sam Houston State Bearkats football
Irene Kopelman (born 1974, Córdoba, Argentina) is an artist based in Amsterdam whose work explores the relationship between science and art. Art critic Kevin Greenberg wrote: "For the artist Irene Kopelman, exposure is everything. Whether it’s the seared expanses of Egypt’s White Desert or the freezing waters of the Antarctic, “If I’m not there, out in the elements and directly observing things, even if it’s windy or bitterly cold, the pieces won’t develop the way they should,” she says. Works Kopelman's work marries the clinical distance of scientific observation with an almost spiritual reverence for landscape and the objects, large and small, that comprise it. It is built on the long-term engagement with ecological issues and the parallels between both science and art. The subject matter is a close visual engagement, questioning and exploring how drawing can approach these topics. Her work forms knowledge through the image and the process to make the image about the environment. They also embody the methodologies and systems we use to generate the knowledge and make it visible, creating her own systems of representation through artworks. Bergsonian notions of the sublime consumed the psyche of pre-modern Europe and colored much of the continent's art and literature for decades. But much like the phenomenology of Edmund Husserl and Martin Heidegger, Kopelman's work employs the otherness of nature to reveal something integral about the recesses of the individual self." Awards Kopelman won first prize in the 2016-2017 Medifé Arte y Medioambiente Foundation Biennial for her project, "Drawing Camp." Exhibitions References 1974 births Living people
```smalltalk using System; using System.Collections.Generic; using System.ComponentModel; using System.Linq; using System.Text; using NUnit.Framework; using Mono.Cecil; using Mono.Cecil.Cil; using Xamarin.Utils; #nullable enable namespace Cecil.Tests { [TestFixture] public class GenericPInvokesTest { [TestCaseSource (typeof (Helper), nameof (Helper.NetPlatformImplementationAssemblyDefinitions))] public void CheckSetupBlockUnsafeUsage (AssemblyInfo info) { // We should not call BlockLiteral.SetupBlockUnsafe in our code at all. // All our code should use the function pointer syntax for block creation: // var block = new BlockLiteral (&function, nameof (<type where function is defined), nameof (function)) var assembly = info.Assembly; var callsToSetupBlock = AllSetupBlocks (assembly); Assert.That (callsToSetupBlock.Select (v => v.FullName), Is.Empty, "No calls at all to BlockLiteral.SetupBlockUnsafe"); } [TestCaseSource (typeof (Helper), nameof (Helper.NetPlatformImplementationAssemblyDefinitions))] public void CheckAllPInvokes (AssemblyInfo info) { var assembly = info.Assembly; var pinvokes = AllPInvokes (assembly).Where (IsPInvokeOK); Assert.IsTrue (pinvokes.Count () > 0); var failures = pinvokes.Where (ContainsGenerics).ToList (); var failingMethods = ListOfFailingMethods (failures); Assert.IsTrue (failures.Count () == 0, $"There are {failures.Count ()} pinvoke methods that contain generics. This will not work in .NET 7 and above (see path_to_url ):{failingMethods}"); } string ListOfFailingMethods (IEnumerable<MethodDefinition> methods) { var list = new StringBuilder (); foreach (var method in methods) { list.Append ('\n').Append (method.FullName); } return list.ToString (); } static bool ContainsGenerics (MethodDefinition method) { return method.ContainsGenericParameter; } IEnumerable<MethodDefinition> AllPInvokes (AssemblyDefinition assembly) { return assembly.EnumerateMethods (method => (method.Attributes & MethodAttributes.PInvokeImpl) != 0); } static bool IsPInvokeOK (MethodDefinition method) { var fullName = method.FullName; switch (fullName) { default: return true; } } IEnumerable<MethodDefinition> AllSetupBlocks (AssemblyDefinition assembly) { return assembly.EnumerateMethods (method => { if (!method.HasBody) return false; return method.Body.Instructions.Any (IsCallToSetupBlockUnsafe); }); } static bool IsCallToSetupBlockUnsafe (Instruction instr) { if (!IsCall (instr)) return false; var operand = instr.Operand; if (!(operand is MethodReference mr)) return false; if (!mr.DeclaringType.Is ("ObjCRuntime", "BlockLiteral")) return false; if (mr.Name != "SetupBlockUnsafe") return false; if (!mr.ReturnType.Is ("System", "Void")) return false; if (!mr.HasParameters || mr.Parameters.Count != 2) return false; if (!mr.Parameters [0].ParameterType.Is ("System", "Delegate") || !mr.Parameters [1].ParameterType.Is ("System", "Delegate")) return false; return true; } static bool IsCall (Instruction instr) { return instr.OpCode == OpCodes.Call || instr.OpCode == OpCodes.Calli; } } } ```
```sqlpl -- path_to_url DROP TABLE IF EXISTS test_table_01; DROP TABLE IF EXISTS test_table_02; DROP TABLE IF EXISTS test_view_01; SET enable_analyzer = 1; CREATE TABLE test_table_01 ( column Int32 ) ENGINE = Memory(); CREATE TABLE test_table_02 ( column Int32 ) ENGINE = Memory(); CREATE VIEW test_view_01 AS SELECT t1.column, t2.column FROM test_table_01 AS t1 INNER JOIN test_table_02 AS t2 ON t1.column = t2.column; DROP TABLE IF EXISTS test_table_01; DROP TABLE IF EXISTS test_table_02; DROP TABLE IF EXISTS test_view_01; ```
```shell #!/usr/bin/env bash set -o errexit set -o nounset HERE="$( cd "$( dirname "${BASH_SOURCE[0]}" )" && pwd )" cd "$HERE/../../.." export PATH=$PWD/build:$PATH INFRAKIT_HOME=${INFRAKIT_HOME:-~/.infrakit} # infrakit directories plugins=$INFRAKIT_HOME/plugins mkdir -p $plugins rm -rf $plugins/* configstore=$INFRAKIT_HOME/configs mkdir -p $configstore rm -rf $configstore/* logs=$INFRAKIT_HOME/logs mkdir -p $logs # set the leader -- for os / file based leader detection for manager leaderfile=$INFRAKIT_HOME/leader echo group > $leaderfile export INFRAKIT_HOME=$INFRAKIT_HOME infrakit plugin start --config-url file:///$PWD/plugin/flavor/swarm/plugins.json \ manager \ group \ flavor-swarm \ instance-vagrant & sleep 5 echo "Plugins started." echo "Do something like: infrakit manager commit file://$PWD/examples/flavor/swarm/groups-fast.json" ```
Alberto Marchán (born 29 April 1947) is a Venezuelan sprinter. He competed in the men's 4 × 100 metres relay at the 1972 Summer Olympics. References External links 1947 births Living people Athletes (track and field) at the 1971 Pan American Games Athletes (track and field) at the 1972 Summer Olympics Venezuelan male sprinters Olympic athletes for Venezuela Place of birth missing (living people) Pan American Games competitors for Venezuela 20th-century Venezuelan people 21st-century Venezuelan people
Jean Sutherland Fleming (born 1952) is a New Zealand reproductive biologist, science communication advocate and environmentalist. She has been a professor emerita in science communication since her retirement from the University of Otago in 2014. Education Fleming was born in 1952, the daughter of scientist Charles Fleming and Margaret Alison Fleming (née Chambers). She obtained her BSc in biochemistry from Victoria University of Wellington in 1973 and her MSc in clinical biochemistry from the University of Otago in 1981. She then completed a PhD in reproductive biology at the University of Otago in 1986, focusing on the gonadotrophin-releasing hormone. Career Fleming joined the University of Otago as a lecturer in physiology in 1994, working on ovulation and ovarian cancer. She led the programme committee for the first New Zealand International Science Festival (NZISF) in 1997, and received life membership of the NZISF in 2012. Fleming held the role of professor of science communication at the University of Otago's Centre for Science Communication from 2008 until 2013. She retired from the University of Otago in 2014, and was conferred with the title of professor emerita. In 2000, Fleming was appointed to New Zealand’s Royal Commission on Genetic Modification (RCGM). Fleming was a regular guest on Brian Crump’s National Radio show. Honours and awards Fleming was awarded the New Zealand Suffrage Centennial Medal 1993. In the 2002 Queen's Birthday and Golden Jubilee Honours, she was appointed an Officer of the New Zealand Order of Merit, for services to science. She was elected a Companion of the Royal Society of New Zealand in 2011. References 1952 births Living people New Zealand environmentalists Victoria University of Wellington alumni University of Otago alumni Academic staff of the University of Otago Officers of the New Zealand Order of Merit Recipients of the New Zealand Suffrage Centennial Medal 1993 Companions of the Royal Society of New Zealand Science communicators New Zealand biochemists New Zealand physiologists New Zealand women academics New Zealand women scientists
```shell Finding a tag The three states in git Make your log output pretty Search by commit message keyword Search for commits by author ```
```scss .section-trello-board { width: 100%; padding: 10px; white-space: nowrap; overflow: auto } .section-trello-board-title { font-weight: bold; color: #fff; font-size: 16px; } .section-trello-list { background-color: #e2e4e6; padding: 10px; border-radius: 3px; margin: 10px 10px 0 0; max-width: 300px; } .section-trello-list-title { font-weight: bold; color: #4c4c4c; font-size: 14px; display: inline-block; vertical-align: middle; } .section-trello-list-checkbox { vertical-align: middle; margin-right: 10px; } .section-trello-render { > .trello-board { width: 100%; max-height: 600px; padding: 10px; white-space: nowrap; overflow: auto; > a { > .trello-board-title { font-weight: bold; color: #fff; font-size: 16px; } } > .trello-list { background-color: #e2e4e6; padding: 10px; border-radius: 3px; margin: 10px 10px 0 0; width: 300px; max-height: 500px; display: inline-block; white-space: nowrap; overflow: auto; vertical-align: top; > .trello-list-title { font-weight: bold; color: #4c4c4c; font-size: 14px; margin: 0 10px 10px 0; } > a { > .trello-card { color: #4c4c4c; border-bottom: 1px solid #CDD2D4; background-color: #fff; border-radius: 3px; padding: 7px 7px; margin: 5px 0; font-size: 14px; font-family: "Helvetica Neue", Arial, Helvetica, sans-serif; line-height: 18px; overflow: hidden; word-wrap: break-word; white-space: normal; cursor: pointer; vertical-align: top; } } } } } ```
```turing BEGIN { if ($ENV{PERL_CORE}) { chdir('t') if -d 't'; @INC = $^O eq 'MacOS' ? qw(::lib) : qw(../lib); } } use strict; use warnings; BEGIN { $| = 1; print "1..69\n"; } my $count = 0; sub ok ($;$) { my $p = my $r = shift; if (@_) { my $x = shift; $p = !defined $x ? !defined $r : !defined $r ? 0 : $r eq $x; } print $p ? "ok" : "not ok", ' ', ++$count, "\n"; } use Unicode::Collate::Locale; ok(1); sub _pack_U { Unicode::Collate::pack_U(@_) } sub _unpack_U { Unicode::Collate::unpack_U(@_) } ######################### my $objLt = Unicode::Collate::Locale-> new(locale => 'LT', normalization => undef); ok($objLt->getlocale, 'lt'); $objLt->change(level => 1); ok($objLt->lt("c", "c\x{30C}")); ok($objLt->gt("d", "c\x{30C}")); ok($objLt->lt("s", "s\x{30C}")); ok($objLt->gt("t", "s\x{30C}")); ok($objLt->lt("z", "z\x{30C}")); ok($objLt->lt("z\x{30C}", "\x{292}")); # U+0292 EZH # 8 ok($objLt->eq("a", "a\x{328}")); ok($objLt->eq("e", "e\x{328}")); ok($objLt->eq("e\x{328}", "e\x{307}")); ok($objLt->eq("i", "i\x{328}")); ok($objLt->eq("y", "i\x{328}")); ok($objLt->eq("u", "u\x{328}")); ok($objLt->eq("u\x{328}", "u\x{304}")); # 15 $objLt->change(level => 2); ok($objLt->lt("a", "a\x{328}")); ok($objLt->lt("e", "e\x{328}")); ok($objLt->lt("e\x{328}", "e\x{307}")); ok($objLt->lt("i", "i\x{328}")); ok($objLt->gt("y", "i\x{328}")); ok($objLt->lt("u", "u\x{328}")); ok($objLt->lt("u\x{328}", "u\x{304}")); # 22 ok($objLt->eq("c\x{30C}", "C\x{30C}")); ok($objLt->eq("s\x{30C}", "S\x{30C}")); ok($objLt->eq("z\x{30C}", "Z\x{30C}")); ok($objLt->eq("i\x{307}", "I\x{307}")); ok($objLt->eq("y", "Y")); ok($objLt->eq("a\x{328}", "A\x{328}")); ok($objLt->eq("e\x{328}", "E\x{328}")); ok($objLt->eq("e\x{307}", "E\x{307}")); ok($objLt->eq("i\x{328}", "I\x{328}")); ok($objLt->eq("u\x{328}", "U\x{328}")); ok($objLt->eq("u\x{304}", "U\x{304}")); # 33 # according to CLDR tests ok($objLt->gt("I\x{307}\x{300}", "I\x{300}")); ok($objLt->gt("I\x{307}\x{301}", "I\x{301}")); ok($objLt->gt("I\x{307}\x{303}", "I\x{303}")); # 36 $objLt->change(level => 3); ok($objLt->lt("c\x{30C}", "C\x{30C}")); ok($objLt->lt("s\x{30C}", "S\x{30C}")); ok($objLt->lt("z\x{30C}", "Z\x{30C}")); ok($objLt->lt("i\x{307}", "I\x{307}")); ok($objLt->lt("y", "Y")); ok($objLt->lt("a\x{328}", "A\x{328}")); ok($objLt->lt("e\x{328}", "E\x{328}")); ok($objLt->lt("e\x{307}", "E\x{307}")); ok($objLt->lt("i\x{328}", "I\x{328}")); ok($objLt->lt("u\x{328}", "U\x{328}")); ok($objLt->lt("u\x{304}", "U\x{304}")); # 47 ok($objLt->eq("c\x{30C}", "\x{10D}")); ok($objLt->eq("C\x{30C}", "\x{10C}")); ok($objLt->eq("s\x{30C}", "\x{161}")); ok($objLt->eq("S\x{30C}", "\x{160}")); ok($objLt->eq("z\x{30C}", "\x{17E}")); ok($objLt->eq("Z\x{30C}", "\x{17D}")); ok($objLt->eq("I\x{307}", "\x{130}")); ok($objLt->eq("a\x{328}", "\x{105}")); ok($objLt->eq("A\x{328}", "\x{104}")); ok($objLt->eq("e\x{328}", "\x{119}")); ok($objLt->eq("E\x{328}", "\x{118}")); ok($objLt->eq("e\x{307}", "\x{117}")); ok($objLt->eq("E\x{307}", "\x{116}")); ok($objLt->eq("i\x{328}", "\x{12F}")); ok($objLt->eq("I\x{328}", "\x{12E}")); ok($objLt->eq("u\x{328}", "\x{173}")); ok($objLt->eq("U\x{328}", "\x{172}")); ok($objLt->eq("u\x{304}", "\x{16B}")); ok($objLt->eq("U\x{304}", "\x{16A}")); # 66 ok($objLt->eq("i\x{307}\x{300}", "i\x{300}")); ok($objLt->eq("i\x{307}\x{301}", "i\x{301}")); ok($objLt->eq("i\x{307}\x{303}", "i\x{303}")); # 69 ```
```java package com.ctrip.platform.dal.dao; public enum DalEventEnum { QUERY("query", 2001), UPDATE_SIMPLE("update", 2002), UPDATE_KH("update(KeyHolder)", 2003), BATCH_UPDATE("batchUpdate(sqls)", 2004), BATCH_UPDATE_PARAM("batchUpdate(params)", 2005), EXECUTE("execute", 2006), CALL("call", 2007), BATCH_CALL("call(params)", 2008), CONNECTION_SUCCESS("connection_success", 2010), CONNECTION_FAILED("connection_failed", 2011); private String operation; private int eventId; private DalEventEnum(String operation, int eventId) { this.operation = operation; this.eventId = eventId; } public int getEventId() { return eventId; } public String getOperation() { return operation; } } ```
Paillamachu (died 1604), was the Mapuche toqui from 1592 to 1603 in what is now Chile. Paillamachu replaced the slain Paillaeco, then organized and carried out the great revolt of 1598 that expelled the Spanish from Araucanía south of the Bío Bío River. He was succeeded upon his death by Huenecura in 1604. Sources The Geographical, Natural, and Civil History of Chili By Don Juan Ignatius Molina, Longman, Hurst, Rees, and Orme, Paternoster-Row, London, 1809 José Ignacio Víctor Eyzaguirre, Historia eclesiastica: Politica y literaria de Chile, IMPRENTA DEL COMERCIO, VALPARAISO, June 1830 List of Toquis, pg. 162-163, 498-500. 16th-century Mapuche people 17th-century Mapuche people 1603 deaths People of the Arauco War Indigenous leaders of the Americas Toquis Year of birth unknown
The Banovina of Croatia or Banate of Croatia () was an administrative subdivision (banovina) of the Kingdom of Yugoslavia between 1939 and 1941. It was formed by a merger of Sava and Littoral banovinas into a single autonomous entity, with small parts of the Drina, Zeta, Vrbas and Danube banovinas also included. Its capital was Zagreb and it included most of present-day Croatia along with portions of Bosnia and Herzegovina and Serbia. Its sole Ban during this period was Ivan Šubašić. Background In the Vidovdan Constitution of 1921, the Kingdom of Serbs, Croats and Slovenes had established 33 administrative districts, each headed by a government-appointed prefect. Both the Vidovdan Constitution in general and the administrative districts in particular were part of the design of Nikola Pašić and Svetozar Pribićević to maximize the power of the ethnic Serb population within the new state. The new constitution was passed in a political climate favorable to the Serbian centralists, as the Croatian regionalists chose to abstain from parliamentary duty, whereas the deputies of the Communist Party of Yugoslavia were excluded by a parliamentary vote. An amendment to the electoral law in June of 1922 further stacked the deck in favor of the Serbian population, when electoral constituencies were created based on pre-war census figures, allowing Serbia to ignore its massive military casualties sustained in the First World War. This only furthered the resentment felt by the proponents of a federate or confederate state towards the government, particularly the Croatian regionalists of the Croatian Republican Peasant Party (HRSS) around Stjepan Radić. Radić was shot in parliament by a Serbian delegate in 1928 and died two months later. This provoked the withdrawal of the HRSS from the assembly, forged an anti-Belgrade mindset in Croatia and ultimately led to the collapse of the constitutional system of the Kingdom of Serbs, Croats and Slovenes. After fruitless efforts to fix the Serb-Croat divide and Croat abstention from government, including a cabinet headed by the nominally neutral Slovene Anton Korošec, King Alexander I of Yugoslavia intervened and, on 6 January 1929, established the 6 January Dictatorship. On 3 October 1929, the country was officially renamed Kingdom of Yugoslavia in an effort to unite the various ethnicities into a greater national identity. The new state had a new constitution, and in place of the 33 administrative districts of the Vidovdan Constitution, it instead established the banovinas. The banovinas were drawn in a way to avoid the old historical, regionalist or ethnic affiliations, but because the King still had a vested interest in maintaining the Serb dominance from which he drew most of his legitimacy as King, six of the nine Banovinas ended up with Serb majorities. Instead of uniting Serbs and Croats into a joint Yugoslav identity, there was widespread Croatian resentment against a perceived Serbian hegemony instead. Over the course of the next ten years, the royal dictatorship grew in strength and ruled with authoritarian decrees, climaxing in the tenure of Milan Stojadinović as Prime Minister between 1936 and 1939. Stojadinović, who had adopted fascist symbolism, gestures and titles from Benito Mussolini in his aspirations to be Yugoslavia's strongman, ultimately fell from grace because he lost the faith of minority representatives in February of 1939. He was replaced by Dragiša Cvetković, who, in an effort to win Croat support for his government, opened talks with Radić's successor as leader of the Croatian regionalists, Vladko Maček. In a compromise named after the two, the Cvetković-Maček Agreement (also known as the Sporazum), the central government made the concession of merging two of the nine banovinas, Sava and Littoral, into one, the Banovina of Croatia. History On the basis of the Cvetković–Maček Agreement, and the Decree on the Banate of Croatia (Uredba o Banovini Hrvatskoj) dated 24 August 1939, the Banate of Croatia was created. The entire area of the Sava and Littoral Banovinas was combined and parts of the Vrbas, Zeta, Drina and Danube banovinas (districts Brčko, Derventa, Dubrovnik, Fojnica, Gradačac, Ilok, Šid and Travnik) were added to form the Banate of Croatia. The borders of the Banate of Croatia are partly the historical borders of Croatia, and partly based on the application of the principle of ethnicity according to which Bosnian and Herzegovinian territory with a majority Croat population was annexed to the Banate. Under the Agreement, central government continued to control defense, internal security, foreign policy, trade, and transport; but an elected Sabor and a crown-appointed ban would decide internal matters in Croatia. Ironically, the Agreement fueled separatism. Maček and other Croats viewed autonomy as a first step toward full Croatian independence, so they began haggling over territory; Serbs attacked Cvetković, charging that the Agreement brought them no return to democracy and no autonomy; Muslims demanded an autonomous Bosnia; and Slovenes and Montenegrins espoused federalism. Prince Regent Paul appointed a new government with Cvetković as prime minister and Maček as vice prime minister, but it gained little support. In May 1940, fairly free local elections were held in rural municipalities, showing some weakening of support for Maček and Croatian Peasant Party due to poor economic showing. In 1941, the World War II Axis Powers occupied Yugoslavia, and establishing a government-in-exile in London. Legally, the Banovina of Croatia remained a part of the occupied Kingdom of Yugoslavia, while the Axis proceeded to dismember Yugoslav territory and the Banovina along with it. Some of the coastal areas from Split to Zadar and near the Gulf of Kotor were annexed by Fascist Italy but the remainder was added to the Independent State of Croatia. As the Kingdom of Yugoslavia became the Democratic Federal Yugoslavia with the success of the Yugoslav Partisans, a new Federal State of Croatia was established within it, succeeding the Banovina. Population In 1939, the banovina of Croatia had a population of 4,299,430 of which three quarters was Roman Catholic, one-fifth was Orthodox, and 4 percent was Muslim. The banovina was divided into 116 districts (kotari) of which 95 had an absolute and 5 had a relative Catholic majority. Although religious in nature as per Yugoslav homogeneity policy, the census also provided insight into ethnic make-up of the banovina as ethnic Croats and Slovenes were predominantly Catholic whereas other ethnicities were not. Sports The Croatian Football Federation was the governing body of football within the Banovina. It organized a domestic league and a national team. The Jozo Jakopić-led Banovina of Croatia had four international matches: two pairs of home-and-away matches against Switzerland and Hungary. The Croatian Rowing Championships were held on 29 June 1940. Croatia men's national ice hockey team played its first friendly game against Slovakia on February 9, 1941 in Bratislava and lost 6-1. The Croatian Boxing Federation was reconstituted on 5 October 1939 as the governing body of boxing within the entire Banovina of Croatia. Gallery See also Kingdom of Yugoslavia Socialist Republic of Croatia Timeline of Croatian history Ban of Croatia Administrative divisions of the Banovina of Croatia Notes References External links Map of Yugoslav banovinas with the Banovina of Croatia Banovinas of the Kingdom of Yugoslavia Yugoslav Croatia Geographic history of Bosnia and Herzegovina 20th century in Vojvodina Yugoslav Serbia States and territories established in 1939 1939 establishments in Croatia 1941 disestablishments in Croatia 1939 establishments in Yugoslavia States and territories disestablished in 1941
The Springs Fire was a wildfire in Ventura County, California in May 2013. Although the fire burned only 15 homes, it threatened 4,000. This threat passed when rain shower moved through the California area because of a low-pressure system off the coast. Some places got more than half an inch of rain. The fire started at 6:45 AM on May 2, 2013, in Camarillo, California near U.S. Route 101 and burned across Pacific Coast Highway to the Pacific Ocean. Several neighborhoods were evacuated, along with the campus of California State University Channel Islands. Impacts The fire burned around of brushland along coastal Ventura County and into the Santa Monica Mountains. Weather conditions made favorable conditions for brush fires. The Santa Ana Winds were blowing at , spreading the fire; single-digit humidity added to the problems. By May 3, the fire was only 20 percent contained; on May 4, higher humidity made firefighters jobs easier; and on May 5 the fire was 60 percent contained. On May 6, 2013, the fire was almost extinguished as rain fell in the area. Scientists are concerned about the impact of the fire on Dudleya verityi, a rare species of succulent plant known by the common name Verity's liveforever. Endemic to Ventura County, this species is only found on one edge of the Santa Monica Mountains, where it occurs in coastal sage scrub habitat. The dominant plants are California sagebrush (Artemisia californica), California buckwheat (Eriogonum fasciculatum) and purple sage (Salvia leucophylla). At least two occurrences are within the campus bounds of California State University, Channel Islands where faculty and students are tracking sites where the plant exists and studying it. See also 2013 California wildfires References 2013 California wildfires Wildfires in Ventura County, California
```smalltalk /* */ using System; using System.Collections.Generic; using System.Linq; using System.Xml.Serialization; using System.Collections; using System.IO; namespace Klocman.Extensions { public static class DictionaryExtensions { public static void Serialize(this IDictionary dictionary, TextWriter writer) { var entries = new List<Entry>(from object key in dictionary.Keys select new Entry(key, dictionary[key])); var serializer = new XmlSerializer(typeof(List<Entry>)); serializer.Serialize(writer, entries); } public static void Deserialize(this IDictionary dictionary, TextReader reader) { dictionary.Clear(); var serializer = new XmlSerializer(typeof(List<Entry>)); var list = (List<Entry>)serializer.Deserialize(reader); if (list == null) throw new ArgumentException(@"Reader didn't contain valid data", nameof(reader)); foreach (var entry in list) { dictionary[entry.Key] = entry.Value; } } private class Entry { public object Key; public object Value; public Entry() { } public Entry(object key, object value) { Key = key; Value = value; } } } } ```
```c++ /* * @Author: xuezaigds@gmail.com * @Last Modified time: 2016-09-01 10:17:08 */ #include <unistd.h> #include <sys/types.h> #include <sys/socket.h> #include <netinet/in.h> #include <arpa/inet.h> #include <stdio.h> #include <stdlib.h> int main() { int sockfd = -1; int len = 0; struct sockaddr_in address; int result; char ch = 'A'; // sockfd = socket(AF_INET, SOCK_STREAM, 0); // address.sin_family = AF_INET;// address.sin_addr.s_addr = inet_addr("127.0.0.1");// address.sin_port = htons(9736);// len = sizeof(address); // result = connect(sockfd, (struct sockaddr*)&address, len); if(result == -1) { perror("ops:client\n"); exit(1); } // write(sockfd, &ch, 1); // read(sockfd, &ch, 1); printf("char form server = %c\n", ch); close(sockfd); exit(0); } ```
Port of Itaqui is a Brazilian port located in the city of São Luís, Maranhão. It is not to be confused with the city of Itaqui, in the state of Rio Grande do Sul, near the border with Argentina. The main cargoes include aluminum ingots and bars, pig iron, general, dry and liquid bulk cargoes, soybean and copper. The hinterland of the Port of Itaqui encompasses the states of Maranhão, Piauí, Tocantins, southwestern Pará, northern Goiás, northeastern Mato Grosso, and western Bahia. History In 1939 studies developed by Departamento Nacional de Portos, Rios e Canais – DNPRC (Nacional Department Of Ports, Rivers and Channels) in the Ministério da Aviação e Obras Públicas (Transport and Public Construction Ministry) pointed the Itaqui Region as a good place for a new port in Maranhão due to its sheltering waters and excellent water depth near the coast. However, the port building started only in 1966. In July 1974 the new port facilities started working under the management of the Companhia Docas do Maranhão – Codomar (Maranhão Dock Company). In 2000, management of the Port of Itaqui was passed to the Maranhão state government. The Empresa Maranhense de Administração Portuária – EMAP (Maranhense Port Handling Company), a privately held public company, was established to manage and exploit São José de Ribamar Wharf, the ferry-boat terminals of Ponta da Espera and Cujupe, besides the Port of Itaqui. Location The port of Itaqui can be reached by highway (Highway BR- 135), railway (1 m gauge rail operated by Companhia Ferroviária do Nordeste – CFN as well as 1.60 gauge rails operated by Estrada de Ferro Carajás - EFC and Ferrovia Norte-Sul), plane (from Marechal Cunha Machado International Airport in São Luís), river (through the shallow rivers of Mearim, Pindaré, dos Cachorros, and Grajaú) and of course by sea (through a 1.8 km wide channel with a minimum depth of 23 m). Facilities A wharf which is 1,616 m long and 9 m up deep. Six berths with water depths ranging from 9.5 m to 19 m. A 7,500 m² warehouse for bulk cargo. A 3,000 m² impounded warehouse for dry bulk cargo. Four storing dockyards, totalling 42,000 m². Four vertical silos for grains with a total capacity of 12,000 tons. One horizontal silo for grain with a capacity of 8,000 tons. Eight vertical silos with a total capacity of 7,200 tons. Sixty-six tanks for liquid bulk cargo with a total tank volume of 320,000 m³. Two spheres for storing LPG with a total volume of 8,680 m³. One operational tanker wharf (an additional tanker wharf is not yet operational). Equipment Three reach stackers for container handling. a 64 tons and a 104 tons capacity load crane for dry bulk cargo, containers and bulk cargo. Two ship loaders. Twenty stackers. Supporting Facilities Electric power as well as water and fuel supplies are available. Piloting is provided by Servprat – Serviços de Praticagem da Baía de São Marcos Ltda. Tugboating is available from TUG BRASIL, Consórcio de Rebocadores da Baía de São Marcos, Internacional Marítima, and Smith rebras. Private Terminals The Maranhão Port Complex includes two private terminals, the Ponta da Madeira Terminal (Vale) and the Alumar Terminal. References Ports and harbours of Brazil Buildings and structures in Maranhão São Luís, Maranhão
Spiralinella spiralis is a species of sea snail, a marine gastropod mollusk in the family Pyramidellidae, the pyrams and their allies. Nomenclature Høisæter (2014) advocated using the well-known specific name spiralis (Montagu, 1803) for this species, although Turbo spiralis Montagu, 1803 is a primary homonym of Turbo spiralis Poiret, 1801. The latter name could meet the conditions for being declared nomen oblitum but so far Høisæter (2014) did not provide the citations required by ICZN Art. 23.9 to make the declaration effective. Distribution This marine species occurs in the following locations: Belgian Exclusive Economic Zone British Isles European waters (ERMS scope) Goote Bank Irish Exclusive economic Zone Portuguese Exclusive Economic Zone Spanish Exclusive Economic Zone United Kingdom Exclusive Economic Zone West Coast of Norway Wimereux References Høisæter, T. (2014). The Pyramidellidae (Gastropoda, Heterobranchia) of Norway and adjacent waters. A taxonomic review. Fauna norvegica. 34: 7-78 External links To CLEMAM To Encyclopedia of Life To Marine Species Identification Portal To World Register of Marine Species Pyramidellidae Gastropods described in 1803
Juhi Chaturvedi (born 24 February 1975) is an Indian screenwriter who works in Hindi films. An advertising professional based in Mumbai, Chaturvedi has written scripts for Bollywood films such as Vicky Donor (2012), Piku (2015), October (2018) and Gulabo Sitabo (2020). She won the 2013 Filmfare Award for Best Story for Vicky Donor (2012), the National Film Award for Best Original Screenplay and Best Dialogues and the 2016 Filmfare Award for Best Screenplay for Piku (2015). Early life and background Born and brought up in Lucknow, Chaturvedi graduated from Lucknow College of Arts. Career Chaturvedi started her career as a freelance illustrator with Lucknow's edition of The Times of India. She shifted to Delhi in 1996, when she joined advertising with Ogilvy & Mather as an art director. In 1999, she moved to the Mumbai office of the agency. In 2008, she joined McCann followed by Bates in Mumbai, where she was creative director. She worked with director Shoojit Sircar on ad films for brands like Titan watches and Saffola. She also wrote the dialogues for Shoebite, Sircar's second film, which had Amitabh Bachchan in the lead role, but it was cancelled. During her time in Delhi, she lived in Lajpat Nagar, an experience she used in scripting her first film, Vicky Donor. She was awarded the IRDS Film award for social concern for her story Vicky Donor. In July 2013, she joined the advertising agency Leo Burnett, Mumbai as Executive Creative Director. Filmography Accolades References External links 1975 births Living people Indian columnists Indian women screenwriters Filmfare Awards winners Indian advertising people Writers from Lucknow Women writers from Uttar Pradesh 21st-century Indian women writers 21st-century Indian writers 21st-century Indian dramatists and playwrights Screenwriters from Uttar Pradesh Best Original Screenplay National Film Award winners Best Dialogue National Film Award winners Indian women columnists University of Lucknow alumni 21st-century Indian screenwriters
```objective-c /* NOLINT(build/header_guard) */ Distributed under MIT license. See file LICENSE for detail or copy at path_to_url */ /* template parameters: EXPORT_FN, FN */ static BROTLI_NOINLINE void EXPORT_FN(CreateBackwardReferences)( size_t num_bytes, size_t position, const uint8_t* ringbuffer, size_t ringbuffer_mask, ContextLut literal_context_lut, const BrotliEncoderParams* params, Hasher* hasher, int* dist_cache, size_t* last_insert_len, Command* commands, size_t* num_commands, size_t* num_literals) { HASHER()* privat = &hasher->privat.FN(_); /* Set maximum distance, see section 9.1. of the spec. */ const size_t max_backward_limit = BROTLI_MAX_BACKWARD_LIMIT(params->lgwin); const size_t position_offset = params->stream_offset; const Command* const orig_commands = commands; size_t insert_length = *last_insert_len; const size_t pos_end = position + num_bytes; const size_t store_end = num_bytes >= FN(StoreLookahead)() ? position + num_bytes - FN(StoreLookahead)() + 1 : position; /* For speed up heuristics for random data. */ const size_t random_heuristics_window_size = LiteralSpreeLengthForSparseSearch(params); size_t apply_random_heuristics = position + random_heuristics_window_size; const size_t gap = 0; /* Minimum score to accept a backward reference. */ const score_t kMinScore = BROTLI_SCORE_BASE + 100; BROTLI_UNUSED(literal_context_lut); FN(PrepareDistanceCache)(privat, dist_cache); while (position + FN(HashTypeLength)() < pos_end) { size_t max_length = pos_end - position; size_t max_distance = BROTLI_MIN(size_t, position, max_backward_limit); size_t dictionary_start = BROTLI_MIN(size_t, position + position_offset, max_backward_limit); HasherSearchResult sr; sr.len = 0; sr.len_code_delta = 0; sr.distance = 0; sr.score = kMinScore; FN(FindLongestMatch)(privat, &params->dictionary, ringbuffer, ringbuffer_mask, dist_cache, position, max_length, max_distance, dictionary_start + gap, params->dist.max_distance, &sr); if (sr.score > kMinScore) { /* Found a match. Let's look for something even better ahead. */ int delayed_backward_references_in_row = 0; --max_length; for (;; --max_length) { const score_t cost_diff_lazy = 175; HasherSearchResult sr2; sr2.len = params->quality < MIN_QUALITY_FOR_EXTENSIVE_REFERENCE_SEARCH ? BROTLI_MIN(size_t, sr.len - 1, max_length) : 0; sr2.len_code_delta = 0; sr2.distance = 0; sr2.score = kMinScore; max_distance = BROTLI_MIN(size_t, position + 1, max_backward_limit); dictionary_start = BROTLI_MIN(size_t, position + 1 + position_offset, max_backward_limit); FN(FindLongestMatch)(privat, &params->dictionary, ringbuffer, ringbuffer_mask, dist_cache, position + 1, max_length, max_distance, dictionary_start + gap, params->dist.max_distance, &sr2); if (sr2.score >= sr.score + cost_diff_lazy) { /* Ok, let's just write one byte for now and start a match from the next byte. */ ++position; ++insert_length; sr = sr2; if (++delayed_backward_references_in_row < 4 && position + FN(HashTypeLength)() < pos_end) { continue; } } break; } apply_random_heuristics = position + 2 * sr.len + random_heuristics_window_size; dictionary_start = BROTLI_MIN(size_t, position + position_offset, max_backward_limit); { /* The first 16 codes are special short-codes, and the minimum offset is 1. */ size_t distance_code = ComputeDistanceCode( sr.distance, dictionary_start + gap, dist_cache); if ((sr.distance <= (dictionary_start + gap)) && distance_code > 0) { dist_cache[3] = dist_cache[2]; dist_cache[2] = dist_cache[1]; dist_cache[1] = dist_cache[0]; dist_cache[0] = (int)sr.distance; FN(PrepareDistanceCache)(privat, dist_cache); } InitCommand(commands++, &params->dist, insert_length, sr.len, sr.len_code_delta, distance_code); } *num_literals += insert_length; insert_length = 0; /* Put the hash keys into the table, if there are enough bytes left. Depending on the hasher implementation, it can push all positions in the given range or only a subset of them. Avoid hash poisoning with RLE data. */ { size_t range_start = position + 2; size_t range_end = BROTLI_MIN(size_t, position + sr.len, store_end); if (sr.distance < (sr.len >> 2)) { range_start = BROTLI_MIN(size_t, range_end, BROTLI_MAX(size_t, range_start, position + sr.len - (sr.distance << 2))); } FN(StoreRange)(privat, ringbuffer, ringbuffer_mask, range_start, range_end); } position += sr.len; } else { ++insert_length; ++position; /* If we have not seen matches for a long time, we can skip some match lookups. Unsuccessful match lookups are very very expensive and this kind of a heuristic speeds up compression quite a lot. */ if (position > apply_random_heuristics) { /* Going through uncompressible data, jump. */ if (position > apply_random_heuristics + 4 * random_heuristics_window_size) { /* It is quite a long time since we saw a copy, so we assume that this data is not compressible, and store hashes less often. Hashes of non compressible data are less likely to turn out to be useful in the future, too, so we store less of them to not to flood out the hash table of good compressible data. */ const size_t kMargin = BROTLI_MAX(size_t, FN(StoreLookahead)() - 1, 4); size_t pos_jump = BROTLI_MIN(size_t, position + 16, pos_end - kMargin); for (; position < pos_jump; position += 4) { FN(Store)(privat, ringbuffer, ringbuffer_mask, position); insert_length += 4; } } else { const size_t kMargin = BROTLI_MAX(size_t, FN(StoreLookahead)() - 1, 2); size_t pos_jump = BROTLI_MIN(size_t, position + 8, pos_end - kMargin); for (; position < pos_jump; position += 2) { FN(Store)(privat, ringbuffer, ringbuffer_mask, position); insert_length += 2; } } } } } insert_length += pos_end - position; *last_insert_len = insert_length; *num_commands += (size_t)(commands - orig_commands); } ```
Carlos António do Carmo Costa Gomes (18 January 1932, in Barreiro – 18 October 2005, in Lisbon) was a Portuguese footballer who played as a goalkeeper. He was also a football manager. Career He started his career in Barreirense, before being transferred to Sporting, in 1950, aged 18, where he was the substitute of another legendary goalkeeper, João Azevedo. In just a year, he was the number 1 of the Sporting team, where he played until 1957/58, and was a four-time national champion (1951/52, 1952/53, 1953/54 and 1957/58) also winning the Cup of Portugal in 1958. During the golden years of his career, he played 18 times for the National Team. His first game, on 22 November 1953, was a friendly match against South Africa, which Portugal won 3–1. His last game, on 7 May 1958, was a 1–2 defeat by England; another friendly match. After his demands were refused by Sporting, he moved to Spain, where he represented Granada and Real Oviedo. He returned to Portugal, to play for Atlético, in 1961/62. He was a known opponent of the fascist regime and it is believed, like he claimed, that the allegations of rape against him were a set-up, created by the political police of the regime to force him to leave football. After a simulated injury in an Atlético game with Vitória Guimarães, he escaped to Spain. Later, he escaped to Morocco and played with Tangier FC, USP Tangier and CODM Meknès. In 1969, he went to Algeria, played with JS Djijel and became a manager. In 1971, he managed MC Oran and won the championship. He went to Tunisia before returning to Portugal in the 1980s. He moved again to Spain and Austria, returning finally to Portugal in July 2005, suffering from Parkinson's disease. He died soon after, at age 73. Honours Won the Portuguese Primeira Liga for 4 times in 1952, 1953, 1954 and 1958 with Sporting Clube de Portugal. Won the Taça de Portugal once in 1954 with Sporting Clube de Portugal. Won the Moroccan Throne Cup once in 1966 with COD Meknes Won the Algerian Ligue 1 once in 1971 with MC Oran (as manager). External links Carlos Gomes Tribute (Portuguese) 1932 births 2005 deaths Deaths from Parkinson's disease Footballers from Barreiro, Portugal Men's association football goalkeepers Portuguese men's footballers Portuguese expatriate men's footballers Portugal men's international footballers Expatriate men's footballers in Algeria Portuguese football managers Expatriate football managers in Algeria Sporting CP footballers Granada CF footballers Real Oviedo players La Liga players MC Oran managers COD Meknès players Neurological disease deaths in Portugal
```xml <?xml version="1.0" encoding="utf-8"?> <Project ToolsVersion="4.0" xmlns="path_to_url"> <ItemGroup> <Filter Include="Source Files"> <UniqueIdentifier>{4FC737F1-C7A5-4376-A066-2A32D752A2FF}</UniqueIdentifier> <Extensions>cpp;c;cc;cxx;def;odl;idl;hpj;bat;asm;asmx</Extensions> </Filter> <Filter Include="Header Files"> <UniqueIdentifier>{93995380-89BD-4b04-88EB-625FBE52EBFB}</UniqueIdentifier> <Extensions>h;hpp;hxx;hm;inl;inc;xsd</Extensions> </Filter> <Filter Include="Resource Files"> <UniqueIdentifier>{d81e81ca-b13e-4a15-b54b-b12b41361e6b}</UniqueIdentifier> </Filter> </ItemGroup> <ItemGroup> <ClCompile Include="..\libusb\core.c"> <Filter>Source Files</Filter> </ClCompile> <ClCompile Include="..\libusb\descriptor.c"> <Filter>Source Files</Filter> </ClCompile> <ClCompile Include="..\libusb\io.c"> <Filter>Source Files</Filter> </ClCompile> <ClCompile Include="..\libusb\os\poll_windows.c"> <Filter>Source Files</Filter> </ClCompile> <ClCompile Include="..\libusb\sync.c"> <Filter>Source Files</Filter> </ClCompile> <ClCompile Include="..\libusb\os\threads_windows.c"> <Filter>Source Files</Filter> </ClCompile> <ClCompile Include="..\libusb\os\windows_usb.c"> <Filter>Source Files</Filter> </ClCompile> </ItemGroup> <ItemGroup> <ClInclude Include=".\config.h"> <Filter>Header Files</Filter> </ClInclude> <ClInclude Include="..\libusb\libusb.h"> <Filter>Header Files</Filter> </ClInclude> <ClInclude Include="..\libusb\libusbi.h"> <Filter>Header Files</Filter> </ClInclude> <ClInclude Include="..\libusb\os\poll_windows.h"> <Filter>Header Files</Filter> </ClInclude> <ClInclude Include="..\libusb\os\threads_windows.h"> <Filter>Header Files</Filter> </ClInclude> <ClInclude Include="..\libusb\os\windows_usb.h"> <Filter>Header Files</Filter> </ClInclude> </ItemGroup> <ItemGroup> <None Include="..\libusb\libusb-1.0.def"> <Filter>Resource Files</Filter> </None> </ItemGroup> <ItemGroup> <ResourceCompile Include="..\libusb\libusb-1.0.rc"> <Filter>Resource Files</Filter> </ResourceCompile> </ItemGroup> </Project> ```
```php <?php /** * Dependencies API: WP_Dependencies base class * * @since 2.6.0 * * @package WordPress * @subpackage Dependencies */ /** * Core base class extended to register items. * * @since 2.6.0 * * @see _WP_Dependency */ #[AllowDynamicProperties] class WP_Dependencies { /** * An array of all registered dependencies keyed by handle. * * @since 2.6.8 * * @var _WP_Dependency[] */ public $registered = array(); /** * An array of handles of queued dependencies. * * @since 2.6.8 * * @var string[] */ public $queue = array(); /** * An array of handles of dependencies to queue. * * @since 2.6.0 * * @var string[] */ public $to_do = array(); /** * An array of handles of dependencies already queued. * * @since 2.6.0 * * @var string[] */ public $done = array(); /** * An array of additional arguments passed when a handle is registered. * * Arguments are appended to the item query string. * * @since 2.6.0 * * @var array */ public $args = array(); /** * An array of dependency groups to enqueue. * * Each entry is keyed by handle and represents the integer group level or boolean * false if the handle has no group. * * @since 2.8.0 * * @var (int|false)[] */ public $groups = array(); /** * A handle group to enqueue. * * @since 2.8.0 * * @deprecated 4.5.0 * @var int */ public $group = 0; /** * Cached lookup array of flattened queued items and dependencies. * * @since 5.4.0 * * @var array */ private $all_queued_deps; /** * List of assets enqueued before details were registered. * * @since 5.9.0 * * @var array */ private $queued_before_register = array(); /** * Processes the items and dependencies. * * Processes the items passed to it or the queue, and their dependencies. * * @since 2.6.0 * @since 2.8.0 Added the `$group` parameter. * * @param string|string[]|false $handles Optional. Items to be processed: queue (false), * single item (string), or multiple items (array of strings). * Default false. * @param int|false $group Optional. Group level: level (int), no group (false). * @return string[] Array of handles of items that have been processed. */ public function do_items( $handles = false, $group = false ) { /* * If nothing is passed, print the queue. If a string is passed, * print that item. If an array is passed, print those items. */ $handles = false === $handles ? $this->queue : (array) $handles; $this->all_deps( $handles ); foreach ( $this->to_do as $key => $handle ) { if ( ! in_array( $handle, $this->done, true ) && isset( $this->registered[ $handle ] ) ) { /* * Attempt to process the item. If successful, * add the handle to the done array. * * Unset the item from the to_do array. */ if ( $this->do_item( $handle, $group ) ) { $this->done[] = $handle; } unset( $this->to_do[ $key ] ); } } return $this->done; } /** * Processes a dependency. * * @since 2.6.0 * @since 5.5.0 Added the `$group` parameter. * * @param string $handle Name of the item. Should be unique. * @param int|false $group Optional. Group level: level (int), no group (false). * Default false. * @return bool True on success, false if not set. */ public function do_item( $handle, $group = false ) { return isset( $this->registered[ $handle ] ); } /** * Determines dependencies. * * Recursively builds an array of items to process taking * dependencies into account. Does NOT catch infinite loops. * * @since 2.1.0 * @since 2.6.0 Moved from `WP_Scripts`. * @since 2.8.0 Added the `$group` parameter. * * @param string|string[] $handles Item handle (string) or item handles (array of strings). * @param bool $recursion Optional. Internal flag that function is calling itself. * Default false. * @param int|false $group Optional. Group level: level (int), no group (false). * Default false. * @return bool True on success, false on failure. */ public function all_deps( $handles, $recursion = false, $group = false ) { $handles = (array) $handles; if ( ! $handles ) { return false; } foreach ( $handles as $handle ) { $handle_parts = explode( '?', $handle ); $handle = $handle_parts[0]; $queued = in_array( $handle, $this->to_do, true ); if ( in_array( $handle, $this->done, true ) ) { // Already done. continue; } $moved = $this->set_group( $handle, $recursion, $group ); $new_group = $this->groups[ $handle ]; if ( $queued && ! $moved ) { // Already queued and in the right group. continue; } $keep_going = true; if ( ! isset( $this->registered[ $handle ] ) ) { $keep_going = false; // Item doesn't exist. } elseif ( $this->registered[ $handle ]->deps && array_diff( $this->registered[ $handle ]->deps, array_keys( $this->registered ) ) ) { $keep_going = false; // Item requires dependencies that don't exist. } elseif ( $this->registered[ $handle ]->deps && ! $this->all_deps( $this->registered[ $handle ]->deps, true, $new_group ) ) { $keep_going = false; // Item requires dependencies that don't exist. } if ( ! $keep_going ) { // Either item or its dependencies don't exist. if ( $recursion ) { return false; // Abort this branch. } else { continue; // We're at the top level. Move on to the next one. } } if ( $queued ) { // Already grabbed it and its dependencies. continue; } if ( isset( $handle_parts[1] ) ) { $this->args[ $handle ] = $handle_parts[1]; } $this->to_do[] = $handle; } return true; } /** * Register an item. * * Registers the item if no item of that name already exists. * * @since 2.1.0 * @since 2.6.0 Moved from `WP_Scripts`. * * @param string $handle Name of the item. Should be unique. * @param string|false $src Full URL of the item, or path of the item relative * to the WordPress root directory. If source is set to false, * the item is an alias of other items it depends on. * @param string[] $deps Optional. An array of registered item handles this item depends on. * Default empty array. * @param string|bool|null $ver Optional. String specifying item version number, if it has one, * which is added to the URL as a query string for cache busting purposes. * If version is set to false, a version number is automatically added * equal to current installed WordPress version. * If set to null, no version is added. * @param mixed $args Optional. Custom property of the item. NOT the class property $args. * Examples: $media, $in_footer. * @return bool Whether the item has been registered. True on success, false on failure. */ public function add( $handle, $src, $deps = array(), $ver = false, $args = null ) { if ( isset( $this->registered[ $handle ] ) ) { return false; } $this->registered[ $handle ] = new _WP_Dependency( $handle, $src, $deps, $ver, $args ); // If the item was enqueued before the details were registered, enqueue it now. if ( array_key_exists( $handle, $this->queued_before_register ) ) { if ( ! is_null( $this->queued_before_register[ $handle ] ) ) { $this->enqueue( $handle . '?' . $this->queued_before_register[ $handle ] ); } else { $this->enqueue( $handle ); } unset( $this->queued_before_register[ $handle ] ); } return true; } /** * Add extra item data. * * Adds data to a registered item. * * @since 2.6.0 * * @param string $handle Name of the item. Should be unique. * @param string $key The data key. * @param mixed $value The data value. * @return bool True on success, false on failure. */ public function add_data( $handle, $key, $value ) { if ( ! isset( $this->registered[ $handle ] ) ) { return false; } return $this->registered[ $handle ]->add_data( $key, $value ); } /** * Get extra item data. * * Gets data associated with a registered item. * * @since 3.3.0 * * @param string $handle Name of the item. Should be unique. * @param string $key The data key. * @return mixed Extra item data (string), false otherwise. */ public function get_data( $handle, $key ) { if ( ! isset( $this->registered[ $handle ] ) ) { return false; } if ( ! isset( $this->registered[ $handle ]->extra[ $key ] ) ) { return false; } return $this->registered[ $handle ]->extra[ $key ]; } /** * Un-register an item or items. * * @since 2.1.0 * @since 2.6.0 Moved from `WP_Scripts`. * * @param string|string[] $handles Item handle (string) or item handles (array of strings). */ public function remove( $handles ) { foreach ( (array) $handles as $handle ) { unset( $this->registered[ $handle ] ); } } /** * Queue an item or items. * * Decodes handles and arguments, then queues handles and stores * arguments in the class property $args. For example in extending * classes, $args is appended to the item url as a query string. * Note $args is NOT the $args property of items in the $registered array. * * @since 2.1.0 * @since 2.6.0 Moved from `WP_Scripts`. * * @param string|string[] $handles Item handle (string) or item handles (array of strings). */ public function enqueue( $handles ) { foreach ( (array) $handles as $handle ) { $handle = explode( '?', $handle ); if ( ! in_array( $handle[0], $this->queue, true ) && isset( $this->registered[ $handle[0] ] ) ) { $this->queue[] = $handle[0]; // Reset all dependencies so they must be recalculated in recurse_deps(). $this->all_queued_deps = null; if ( isset( $handle[1] ) ) { $this->args[ $handle[0] ] = $handle[1]; } } elseif ( ! isset( $this->registered[ $handle[0] ] ) ) { $this->queued_before_register[ $handle[0] ] = null; // $args if ( isset( $handle[1] ) ) { $this->queued_before_register[ $handle[0] ] = $handle[1]; } } } } /** * Dequeue an item or items. * * Decodes handles and arguments, then dequeues handles * and removes arguments from the class property $args. * * @since 2.1.0 * @since 2.6.0 Moved from `WP_Scripts`. * * @param string|string[] $handles Item handle (string) or item handles (array of strings). */ public function dequeue( $handles ) { foreach ( (array) $handles as $handle ) { $handle = explode( '?', $handle ); $key = array_search( $handle[0], $this->queue, true ); if ( false !== $key ) { // Reset all dependencies so they must be recalculated in recurse_deps(). $this->all_queued_deps = null; unset( $this->queue[ $key ] ); unset( $this->args[ $handle[0] ] ); } elseif ( array_key_exists( $handle[0], $this->queued_before_register ) ) { unset( $this->queued_before_register[ $handle[0] ] ); } } } /** * Recursively search the passed dependency tree for a handle. * * @since 4.0.0 * * @param string[] $queue An array of queued _WP_Dependency handles. * @param string $handle Name of the item. Should be unique. * @return bool Whether the handle is found after recursively searching the dependency tree. */ protected function recurse_deps( $queue, $handle ) { if ( isset( $this->all_queued_deps ) ) { return isset( $this->all_queued_deps[ $handle ] ); } $all_deps = array_fill_keys( $queue, true ); $queues = array(); $done = array(); while ( $queue ) { foreach ( $queue as $queued ) { if ( ! isset( $done[ $queued ] ) && isset( $this->registered[ $queued ] ) ) { $deps = $this->registered[ $queued ]->deps; if ( $deps ) { $all_deps += array_fill_keys( $deps, true ); array_push( $queues, $deps ); } $done[ $queued ] = true; } } $queue = array_pop( $queues ); } $this->all_queued_deps = $all_deps; return isset( $this->all_queued_deps[ $handle ] ); } /** * Query the list for an item. * * @since 2.1.0 * @since 2.6.0 Moved from `WP_Scripts`. * * @param string $handle Name of the item. Should be unique. * @param string $status Optional. Status of the item to query. Default 'registered'. * @return bool|_WP_Dependency Found, or object Item data. */ public function query( $handle, $status = 'registered' ) { switch ( $status ) { case 'registered': case 'scripts': // Back compat. if ( isset( $this->registered[ $handle ] ) ) { return $this->registered[ $handle ]; } return false; case 'enqueued': case 'queue': // Back compat. if ( in_array( $handle, $this->queue, true ) ) { return true; } return $this->recurse_deps( $this->queue, $handle ); case 'to_do': case 'to_print': // Back compat. return in_array( $handle, $this->to_do, true ); case 'done': case 'printed': // Back compat. return in_array( $handle, $this->done, true ); } return false; } /** * Set item group, unless already in a lower group. * * @since 2.8.0 * * @param string $handle Name of the item. Should be unique. * @param bool $recursion Internal flag that calling function was called recursively. * @param int|false $group Group level: level (int), no group (false). * @return bool Not already in the group or a lower group. */ public function set_group( $handle, $recursion, $group ) { $group = (int) $group; if ( isset( $this->groups[ $handle ] ) && $this->groups[ $handle ] <= $group ) { return false; } $this->groups[ $handle ] = $group; return true; } } ```
```xml import { Component } from '@angular/core'; import { Code } from '@domain/code'; import { CountryService } from '@service/countryservice'; interface AutoCompleteCompleteEvent { originalEvent: Event; query: string; } @Component({ selector: 'autocomplete-template-demo', template: ` <app-docsectiontext> <p><i>item</i> template allows displaying custom content inside the suggestions panel. The local ng-template variable passed to the ng-template is an object in the suggestions array.</p> </app-docsectiontext> <div class="card flex justify-content-center"> <p-autoComplete [(ngModel)]="selectedCountryAdvanced" [suggestions]="filteredCountries" (completeMethod)="filterCountry($event)" field="name" placeholder="Search"> <ng-template let-country pTemplate="item"> <div class="flex align-items-center gap-2"> <img src="path_to_url" [class]="'flag flag-' + country.code.toLowerCase()" style="width: 18px" /> <div>{{ country.name }}</div> </div> </ng-template> </p-autoComplete> </div> <app-code [code]="code" selector="autocomplete-template-demo"></app-code>` }) export class TemplateDoc { countries: any[] | undefined; selectedCountryAdvanced: any[] | undefined; filteredCountries: any[] | undefined; constructor(private countryService: CountryService) {} ngOnInit() { this.countryService.getCountries().then((countries) => { this.countries = countries; }); } filterCountry(event: AutoCompleteCompleteEvent) { let filtered: any[] = []; let query = event.query; for (let i = 0; i < (this.countries as any[]).length; i++) { let country = (this.countries as any[])[i]; if (country.name.toLowerCase().indexOf(query.toLowerCase()) == 0) { filtered.push(country); } } this.filteredCountries = filtered; } code: Code = { basic: `<p-autoComplete [(ngModel)]="selectedCountryAdvanced" [suggestions]="filteredCountries" (completeMethod)="filterCountry($event)" field="name"> <ng-template let-country pTemplate="item"> <div class="flex align-items-center gap-2"> <img src="path_to_url" [class]="'flag flag-' + country.code.toLowerCase()" style="width: 18px" /> <div>{{ country.name }}</div> </div> </ng-template> </p-autoComplete>`, html: `<div class="card flex justify-content-center"> <p-autoComplete [(ngModel)]="selectedCountryAdvanced" [suggestions]="filteredCountries" (completeMethod)="filterCountry($event)" field="name"> <ng-template let-country pTemplate="item"> <div class="flex align-items-center gap-2"> <img src="path_to_url" [class]="'flag flag-' + country.code.toLowerCase()" style="width: 18px" /> <div>{{ country.name }}</div> </div> </ng-template> </p-autoComplete> </div>`, typescript: `import { Component } from '@angular/core'; import { SelectItemGroup } from 'primeng/api'; import { CountryService } from '@service/countryservice'; import { AutoCompleteModule } from 'primeng/autocomplete'; import { FormsModule } from '@angular/forms'; interface AutoCompleteCompleteEvent { originalEvent: Event; query: string; } @Component({ selector: 'autocomplete-template-demo', templateUrl: './autocomplete-template-demo.html', standalone: true, imports: [FormsModule, AutoCompleteModule], providers: [CountryService] }) export class AutocompleteTemplateDemo { countries: any[] | undefined; selectedCountryAdvanced: any[] | undefined; filteredCountries: any[] | undefined; constructor(private countryService: CountryService) {} ngOnInit() { this.countryService.getCountries().then((countries) => { this.countries = countries; }); } filterCountry(event: AutoCompleteCompleteEvent) { let filtered: any[] = []; let query = event.query; for (let i = 0; i < (this.countries as any[]).length; i++) { let country = (this.countries as any[])[i]; if (country.name.toLowerCase().indexOf(query.toLowerCase()) == 0) { filtered.push(country); } } this.filteredCountries = filtered; } }`, service: ['CountryService'], data: ` //CountryService { "name": "Afghanistan", "code": "AF" } ...` }; } ```
```javascript /** * @license Apache-2.0 * * * * path_to_url * * Unless required by applicable law or agreed to in writing, software * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. */ 'use strict'; // MODULES // var isFunction = require( '@stdlib/assert/is-function' ); // MAIN // /** * Tests if a value is iterator-like. * * @param {*} value - value to test * @returns {boolean} boolean indicating whether value is iterator-like * * @example * var it = { * 'next': function noop() {} * }; * var bool = isIteratorLike( it ); * // returns true * * @example * var bool = isIteratorLike( {} ); * // returns false * * @example * var bool = isIteratorLike( null ); * // returns false */ function isIteratorLike( value ) { var t = typeof value; return ( value !== null && ( t === 'object' || t === 'function' ) && isFunction( value.next ) ); } // EXPORTS // module.exports = isIteratorLike; ```
Summer's Tail () is a 2007 Taiwanese film directed by Cheng Wen-tang (). The movie was entirely filmed in Tainan. Plot In the eyes of her classmates, Yvette Chang (Enno) is a rock and roll girl, she has a cat by the name of "Summer", because of a congenital heart condition, she has left school and spends much of her time every day with Summer messing around, playing the guitar, and getting out and about. During the time when she is not in school, every day is filled with discovery, and since the specially gifted and talented class's student Jimmy Chan (Ray Chang), fell in love with a teacher, and met the fate of being expelled from the school, now the streets have one more high school student on the roam. Yvette willingly opens her arms to embrace all of Jimmy's emotions, and comfort him. But Jimmy doesn't quite understand why Yvette, who suffers from cardiac disease, is so full of ambition and warmth for living. Two high school drop-outs are out riding bicycles, when between the rice paddies and the irrigation canals, they find a place free from the control of adults, an undeveloped piece of land near the tracks of the Taiwan High Speed Rail. Under the blue skies, they gather with their classmates from the same school, another gifted and talented student named Wendy (Hannah Lin) and the Japanese exchange student Akira (Dean Fujioka) who loves soccer but is always the last in academic, and together at this secret base they relax, have fun, and fool around. The destiny which has brought the four of them together serves as a powerful force of empathy and encouragement, as they enjoy fun times together, and try to save an embittered suicidal father. Against the backdrop of clear skies, reflecting the visions and secrets lodged in the hearts of four almost grown up children, whether life is normal or exciting, with success or failure, they are always able to enjoy the experience. This demonstrates the ability to make oneself feel joy in living, which is a great gift from above, just like a tail, which you can wag just for fun, when you have time to spare from trying to do something. Actually, we all have a tail, which is also trying to keep us happy. What is the purpose of that tail? Finding your own happiness. Cast Ray Chang as Jimmy Chan Dean Fujioka as Akira Fuwa Enno as Yvette Chang Hannah Lin as Wendy Lin Christine Ke Huan-ju as Xiu I-Wei Lu Yi-ching as Yvette's mother Yao Hsiao-min as Boss James Wen Sheng-hao as Willy's Father Li Hsiu as Yvette's grandmother Chen Chih-chieh as Willy References External links Official site 2007 films Taiwanese romantic drama films 2000s Mandarin-language films
```go package registrar import ( "reflect" "testing" ) func TestReserve(t *testing.T) { r := NewRegistrar() obj := "test1" if err := r.Reserve("test", obj); err != nil { t.Fatal(err) } if err := r.Reserve("test", obj); err != nil { t.Fatal(err) } obj2 := "test2" err := r.Reserve("test", obj2) if err == nil { t.Fatalf("expected error when reserving an already reserved name to another object") } if err != ErrNameReserved { t.Fatal("expected `ErrNameReserved` error when attempting to reserve an already reserved name") } } func TestRelease(t *testing.T) { r := NewRegistrar() obj := "testing" if err := r.Reserve("test", obj); err != nil { t.Fatal(err) } r.Release("test") r.Release("test") // Ensure there is no panic here if err := r.Reserve("test", obj); err != nil { t.Fatal(err) } } func TestGetNames(t *testing.T) { r := NewRegistrar() obj := "testing" names := []string{"test1", "test2"} for _, name := range names { if err := r.Reserve(name, obj); err != nil { t.Fatal(err) } } r.Reserve("test3", "other") names2, err := r.GetNames(obj) if err != nil { t.Fatal(err) } if !reflect.DeepEqual(names, names2) { t.Fatalf("Exepected: %v, Got: %v", names, names2) } } func TestDelete(t *testing.T) { r := NewRegistrar() obj := "testing" names := []string{"test1", "test2"} for _, name := range names { if err := r.Reserve(name, obj); err != nil { t.Fatal(err) } } r.Reserve("test3", "other") r.Delete(obj) _, err := r.GetNames(obj) if err == nil { t.Fatal("expected error getting names for deleted key") } if err != ErrNoSuchKey { t.Fatal("expected `ErrNoSuchKey`") } } func TestGet(t *testing.T) { r := NewRegistrar() obj := "testing" name := "test" _, err := r.Get(name) if err == nil { t.Fatal("expected error when key does not exist") } if err != ErrNameNotReserved { t.Fatal(err) } if err := r.Reserve(name, obj); err != nil { t.Fatal(err) } if _, err = r.Get(name); err != nil { t.Fatal(err) } r.Delete(obj) _, err = r.Get(name) if err == nil { t.Fatal("expected error when key does not exist") } if err != ErrNameNotReserved { t.Fatal(err) } } ```
Phidippus purpuratus, the marbled purple jumping spider, is a species of jumping spider in the family Salticidae. It is found in the United States and Canada. References Further reading Salticidae Spiders described in 1885
Melanthius (; ), the son of Dolius, is a minor, yet important character in Homer's Odyssey: Odysseus's disloyal goatherd. In contrast, Odysseus's cowherd Philoetius and swineherd Eumaeus have both remained loyal to Odysseus during his twenty years of wanderings, as have Melanthius's father and six brothers. Mythology Melanthius provides the best goats of the herd for a feast for the suitors of Penelope. He serves the suitors at the dining table, pouring them wine or lighting a fire in the hall upon their order. He is apparently favored by many of them: Eurymachus is said to like him best of all, and he is allowed to have meals in the same dining hall with the suitors. Odysseus, disguised as a beggar and accompanied by Eumaeus, encounters Melanthius on his way into town, by the fountain dedicated to the nymphs. Melanthius immediately taunts Odysseus and proceeds to kick him on the hip, unaware that he is really dishonoring his master, causing Odysseus to consider attacking him. Later, when Odysseus is brought in front of the suitors, Melanthius asserts that he knows nothing of the stranger and that Eumaeus alone is responsible for bringing him in. His speech results in the suitors' rebuking Eumaeus. Early in the battle with the suitors, Eumaeus and Philoetius catch Melanthius trying to steal more weapons and armour for the suitors. On the orders of Odysseus, they bind him and string him up from the rafters, where he is mocked by Eumaeus. When the battle is won, Telemachus (the son of Odysseus), Eumaeus, and Philoetius hang the twelve slaves, including Melanthius's sister Melantho, before turning their attention to Melanthius. They take him to the inner court, chop off his nose and ears with a sword, pull off his genitals to feed to the dogs, and then, in their fury, chop off his hands and feet. Namesake 12973 Melanthios, a Jovian asteroid Notes References Homer, and Stanley Lombardo. Odyssey. Indianapolis: Hackett Pub. Co, 2000. Homer, The Odyssey with an English Translation by A.T. Murray, Ph.D. in two volumes. Cambridge, MA., Harvard University Press; London, William Heinemann, Ltd. 1919. . Online version at the Perseus Digital Library. Greek text available from the same website. Characters in the Odyssey
```javascript import toCamelCase from '../src/tocamelcase' describe('strman.toCamelCase', () => { test('should match camelCase', () => { const fixtures = ['CamelCase', 'camelCase', 'Camel case', 'Camel case', 'camel Case', 'camel-case', '-camel--case', 'camel_case', ' camel_case'] fixtures.forEach((el) => { expect(toCamelCase(el)).toBe('camelCase') }) }) }) ```
```javascript 'use strict'; Object.defineProperty(exports, "__esModule", { value: true }); exports.RulerY = exports.RulerX = exports.Group = exports.Grids = exports.Area = exports.Item = exports.Layer = exports.Line = exports.Ruler = exports.Scene = exports.Snap = exports.State = exports.Vertex = exports.Viewer2D = undefined; var _viewer2d = require('./viewer2d'); var _viewer2d2 = _interopRequireDefault(_viewer2d); var _vertex = require('./vertex'); var _vertex2 = _interopRequireDefault(_vertex); var _state = require('./state'); var _state2 = _interopRequireDefault(_state); var _snap = require('./snap'); var _snap2 = _interopRequireDefault(_snap); var _scene = require('./scene'); var _scene2 = _interopRequireDefault(_scene); var _ruler = require('./ruler'); var _ruler2 = _interopRequireDefault(_ruler); var _line = require('./line'); var _line2 = _interopRequireDefault(_line); var _layer = require('./layer'); var _layer2 = _interopRequireDefault(_layer); var _item = require('./item'); var _item2 = _interopRequireDefault(_item); var _area = require('./area'); var _area2 = _interopRequireDefault(_area); var _grids = require('./grids/grids'); var _grids2 = _interopRequireDefault(_grids); var _group = require('./group'); var _group2 = _interopRequireDefault(_group); var _rulerX = require('./rulerX'); var _rulerX2 = _interopRequireDefault(_rulerX); var _rulerY = require('./rulerY'); var _rulerY2 = _interopRequireDefault(_rulerY); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } exports.Viewer2D = _viewer2d2.default; exports.Vertex = _vertex2.default; exports.State = _state2.default; exports.Snap = _snap2.default; exports.Scene = _scene2.default; exports.Ruler = _ruler2.default; exports.Line = _line2.default; exports.Layer = _layer2.default; exports.Item = _item2.default; exports.Area = _area2.default; exports.Grids = _grids2.default; exports.Group = _group2.default; exports.RulerX = _rulerX2.default; exports.RulerY = _rulerY2.default; exports.default = { Viewer2D: _viewer2d2.default, Vertex: _vertex2.default, State: _state2.default, Snap: _snap2.default, Scene: _scene2.default, Ruler: _ruler2.default, Line: _line2.default, Layer: _layer2.default, Item: _item2.default, Area: _area2.default, Grids: _grids2.default, Group: _group2.default, RulerX: _rulerX2.default, RulerY: _rulerY2.default }; ```
```python import json from conftest import setup_dashboard def test_grid_mode_has_no_cols_empty_single_row(monkeypatch, ctx, client): app, test = client data = dict( mode='grid', name='Some dashboard', ) dom = setup_dashboard(monkeypatch, app, test, data) container = dom.find('#container') assert len(container.find('.grid-row')) == 0 # Test it has 2 add row buttons - top and bottom assert len(container.find('.add-new-row-container')) == 2 def test_grid_mode_has_2_rows(monkeypatch, ctx, client): app, test = client data = dict( mode='grid', name='Some dashboard', module_foo=json.dumps( dict(name=1, width=1, height=1, dataSource='...', row=2) ), module_bar=json.dumps( dict(name=1, width=1, height=1, dataSource='...', row=1), ), ) dom = setup_dashboard(monkeypatch, app, test, data) container = dom.find('#container') assert len(container.find('.grid-row')) == 2 def test_grid_mode_has_correct_cols(monkeypatch, ctx, client): app, test = client data = dict( mode='grid', name='Some dashboard', module_foo=json.dumps( dict(name=1, width='col-4', height=1, dataSource='...', row=2) ), module_bar=json.dumps( dict(name=1, width='col-4', height=1, dataSource='...', row=1), ), ) dom = setup_dashboard(monkeypatch, app, test, data) container = dom.find('#container') assert len(container.find('.grid-row')) == 2 assert len(container.find('.col-md-4')) == 2 def test_grid_mode_correct_multicols_multirows(monkeypatch, ctx, client): app, test = client data = dict( mode='grid', name='Some dashboard - lots of cols and rows', module_baz=json.dumps( dict(name=1, width='col-12', height=1, dataSource='...', row=1) ), module_foo=json.dumps( dict(name=1, width='col-5', height=1, dataSource='...', row=2) ), module_bar=json.dumps( dict(name=1, width='col-4', height=1, dataSource='...', row=2), ), module_quux=json.dumps( dict(name=1, width='col-3', height=1, dataSource='...', row=2), ), module_quux2=json.dumps( dict(name=1, width='col-6', height=1, dataSource='...', row=3), ), module_quux3=json.dumps( dict(name=1, width='col-6', height=1, dataSource='...', row=3), ), ) dom = setup_dashboard(monkeypatch, app, test, data) container = dom.find('#container') assert len(container.find('.grid-row')) == 3 assert len(container.find('.grid-row').find('.col-md-6')) == 2 assert len(container.find('.grid-row').find('.col-md-12')) == 1 assert len(container.find('.grid-row').find('.col-md-5')) == 1 assert len(container.find('.grid-row').find('.col-md-4')) == 1 assert len(container.find('.grid-row').find('.col-md-3')) == 1 ```
```python import sys from ctypes import * _array_type = type(Array) def _other_endian(typ): """Return the type with the 'other' byte order. Simple types like c_int and so on already have __ctype_be__ and __ctype_le__ attributes which contain the types, for more complicated types arrays and structures are supported. """ # check _OTHER_ENDIAN attribute (present if typ is primitive type) if hasattr(typ, _OTHER_ENDIAN): return getattr(typ, _OTHER_ENDIAN) # if typ is array if isinstance(typ, _array_type): return _other_endian(typ._type_) * typ._length_ # if typ is structure if issubclass(typ, Structure): return typ raise TypeError("This type does not support other endian: %s" % typ) class _swapped_meta(type(Structure)): def __setattr__(self, attrname, value): if attrname == "_fields_": fields = [] for desc in value: name = desc[0] typ = desc[1] rest = desc[2:] fields.append((name, _other_endian(typ)) + rest) value = fields super(_swapped_meta, self).__setattr__(attrname, value) ################################################################ # Note: The Structure metaclass checks for the *presence* (not the # value!) of a _swapped_bytes_ attribute to determine the bit order in # structures containing bit fields. if sys.byteorder == "little": _OTHER_ENDIAN = "__ctype_be__" LittleEndianStructure = Structure class BigEndianStructure(Structure): """Structure with big endian byte order""" __metaclass__ = _swapped_meta _swappedbytes_ = None elif sys.byteorder == "big": _OTHER_ENDIAN = "__ctype_le__" BigEndianStructure = Structure class LittleEndianStructure(Structure): """Structure with little endian byte order""" __metaclass__ = _swapped_meta _swappedbytes_ = None else: raise RuntimeError("Invalid byteorder") ```
```python """ All rights reserved. This source code is licensed under the license found in the LICENSE file in the root directory of this source tree. """ from flask import Flask, request import json import hmac import hashlib import requests app = Flask(__name__) TOKEN = "your-secret-token" PAGE_ACCESS_TOKEN = "secret_page_access_token" @app.route('/webhook', methods=['GET', 'POST']) def webhook(): # Webhook verification if request.method == 'GET': if request.args.get("hub.mode") == "subscribe" and request.args.get("hub.challenge"): if not request.args.get("hub.verify_token") == TOKEN: return "Verification token mismatch", 403 print("WEBHOOK_VERIFIED") return request.args["hub.challenge"], 200 elif request.method == 'POST': # Validate payload signature = request.headers["X-Hub-Signature-256"].split('=')[1] payload = request.get_data() expected_signature = hmac.new(TOKEN.encode('utf-8'), payload, hashlib.sha256).hexdigest() if signature != expected_signature: print("Signature hash does not match") return 'INVALID SIGNATURE HASH', 403 body = json.loads(payload.decode('utf-8')) if 'object' in body and body['object'] == 'page': entries = body['entry'] # Iterate through each entry as multiple entries can sometimes be batched for entry in entries: # Fetch the 'changes' element field change_event = entry['changes'][0] # Verify it is a change in the 'feed' field if change_event['field'] != 'feed': continue # Fetch the 'post_id' in the 'value' element post_id = change_event['value']['post_id'] comment_on_post(post_id) return 'WEBHOOK EVENT HANDLED', 200 return 'INVALID WEBHOOK EVENT', 403 def comment_on_post(post_id): payload = { 'message': 'Lovely post!' } headers = { 'content-type': 'application/json' } url = "path_to_url{}/comments?access_token={}".format(post_id, PAGE_ACCESS_TOKEN) r = requests.post(url, json=payload, headers=headers) print(r.text) if __name__ == '__main__': app.run(debug=True) ```
```swift import AppKit import SwiftUI import os @NSApplicationMain public class AppDelegate: NSObject, NSApplicationDelegate { private var window: NSWindow? private var updaterMode = false override public init() { super.init() libkrbn_initialize() } public func applicationWillFinishLaunching(_: Notification) { NSAppleEventManager.shared().setEventHandler( self, andSelector: #selector(handleGetURLEvent(_:withReplyEvent:)), forEventClass: AEEventClass(kInternetEventClass), andEventID: AEEventID(kAEGetURL)) } public func applicationDidFinishLaunching(_: Notification) { NSApplication.shared.disableRelaunchOnLogin() ProcessInfo.processInfo.enableSuddenTermination() KarabinerAppHelper.shared.observeVersionUpdated() NotificationCenter.default.addObserver( forName: Updater.didFindValidUpdate, object: nil, queue: .main ) { [weak self] _ in guard let self = self else { return } self.window?.makeKeyAndOrderFront(self) NSApp.activate(ignoringOtherApps: true) } NotificationCenter.default.addObserver( forName: Updater.didFinishUpdateCycleFor, object: nil, queue: .main ) { [weak self] _ in guard let self = self else { return } if self.updaterMode { NSApplication.shared.terminate(nil) } } // // Start components // Doctor.shared.start() LibKrbn.ConnectedDevices.shared.watch() LibKrbn.GrabberClient.shared.start("") LibKrbn.Settings.shared.watch() ServicesMonitor.shared.start() StateJsonMonitor.shared.start() SystemPreferences.shared.start() // // Run updater or open settings. // if CommandLine.arguments.count > 1 { let command = CommandLine.arguments[1] switch command { case "checkForUpdatesInBackground": #if USE_SPARKLE if !libkrbn_lock_single_application_with_user_pid_file( "check_for_updates_in_background.pid") { print("Exit since another process is running.") NSApplication.shared.terminate(self) } updaterMode = true Updater.shared.checkForUpdatesInBackground() return #else NSApplication.shared.terminate(self) #endif default: break } } var psn = ProcessSerialNumber(highLongOfPSN: 0, lowLongOfPSN: UInt32(kCurrentProcess)) TransformProcessType( &psn, ProcessApplicationTransformState(kProcessTransformToForegroundApplication)) window = NSWindow( contentRect: .zero, styleMask: [ .titled, .closable, .miniaturizable, .resizable, .fullSizeContentView, ], backing: .buffered, defer: false ) window!.title = "Karabiner-Elements Settings" window!.contentView = NSHostingView(rootView: ContentView()) window!.center() window!.makeKeyAndOrderFront(self) NSApp.activate(ignoringOtherApps: true) // // Unregister old agents // libkrbn_services_bootout_old_agents() } public func applicationWillTerminate(_: Notification) { libkrbn_terminate() } public func applicationShouldTerminateAfterLastWindowClosed(_: NSApplication) -> Bool { if Updater.shared.sessionInProgress { return false } return true } @objc func handleGetURLEvent( _ event: NSAppleEventDescriptor, withReplyEvent _: NSAppleEventDescriptor ) { // - url == "karabiner://karabiner/assets/complex_modifications/import?url=xxx" guard let url = event.paramDescriptor(forKeyword: AEKeyword(keyDirectObject))?.stringValue else { return } Task { @MainActor in if let window = self.window { KarabinerAppHelper.shared.endAllAttachedSheets(window) } let urlComponents = URLComponents(string: url) if urlComponents?.path == "/assets/complex_modifications/import" { if let queryItems = urlComponents?.queryItems { for pair in queryItems where pair.name == "url" { ComplexModificationsFileImport.shared.fetchJson(URL(string: pair.value!)!) ContentViewStates.shared.navigationSelection = .complexModifications ContentViewStates.shared.complexModificationsViewSheetView = .fileImport ContentViewStates.shared.complexModificationsViewSheetPresented = true return } } } if let window = self.window { let alert = NSAlert() alert.messageText = "Error" alert.informativeText = "Unknown URL" alert.addButton(withTitle: "OK") alert.beginSheetModal(for: window) { _ in } } } } } ```
Fausto Vagnetti (Anghiari, March 24, 1876 - Roma, 1954) is a representative of Italian painting from the era of transition from the 19th to the 20th century. He emigrated from Tuscany to Rome and started infusing Tuscan brilliance and chromatism into the warm Roman style of painting. Biographical Notes He was born in Anghiari, alta Val Tiberina, and he was to remain strictly tied to Anghiari for the rest of his life. At the age of seventeen he emigrated to Rome where he became a pupil of painter Filippo Prosperi in Via Ripetta's Institute of Fine Arts. From 1908 he taught Architectural Draftsmanship at the Engineering Department of the University of Rome. From 1912 he held the chair of "Figura disegnata" (Figure painting) at the Via Ripetta Institute. In the same year he was called to the chair of Perspective and Scenography of the Technical and Industrial Institute of Rome. In 1922, in the year of its foundation, he held the chair of "Disegno dal vero" (Representation from life) in the Architecture Department of the University of Rome. He died suddenly in his atelier on September 18, 1954. Paintings An erudite researcher of the laws of sight and a master of drawing, F. Vagnetti painted principally oil and pastel pictures. After an early period when he flanked the chromatic researches of Emile Claus and Georges Seurat, he experienced a personal pointillism in which the stroke's refinement and chromatic science join to an astonishing depictive capability. Some of his principal works are monumental landscapes ("Tra le querce" 1915, "Tramonto al Palatino"1924), portraits of a deep psychological sharpness ("Giovanni Giolitti" 1928, only existing portrait of this statesman; "Anima mite" 1923; "L’ingegnere Dino Chiaraviglio" 1938, "La mia Mamma cieca" 1938), large compositions of familiar or social characters ("Moti proletari" 1904, "Dolore antico" 1921, "Sosta dolorosa" 1948). In 1922 he painted three monumental portraits of the Italian Sovereigns for the Governmental Palace of Zara; in 1923 he carried out a "Trittico francescano" in the Church of S. Polo near La Verna (in Tuscany). In 1943, on Vatican commission, he painted a portrait of Pope Pius XII in the Church of SS. Pietro e Paolo in EUR at Rome and, in 1944, for the Board Office of the Italian Socialist Party, he painted the portraits of Bruno Buozzi, Giacomo Matteotti and Filippo Turati. Exhibitions From 1907 to 1930 Fausto Vagnetti was present in Italian artistic life taking part in twenty collective exhibitions. In the following fifteen years, because of his manifest aversion to Fascism, he was kept off the stage of pictorial art only to reappear in the Rome "Quadriennali" of 1945 and 1948. In 2004 two anthological exhibitions were opened in Anghiari, his native town, and in Rome, accommodated by the Ministero dei Beni ambientali e culturali (Ministry of Culture) in the San Michele a Ripa's Institute. Writings In 1928 he won the "Concorso Nazionale Poletti" (National Poletti Contest) publicized by San Luca Academy for an essay about the causes of the decline of the art of painting ("Qual siano le cause che possano apportare decadimento all’Arte della Pittura – 1933, Edizioni Castaldi). On commission for the Ministry of Education in 1943 he wrote "La regia Accademia di Belle Arti di Roma" (The Royal Academy of Arts) edited by Le Monnier, Florence. In the same year he published "Il disegno nelle scuole d’Italia" Metodo per gli Istituti magistrali" (Draftsmanship in Italian schools, a method for teacher's colleges). Main following works are the "Trattato di Prospettiva lineare e Teoria delle ombre" (1945–48, edizioni Mediterranee) and, in 1950 the "Trattato di Proiezioni ortogonali" (Edizioni Mediterranee, Roma). He left a diary made by several notebooks about painting and autobiographical events, which is stored and accessible at the Archivio diaristico nazionale in Pieve Santo Stefano, where it has been finalist in the competition 2016 of the Premio Pieve Saverio Tutino. Modern painters 19th-century Italian painters Italian male painters 20th-century Italian painters 20th-century Italian male artists 1954 deaths 1876 births 19th-century Italian male artists
Hermankono-Garo is a village in southern Ivory Coast. It is in the sub-prefecture of Ogoudou, Divo Department, Lôh-Djiboua Region, Gôh-Djiboua District. Hermankono-Garo was a commune until March 2012, when it became one of 1126 communes nationwide that were abolished. Notes Former communes of Ivory Coast Populated places in Gôh-Djiboua District Populated places in Lôh-Djiboua
```java package com.ctrip.xpipe.redis.keeper.simple.latency; import com.ctrip.xpipe.redis.keeper.simple.AbstractLoadRedis; import java.net.InetSocketAddress; /** * @author wenchao.meng * * May 23, 2016 */ public class AbstractLatencyTest extends AbstractLoadRedis{ // private InetSocketAddress dest = new InetSocketAddress("127.0.0.1", 6479); protected InetSocketAddress dest = new InetSocketAddress("127.0.0.1", 7777); public AbstractLatencyTest(InetSocketAddress master, InetSocketAddress dest){ super(master); this.dest = dest; } } ```
```go package manifest import ( "encoding/json" "fmt" "github.com/containers/image/types" "github.com/docker/libtrust" "github.com/opencontainers/go-digest" imgspecv1 "github.com/opencontainers/image-spec/specs-go/v1" ) // FIXME: Should we just use docker/distribution and docker/docker implementations directly? // FIXME(runcom, mitr): should we havea mediatype pkg?? const ( // DockerV2Schema1MediaType MIME type represents Docker manifest schema 1 DockerV2Schema1MediaType = "application/vnd.docker.distribution.manifest.v1+json" // DockerV2Schema1MediaType MIME type represents Docker manifest schema 1 with a JWS signature DockerV2Schema1SignedMediaType = "application/vnd.docker.distribution.manifest.v1+prettyjws" // DockerV2Schema2MediaType MIME type represents Docker manifest schema 2 DockerV2Schema2MediaType = "application/vnd.docker.distribution.manifest.v2+json" // DockerV2Schema2ConfigMediaType is the MIME type used for schema 2 config blobs. DockerV2Schema2ConfigMediaType = "application/vnd.docker.container.image.v1+json" // DockerV2Schema2LayerMediaType is the MIME type used for schema 2 layers. DockerV2Schema2LayerMediaType = "application/vnd.docker.image.rootfs.diff.tar.gzip" // DockerV2ListMediaType MIME type represents Docker manifest schema 2 list DockerV2ListMediaType = "application/vnd.docker.distribution.manifest.list.v2+json" // DockerV2Schema2ForeignLayerMediaType is the MIME type used for schema 2 foreign layers. DockerV2Schema2ForeignLayerMediaType = "application/vnd.docker.image.rootfs.foreign.diff.tar.gzip" ) // DefaultRequestedManifestMIMETypes is a list of MIME types a types.ImageSource // should request from the backend unless directed otherwise. var DefaultRequestedManifestMIMETypes = []string{ imgspecv1.MediaTypeImageManifest, DockerV2Schema2MediaType, DockerV2Schema1SignedMediaType, DockerV2Schema1MediaType, DockerV2ListMediaType, } // Manifest is an interface for parsing, modifying image manifests in isolation. // Callers can either use this abstract interface without understanding the details of the formats, // or instantiate a specific implementation (e.g. manifest.OCI1) and access the public members // directly. // // See types.Image for functionality not limited to manifests, including format conversions and config parsing. // This interface is similar to, but not strictly equivalent to, the equivalent methods in types.Image. type Manifest interface { // ConfigInfo returns a complete BlobInfo for the separate config object, or a BlobInfo{Digest:""} if there isn't a separate object. ConfigInfo() types.BlobInfo // LayerInfos returns a list of LayerInfos of layers referenced by this image, in order (the root layer first, and then successive layered layers). // The Digest field is guaranteed to be provided; Size may be -1. // WARNING: The list may contain duplicates, and they are semantically relevant. LayerInfos() []LayerInfo // UpdateLayerInfos replaces the original layers with the specified BlobInfos (size+digest+urls), in order (the root layer first, and then successive layered layers) UpdateLayerInfos(layerInfos []types.BlobInfo) error // ImageID computes an ID which can uniquely identify this image by its contents, irrespective // of which (of possibly more than one simultaneously valid) reference was used to locate the // image, and unchanged by whether or how the layers are compressed. The result takes the form // of the hexadecimal portion of a digest.Digest. ImageID(diffIDs []digest.Digest) (string, error) // Inspect returns various information for (skopeo inspect) parsed from the manifest, // incorporating information from a configuration blob returned by configGetter, if // the underlying image format is expected to include a configuration blob. Inspect(configGetter func(types.BlobInfo) ([]byte, error)) (*types.ImageInspectInfo, error) // Serialize returns the manifest in a blob format. // NOTE: Serialize() does not in general reproduce the original blob if this object was loaded from one, even if no modifications were made! Serialize() ([]byte, error) } // LayerInfo is an extended version of types.BlobInfo for low-level users of Manifest.LayerInfos. type LayerInfo struct { types.BlobInfo EmptyLayer bool // The layer is an empty/throwaway one, and may or may not be physically represented in various transport / storage systems. false if the manifest type does not have the concept. } // GuessMIMEType guesses MIME type of a manifest and returns it _if it is recognized_, or "" if unknown or unrecognized. // FIXME? We should, in general, prefer out-of-band MIME type instead of blindly parsing the manifest, // but we may not have such metadata available (e.g. when the manifest is a local file). func GuessMIMEType(manifest []byte) string { // A subset of manifest fields; the rest is silently ignored by json.Unmarshal. // Also docker/distribution/manifest.Versioned. meta := struct { MediaType string `json:"mediaType"` SchemaVersion int `json:"schemaVersion"` Signatures interface{} `json:"signatures"` }{} if err := json.Unmarshal(manifest, &meta); err != nil { return "" } switch meta.MediaType { case DockerV2Schema2MediaType, DockerV2ListMediaType: // A recognized type. return meta.MediaType } // this is the only way the function can return DockerV2Schema1MediaType, and recognizing that is essential for stripping the JWS signatures = computing the correct manifest digest. switch meta.SchemaVersion { case 1: if meta.Signatures != nil { return DockerV2Schema1SignedMediaType } return DockerV2Schema1MediaType case 2: // best effort to understand if this is an OCI image since mediaType // isn't in the manifest for OCI anymore // for docker v2s2 meta.MediaType should have been set. But given the data, this is our best guess. ociMan := struct { Config struct { MediaType string `json:"mediaType"` } `json:"config"` Layers []imgspecv1.Descriptor `json:"layers"` }{} if err := json.Unmarshal(manifest, &ociMan); err != nil { return "" } if ociMan.Config.MediaType == imgspecv1.MediaTypeImageConfig && len(ociMan.Layers) != 0 { return imgspecv1.MediaTypeImageManifest } ociIndex := struct { Manifests []imgspecv1.Descriptor `json:"manifests"` }{} if err := json.Unmarshal(manifest, &ociIndex); err != nil { return "" } if len(ociIndex.Manifests) != 0 && ociIndex.Manifests[0].MediaType == imgspecv1.MediaTypeImageManifest { return imgspecv1.MediaTypeImageIndex } return DockerV2Schema2MediaType } return "" } // Digest returns the a digest of a docker manifest, with any necessary implied transformations like stripping v1s1 signatures. func Digest(manifest []byte) (digest.Digest, error) { if GuessMIMEType(manifest) == DockerV2Schema1SignedMediaType { sig, err := libtrust.ParsePrettySignature(manifest, "signatures") if err != nil { return "", err } manifest, err = sig.Payload() if err != nil { // Coverage: This should never happen, libtrust's Payload() can fail only if joseBase64UrlDecode() fails, on a string // that libtrust itself has josebase64UrlEncode()d return "", err } } return digest.FromBytes(manifest), nil } // MatchesDigest returns true iff the manifest matches expectedDigest. // Error may be set if this returns false. // Note that this is not doing ConstantTimeCompare; by the time we get here, the cryptographic signature must already have been verified, // or we are not using a cryptographic channel and the attacker can modify the digest along with the manifest blob. func MatchesDigest(manifest []byte, expectedDigest digest.Digest) (bool, error) { // This should eventually support various digest types. actualDigest, err := Digest(manifest) if err != nil { return false, err } return expectedDigest == actualDigest, nil } // AddDummyV2S1Signature adds an JWS signature with a temporary key (i.e. useless) to a v2s1 manifest. // This is useful to make the manifest acceptable to a Docker Registry (even though nothing needs or wants the JWS signature). func AddDummyV2S1Signature(manifest []byte) ([]byte, error) { key, err := libtrust.GenerateECP256PrivateKey() if err != nil { return nil, err // Coverage: This can fail only if rand.Reader fails. } js, err := libtrust.NewJSONSignature(manifest) if err != nil { return nil, err } if err := js.Sign(key); err != nil { // Coverage: This can fail basically only if rand.Reader fails. return nil, err } return js.PrettySignature("signatures") } // MIMETypeIsMultiImage returns true if mimeType is a list of images func MIMETypeIsMultiImage(mimeType string) bool { return mimeType == DockerV2ListMediaType } // NormalizedMIMEType returns the effective MIME type of a manifest MIME type returned by a server, // centralizing various workarounds. func NormalizedMIMEType(input string) string { switch input { // "application/json" is a valid v2s1 value per path_to_url . // This works for now, when nothing else seems to return "application/json"; if that were not true, the mapping/detection might // need to happen within the ImageSource. case "application/json": return DockerV2Schema1SignedMediaType case DockerV2Schema1MediaType, DockerV2Schema1SignedMediaType, imgspecv1.MediaTypeImageManifest, DockerV2Schema2MediaType, DockerV2ListMediaType: return input default: // If it's not a recognized manifest media type, or we have failed determining the type, we'll try one last time // to deserialize using v2s1 as per path_to_url#L108 // and path_to_url#L50 // // Crane registries can also return "text/plain", or pretty much anything else depending on a file extension recognized in the tag. // This makes no real sense, but it happens // because requests for manifests are // redirected to a content distribution // network which is configured that way. See path_to_url return DockerV2Schema1SignedMediaType } } // FromBlob returns a Manifest instance for the specified manifest blob and the corresponding MIME type func FromBlob(manblob []byte, mt string) (Manifest, error) { switch NormalizedMIMEType(mt) { case DockerV2Schema1MediaType, DockerV2Schema1SignedMediaType: return Schema1FromManifest(manblob) case imgspecv1.MediaTypeImageManifest: return OCI1FromManifest(manblob) case DockerV2Schema2MediaType: return Schema2FromManifest(manblob) case DockerV2ListMediaType: return nil, fmt.Errorf("Treating manifest lists as individual manifests is not implemented") default: // Note that this may not be reachable, NormalizedMIMEType has a default for unknown values. return nil, fmt.Errorf("Unimplemented manifest MIME type %s", mt) } } // layerInfosToStrings converts a list of layer infos, presumably obtained from a Manifest.LayerInfos() // method call, into a format suitable for inclusion in a types.ImageInspectInfo structure. func layerInfosToStrings(infos []LayerInfo) []string { layers := make([]string, len(infos)) for i, info := range infos { layers[i] = info.Digest.String() } return layers } ```