prompt
large_stringlengths 70
991k
| completion
large_stringlengths 0
1.02k
|
---|---|
<|file_name|>borrowed-enum.rs<|end_file_name|><|fim▁begin|>// Copyright 2013-2014 The Rust Project Developers. See the COPYRIGHT
// file at the top-level directory of this distribution and at
// http://rust-lang.org/COPYRIGHT.
//
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
// option. This file may not be copied, modified, or distributed
// except according to those terms.
// ignore-android: FIXME(#10381)
// compile-flags:-g
// === GDB TESTS ===================================================================================
// gdb-command:rbreak zzz
// gdb-command:run
// gdb-command:finish
// gdb-command:print *the_a_ref
// gdb-check:$1 = {{TheA, x = 0, y = 8970181431921507452}, {TheA, 0, 2088533116, 2088533116}}
// gdb-command:print *the_b_ref
// gdb-check:$2 = {{TheB, x = 0, y = 1229782938247303441}, {TheB, 0, 286331153, 286331153}}
// gdb-command:print *univariant_ref
// gdb-check:$3 = {{4820353753753434}}
// === LLDB TESTS ==================================================================================
// lldb-command:run
// lldb-command:print *the_a_ref
// lldb-check:[...]$0 = TheA { x: 0, y: 8970181431921507452 }
// lldb-command:print *the_b_ref
// lldb-check:[...]$1 = TheB(0, 286331153, 286331153)
// lldb-command:print *univariant_ref
// lldb-check:[...]$2 = TheOnlyCase(4820353753753434)
#![allow(unused_variable)]
#![feature(struct_variant)]
// The first element is to ensure proper alignment, irrespective of the machines word size. Since
// the size of the discriminant value is machine dependent, this has be taken into account when
// datatype layout should be predictable as in this case.
enum ABC {
TheA { x: i64, y: i64 },
TheB (i64, i32, i32),
}
// This is a special case since it does not have the implicit discriminant field.
enum Univariant {
TheOnlyCase(i64)
}
fn main() {
// 0b0111110001111100011111000111110001111100011111000111110001111100 = 8970181431921507452
// 0b01111100011111000111110001111100 = 2088533116
// 0b0111110001111100 = 31868
// 0b01111100 = 124
let the_a = TheA { x: 0, y: 8970181431921507452 };
let the_a_ref: &ABC = &the_a;
// 0b0001000100010001000100010001000100010001000100010001000100010001 = 1229782938247303441
// 0b00010001000100010001000100010001 = 286331153
// 0b0001000100010001 = 4369
// 0b00010001 = 17
let the_b = TheB (0, 286331153, 286331153);
let the_b_ref: &ABC = &the_b;
let univariant = TheOnlyCase(4820353753753434);
let univariant_ref: &Univariant = &univariant;
<|fim▁hole|><|fim▁end|> | zzz(); // #break
}
fn zzz() {()} |
<|file_name|>query.py<|end_file_name|><|fim▁begin|>#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""
Copyright (c) 2015,掌阅科技
All rights reserved.
摘 要: query.py
创 建 者: WangLichao
创建日期: 2015-03-06
"""
# pylint: disable=arguments-differ<|fim▁hole|>OPERATOR = {
'like': '包含',
'=': '等于',
'!=': '不等于',
'>': '大于',
'>=': '大于等于',
'<': '小于',
'<=': '小于等于',
}
class Query(UIModule):
'''操作条件
'''
def render(self, column, default_column,
default_operator, time_flag=False):
'''
Args:
column: 数据库列字典
default_column: 默认列
operator: 操作字典
default_operator: 默认操作
time_flag: 输入为时间字段标记
'''
return self.render_string("uimodule/query.html",
column=column,
default_column=default_column,
default_operator=default_operator,
operator=OPERATOR,
time_flag=time_flag)<|fim▁end|> | from tornado.web import UIModule
|
<|file_name|>__init__.py<|end_file_name|><|fim▁begin|><|fim▁hole|><|fim▁end|> | from ._costs import * |
<|file_name|>module.py<|end_file_name|><|fim▁begin|># -*- coding: utf-8 -*-
# Copyright(C) 2013 Julien Veyssier
#
# This file is part of weboob.
#
# weboob is free software: you can redistribute it and/or modify
# it under the terms of the GNU Affero General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# weboob 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 Affero General Public License for more details.
#
# You should have received a copy of the GNU Affero General Public License
# along with weboob. If not, see <http://www.gnu.org/licenses/>.
import re
from weboob.capabilities.base import UserError
from weboob.capabilities.calendar import CapCalendarEvent, CATEGORIES, BaseCalendarEvent
from weboob.capabilities.video import CapVideo, BaseVideo
from weboob.capabilities.collection import CapCollection, CollectionNotFound, Collection
from weboob.capabilities.cinema import CapCinema, Person, Movie
from weboob.tools.backend import Module
from .browser import AllocineBrowser
__all__ = ['AllocineModule']
class AllocineModule(Module, CapCinema, CapVideo, CapCalendarEvent, CapCollection):
NAME = 'allocine'
MAINTAINER = u'Julien Veyssier'
EMAIL = '[email protected]'
VERSION = '1.1'
DESCRIPTION = u'AlloCiné French cinema database service'
LICENSE = 'AGPLv3+'
BROWSER = AllocineBrowser
ASSOCIATED_CATEGORIES = [CATEGORIES.CINE]
def get_movie(self, id):
return self.browser.get_movie(id)
def get_person(self, id):
return self.browser.get_person(id)
def iter_movies(self, pattern):<|fim▁hole|> def iter_persons(self, pattern):
return self.browser.iter_persons(pattern.encode('utf-8'))
def iter_movie_persons(self, id, role=None):
return self.browser.iter_movie_persons(id, role)
def iter_person_movies(self, id, role=None):
return self.browser.iter_person_movies(id, role)
def iter_person_movies_ids(self, id):
return self.browser.iter_person_movies_ids(id)
def iter_movie_persons_ids(self, id):
return self.browser.iter_movie_persons_ids(id)
def get_person_biography(self, id):
return self.browser.get_person_biography(id)
def get_movie_releases(self, id, country=None):
return self.browser.get_movie_releases(id, country)
def fill_person(self, person, fields):
if 'real_name' in fields or 'birth_place' in fields\
or 'death_date' in fields or 'nationality' in fields\
or 'short_biography' in fields or 'roles' in fields\
or 'birth_date' in fields or 'thumbnail_url' in fields\
or 'biography' in fields\
or 'gender' in fields or fields is None:
per = self.get_person(person.id)
person.real_name = per.real_name
person.birth_date = per.birth_date
person.death_date = per.death_date
person.birth_place = per.birth_place
person.gender = per.gender
person.nationality = per.nationality
person.short_biography = per.short_biography
person.short_description = per.short_description
person.roles = per.roles
person.biography = per.biography
person.thumbnail_url = per.thumbnail_url
return person
def fill_movie(self, movie, fields):
if 'other_titles' in fields or 'release_date' in fields\
or 'duration' in fields or 'country' in fields\
or 'roles' in fields or 'note' in fields\
or 'thumbnail_url' in fields:
mov = self.get_movie(movie.id)
movie.other_titles = mov.other_titles
movie.release_date = mov.release_date
movie.duration = mov.duration
movie.pitch = mov.pitch
movie.country = mov.country
movie.note = mov.note
movie.roles = mov.roles
movie.genres = mov.genres
movie.short_description = mov.short_description
movie.thumbnail_url = mov.thumbnail_url
if 'all_release_dates' in fields:
movie.all_release_dates = self.get_movie_releases(movie.id)
return movie
def fill_video(self, video, fields):
if 'url' in fields:
with self.browser:
if not isinstance(video, BaseVideo):
video = self.get_video(self, video.id)
if hasattr(video, '_video_code'):
video.url = unicode(self.browser.get_video_url(video._video_code))
if 'thumbnail' in fields and video and video.thumbnail:
with self.browser:
video.thumbnail.data = self.browser.readurl(video.thumbnail.url)
return video
def get_video(self, _id):
with self.browser:
split_id = _id.split('#')
if split_id[-1] == 'movie':
return self.browser.get_movie_from_id(split_id[0])
return self.browser.get_video_from_id(split_id[0], split_id[-1])
def iter_resources(self, objs, split_path):
with self.browser:
if BaseVideo in objs:
collection = self.get_collection(objs, split_path)
if collection.path_level == 0:
yield Collection([u'comingsoon'], u'Films prochainement au cinéma')
yield Collection([u'nowshowing'], u'Films au cinéma')
yield Collection([u'acshow'], u'Émissions')
yield Collection([u'interview'], u'Interviews')
if collection.path_level == 1:
if collection.basename == u'acshow':
emissions = self.browser.get_emissions(collection.basename)
if emissions:
for emission in emissions:
yield emission
elif collection.basename == u'interview':
videos = self.browser.get_categories_videos(collection.basename)
if videos:
for video in videos:
yield video
else:
videos = self.browser.get_categories_movies(collection.basename)
if videos:
for video in videos:
yield video
if collection.path_level == 2:
videos = self.browser.get_categories_videos(':'.join(collection.split_path))
if videos:
for video in videos:
yield video
def validate_collection(self, objs, collection):
if collection.path_level == 0:
return
if collection.path_level == 1 and (collection.basename in
[u'comingsoon', u'nowshowing', u'acshow', u'interview']):
return
if collection.path_level == 2 and collection.parent_path == [u'acshow']:
return
raise CollectionNotFound(collection.split_path)
def search_events(self, query):
with self.browser:
if CATEGORIES.CINE in query.categories:
if query.city and re.match('\d{5}', query.city):
events = list(self.browser.search_events(query))
events.sort(key=lambda x: x.start_date, reverse=False)
return events
raise UserError('You must enter a zip code in city field')
def get_event(self, id):
return self.browser.get_event(id)
def fill_event(self, event, fields):
if 'description' in fields:
movieCode = event.id.split('#')[2]
movie = self.get_movie(movieCode)
event.description = movie.pitch
return event
OBJECTS = {
Person: fill_person,
Movie: fill_movie,
BaseVideo: fill_video,
BaseCalendarEvent: fill_event
}<|fim▁end|> | return self.browser.iter_movies(pattern.encode('utf-8'))
|
<|file_name|>safi.rs<|end_file_name|><|fim▁begin|>use core::fmt;
/// Unicast [RFC4760]
pub const SAFI_UNICAST: Safi = Safi(1);
/// Multicast [RFC4760]
pub const SAFI_MULTICAST: Safi = Safi(2);
// 3 Reserved [RFC4760]
/// Labeled Unicast [RFC3107]
pub const SAFI_MPLS_LABEL: Safi = Safi(4);
/// 5 Multicast VPN [RFC6514]
pub const SAFI_MCAST_VPN: Safi = Safi(5);
/// 6 Multi-Segment Pseudowires [RFC7267]
pub const SAFI_MULTISEGMENT_PW: Safi = Safi(6);
/// 7 Encapsulation SAFI [RFC5512]
pub const SAFI_ENCAP: Safi = Safi(7);
/// 8 MCAST-VPLS [RFC7117]
pub const SAFI_MCAST_VPLS: Safi = Safi(8);
// 9-63 Unassigned
/// 64 Tunnel SAFI [Gargi_Nalawade][draft-nalawade-kapoor-tunnel-safi-01]
pub const SAFI_TUNNEL: Safi = Safi(64);
/// 65 Virtual Private LAN Service (VPLS) [RFC4761][RFC6074]
pub const SAFI_VPLS: Safi = Safi(65);
/// 66 BGP MDT SAFI [RFC6037]
pub const SAFI_MDT: Safi = Safi(66);
/// 67 BGP 4over6 SAFI [RFC5747]
pub const SAFI_4OVER6: Safi = Safi(67);
/// 68 BGP 6over4 SAFI [Yong_Cui]
pub const SAFI_6OVER4: Safi = Safi(68);
/// 69 Layer-1 VPN auto-discovery information [RFC5195]
pub const SAFI_L1_AUTODISC: Safi = Safi(69);
/// 70 BGP EVPNs [RFC7432]
pub const SAFI_EVPN: Safi = Safi(70);
/// 71 BGP-LS [RFC-ietf-idr-ls-distribution-13]
pub const SAFI_LS: Safi = Safi(71);
/// 72 BGP-LS-VPN [RFC-ietf-idr-ls-distribution-13]
pub const SAFI_LS_VPN: Safi = Safi(72);
// 73-127 Unassigned
/// 128 MPLS-labeled VPN address [RFC4364]
pub const SAFI_MPLS_LABELED_VPN_ADDR: Safi = Safi(128);
/// 129 Multicast for BGP/MPLS IP Virtual Private Networks (VPNs) [RFC6513][RFC6514]
pub const SAFI_MPLS_IP_VPN: Safi = Safi(129);
// 130-131 Reserved [RFC4760]
/// 132 Route Target constrains [RFC4684]
pub const SAFI_RT_CONSTRAINT: Safi = Safi(132);
/// 133 IPv4 dissemination of flow specification rules [RFC5575]
pub const SAFI_IPV4_FLOWSPEC: Safi = Safi(133);
/// 134 VPNv4 dissemination of flow specification rules [RFC5575]
pub const SAFI_VPNV4_FLOWSPEC: Safi = Safi(134);
// 135-139 Reserved [RFC4760]
/// 140 VPN auto-discovery [draft-ietf-l3vpn-bgpvpn-auto]
pub const SAFI_VPNV_AUTODISC: Safi = Safi(134);
// 141-240 Reserved [RFC4760]
// 241-254 Reserved for Private Use [RFC4760]
// 255 Reserved [RFC4760]
#[derive(PartialEq, Eq, Clone, Copy)]
pub struct Safi(u8);
impl From<u8> for Safi {
fn from(other: u8) -> Safi {
Safi(other)
}
}
impl fmt::Debug for Safi {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
match self.0 {
1 => write!(f, "unicast"),<|fim▁hole|> }
}<|fim▁end|> | 2 => write!(f, "multicast"),
n => write!(f, "unknown({})", n),
} |
<|file_name|>babelfish.js<|end_file_name|><|fim▁begin|>/* babelfish 1.0.2 nodeca/babelfish */!function(e){if("object"==typeof exports&&"undefined"!=typeof module)module.exports=e();else if("function"==typeof define&&define.amd)define([],e);else{var f;"undefined"!=typeof window?f=window:"undefined"!=typeof global?f=global:"undefined"!=typeof self&&(f=self),f.Babelfish=e()}}(function(){var define,module,exports;return (function e(t,n,r){function s(o,u){if(!n[o]){if(!t[o]){var a=typeof require=="function"&&require;if(!u&&a)return a(o,!0);if(i)return i(o,!0);throw new Error("Cannot find module '"+o+"'")}var f=n[o]={exports:{}};t[o][0].call(f.exports,function(e){var n=t[o][1][e];return s(n?n:e)},f,f.exports,e,t,n,r)}return n[o].exports}var i=typeof require=="function"&&require;for(var o=0;o<r.length;o++)s(r[o]);return s})({1:[function(_dereq_,module,exports){
module.exports = _dereq_('./lib/babelfish');
},{"./lib/babelfish":2}],2:[function(_dereq_,module,exports){
/**
* class BabelFish
*
* Internalization and localization library that makes i18n and l10n fun again.
*
* ##### Example
*
* ```javascript
* var BabelFish = require('babelfish'),
* i18n = new BabelFish();
* ```
*
* or
*
* ```javascript
* var babelfish = require('babelfish'),
* i18n = babelfish();
* ```
**/
'use strict';
var parser = _dereq_('./babelfish/parser');
var pluralizer = _dereq_('./babelfish/pluralizer');
function _class(obj) { return Object.prototype.toString.call(obj); }
function isString(obj) { return _class(obj) === '[object String]'; }
function isNumber(obj) { return !isNaN(obj) && isFinite(obj); }
function isBoolean(obj) { return obj === true || obj === false; }
function isFunction(obj) { return _class(obj) === '[object Function]'; }
function isObject(obj) { return _class(obj) === '[object Object]'; }
var isArray = Array.isArray || function _isArray(obj) {
return _class(obj) === '[object Array]';
};
////////////////////////////////////////////////////////////////////////////////
// The following two utilities (forEach and extend) are modified from Underscore
//
// http://underscorejs.org
//
// (c) 2009-2013 Jeremy Ashkenas, DocumentCloud Inc.
//
// Underscore may be freely distributed under the MIT license
////////////////////////////////////////////////////////////////////////////////
var nativeForEach = Array.prototype.forEach;
// The cornerstone, an `each` implementation, aka `forEach`.
// Handles objects with the built-in `forEach`, arrays, and raw objects.
// Delegates to **ECMAScript 5**'s native `forEach` if available.
function forEach(obj, iterator, context) {
if (obj === null) {
return;
}
if (nativeForEach && obj.forEach === nativeForEach) {
obj.forEach(iterator, context);
} else if (obj.length === +obj.length) {
for (var i = 0, l = obj.length; i < l; i += 1) {
iterator.call(context, obj[i], i, obj);
}
} else {
for (var key in obj) {
if (Object.prototype.hasOwnProperty.call(obj, key)) {
iterator.call(context, obj[key], key, obj);
}
}
}
}
var formatRegExp = /%[sdj%]/g;
function format(f) {
var i = 1;
var args = arguments;
var len = args.length;
var str = String(f).replace(formatRegExp, function(x) {
if (x === '%%') { return '%'; }
if (i >= len) { return x; }
switch (x) {
case '%s':
return String(args[i++]);
case '%d':
return Number(args[i++]);
case '%j':
return JSON.stringify(args[i++]);
default:
return x;
}
});
return str;
}
// helpers
////////////////////////////////////////////////////////////////////////////////
// Last resort locale, that exists for sure
var GENERIC_LOCALE = 'en';
// flatten(obj) -> Object
//
// Flattens object into one-level dictionary.
//
// ##### Example
//
// var obj = {
// abc: { def: 'foo' },
// hij: 'bar'
// };
//
// flatten(obj);
// // -> { 'abc.def': 'foo', 'hij': 'bar' };
//
function flatten(obj) {
var params = {};
forEach(obj || {}, function (val, key) {
if (val && 'object' === typeof val) {
forEach(flatten(val), function (sub_val, sub_key) {
params[key + '.' + sub_key] = sub_val;
});
return;
}
params[key] = val;
});
return params;
}
var keySeparator = '#@$';
function makePhraseKey(locale, phrase) {
return locale + keySeparator + phrase;
}
function searchPhraseKey(self, locale, phrase) {
var key = makePhraseKey(locale, phrase);
var storage = self._storage;
// direct search first
if (storage.hasOwnProperty(key)) { return key; }
// don't try follbacks for default locale
if (locale === self._defaultLocale) { return null; }
// search via fallback map cache
var fb_cache = self._fallbacks_cache;
if (fb_cache.hasOwnProperty(key)) { return fb_cache[key]; }
// scan fallbacks & cache result
var fb = self._fallbacks[locale] || [self._defaultLocale];
var fb_key;
for (var i=0, l=fb.length; i<l; i++) {
fb_key = makePhraseKey(fb[i], phrase);
if (storage.hasOwnProperty(fb_key)) {
// found - update cache and return result
fb_cache[key] = fb_key;
return fb_cache[key];
}
}
// mark fb_cache entry empty for fast lookup on next request
fb_cache[key] = null;
return null;
}
// public api (module)
////////////////////////////////////////////////////////////////////////////////
/**
* new BabelFish([defaultLocale = 'en'])
*
* Initiates new instance of BabelFish.
*
* __Note!__ you can omit `new` for convenience, direct call will return
* new instance too.
**/
function BabelFish(defaultLocale) {
if (!(this instanceof BabelFish)) { return new BabelFish(defaultLocale); }
this._defaultLocale = defaultLocale ? String(defaultLocale) : GENERIC_LOCALE;
// hash of locale => [ fallback1, fallback2, ... ] pairs
this._fallbacks = {};
// fallback cache for each phrase
//
// {
// locale_key: fallback_key
// }
//
// fallback_key can be null if search failed
//
this._fallbacks_cache = {};
// storage of compiled translations
//
// {
// locale + @#$ + phrase_key: {
// locale: locale name - can be different for fallbacks
// translation: original translation phrase or data variable/object
// raw: true/false - does translation contain plain data or
// string to compile
// compiled: copiled translation fn or plain string
// }
// ...
// }
//
this._storage = {};
// cache for complex plural parts (with params)
//
// {
// language: new BabelFish(language)
// }
//
this._plurals_cache = {};
}
// public api (instance)
////////////////////////////////////////////////////////////////////////////////
/**
* BabelFish#addPhrase(locale, phrase, translation [, flattenLevel]) -> BabelFish
* - locale (String): Locale of translation
* - phrase (String|Null): Phrase ID, e.g. `apps.forum`
* - translation (String|Object|Array|Number|Boolean): Translation or an object
* with nested phrases, or a pure object.
* - flattenLevel (Number|Boolean): Optional, 0..infinity. `Infinity` by default.
* Define "flatten" deepness for loaded object. You can also use
* `true` as `0` or `false` as `Infinity`.
*
*
* ##### Flatten & using JS objects
*
* By default all nested properties are normalized to strings like "foo.bar.baz",
* and if value is string, it will be compiled with babelfish notation.
* If deepness is above `flattenLevel` OR value is not object and not string,
* it will be used "as is". Note, only JSON stringifiable data should be used.
*
* In short: you can safely pass `Array`, `Number` or `Boolean`. For objects you
* should define flatten level or disable it compleetely, to work with pure data.
*
* Pure objects can be useful to prepare bulk data for external libraries, like
* calendars, time/date generators and so on.
*
* ##### Example
*
* ```javascript
* i18n.addPhrase('ru-RU',
* 'apps.forums.replies_count',
* '#{count} %{ответ|ответа|ответов}:count в теме');
*
* // equals to:
* i18n.addPhrase('ru-RU',
* 'apps.forums',
* { replies_count: '#{count} %{ответ|ответа|ответов}:count в теме' });
* ```
**/
BabelFish.prototype.addPhrase = function _addPhrase(locale, phrase, translation, flattenLevel) {
var self = this, fl;
// Calculate flatten level. Infinity by default
if (isBoolean(flattenLevel)) {
fl = flattenLevel ? Infinity : 0;
} else if (isNumber(flattenLevel)) {
fl = Math.floor(flattenLevel);
fl = (fl < 0) ? 0 : fl;
} else {
fl = Infinity;
}
if (isObject(translation) && (fl > 0)) {
// recursive object walk, until flattenLevel allows
forEach(translation, function (val, key) {
self.addPhrase(locale, phrase + '.' + key, val, fl-1);
});
return;
}
if (isString(translation)) {
this._storage[makePhraseKey(locale, phrase)] = {
translation: translation,
locale: locale,
raw: false
};
} else if (isArray(translation) ||
isNumber(translation) ||
isBoolean(translation) ||
(fl === 0 && isObject(translation))) {
// Pure objects are stored without compilation
// Limit allowed types.
this._storage[makePhraseKey(locale, phrase)] = {
translation: translation,
locale: locale,
raw: true
};
} else {
// `Regex`, `Date`, `Uint8Array` and others types will
// fuckup `stringify()`. Don't allow here.
// `undefined` also means wrong param in real life.
// `null` can be allowed when examples from real life available.
throw new TypeError('Invalid translation - [String|Object|Array|Number|Boolean] expected.');
}
self._fallbacks_cache = {};
};
/**
* BabelFish#setFallback(locale, fallbacks) -> BabelFish
* - locale (String): Target locale
* - fallbacks (Array): List of fallback locales
*
* Set fallbacks for given locale.
*
* When `locale` has no translation for the phrase, `fallbacks[0]` will be
* tried, if translation still not found, then `fallbacks[1]` will be tried
* and so on. If none of fallbacks have translation,
* default locale will be tried as last resort.
*
* ##### Errors
*
* - throws `Error`, when `locale` equals default locale
*
* ##### Example
*
* ```javascript
* i18n.setFallback('ua-UK', ['ua', 'ru']);
* ```
**/
BabelFish.prototype.setFallback = function _setFallback(locale, fallbacks) {
var def = this._defaultLocale;
if (def === locale) {
throw new Error('Default locale can\'t have fallbacks');
}
var fb = isArray(fallbacks) ? fallbacks.slice() : [fallbacks];
if (fb[fb.length-1] !== def) { fb.push(def); }
this._fallbacks[locale] = fb;
this._fallbacks_cache = {};
};
// Compiles given string into function. Used to compile phrases,
// which contains `plurals`, `variables`, etc.
function compile(self, str, locale) {
var nodes, buf, key, strict_exec, forms_exec, plurals_cache;
// Quick check to avoid parse in most cases :)
if (str.indexOf('#{') === -1 &&
str.indexOf('((') === -1 &&
str.indexOf('\\') === -1) {
return str;
}
nodes = parser.parse(str);
if (1 === nodes.length && 'literal' === nodes[0].type) {
return nodes[0].text;
}
// init cache instance for plural parts, if not exists yet.
if (!self._plurals_cache[locale]) {
self._plurals_cache[locale] = new BabelFish(locale);
}
plurals_cache = self._plurals_cache[locale];
buf = [];
buf.push(['var str = "", strict, strict_exec, forms, forms_exec, plrl, cache, loc, loc_plzr, anchor;']);
buf.push('params = flatten(params);');
forEach(nodes, function (node) {
if ('literal' === node.type) {
buf.push(format('str += %j;', node.text));
return;
}
if ('variable' === node.type) {
key = node.anchor;
buf.push(format(
'str += ("undefined" === typeof (params[%j])) ? "[missed variable: %s]" : params[%j];',
key, key, key
));
return;
}
if ('plural' === node.type) {
key = node.anchor;
// check if plural parts are plain strings or executable,
// and add executable to "cache" instance of babelfish
// plural part text will be used as translation key
strict_exec = {};
forEach(node.strict, function (text, key) {
if (text === '') {
strict_exec[key] = false;
return;
}
var parsed = parser.parse(text);
if (1 === parsed.length && 'literal' === parsed[0].type) {
strict_exec[key] = false;
// patch with unescaped value for direct extract
node.strict[key] = parsed[0].text;
return;
}
strict_exec[key] = true;
if (!plurals_cache.hasPhrase(locale, text, true)) {
plurals_cache.addPhrase(locale, text, text);
}
});
forms_exec = {};
forEach(node.forms, function (text, idx) {
if (text === '') {
forms_exec[''] = false;
return;
}
var parsed = parser.parse(text), unescaped;
if (1 === parsed.length && 'literal' === parsed[0].type) {
// patch with unescaped value for direct extract
unescaped = parsed[0].text;
node.forms[idx] = unescaped;
forms_exec[unescaped] = false;
return;
}
forms_exec[text] = true;
if (!plurals_cache.hasPhrase(locale, text, true)) {
plurals_cache.addPhrase(locale, text, text);
}
});
buf.push(format('loc = %j;', locale));
buf.push(format('loc_plzr = %j;', locale.split(/[-_]/)[0]));
buf.push(format('anchor = params[%j];', key));
buf.push(format('cache = this._plurals_cache[loc];'));
buf.push(format('strict = %j;', node.strict));
buf.push(format('strict_exec = %j;', strict_exec));
buf.push(format('forms = %j;', node.forms));
buf.push(format('forms_exec = %j;', forms_exec));
buf.push( 'if (+(anchor) != anchor) {');
buf.push(format(' str += "[invalid plurals amount: %s(" + anchor + ")]";', key));
buf.push( '} else {');
buf.push( ' if (strict[anchor] !== undefined) {');
buf.push( ' plrl = strict[anchor];');
buf.push( ' str += strict_exec[anchor] ? cache.t(loc, plrl, params) : plrl;');
buf.push( ' } else {');
buf.push( ' plrl = pluralizer(loc_plzr, +anchor, forms);');
buf.push( ' str += forms_exec[plrl] ? cache.t(loc, plrl, params) : plrl;');
buf.push( ' }');
buf.push( '}');
return;
}
// should never happen
throw new Error('Unknown node type');
});
buf.push('return str;');
/*jslint evil:true*/
return new Function('params', 'flatten', 'pluralizer', buf.join('\n'));
}
/**
* BabelFish#translate(locale, phrase[, params]) -> String
* - locale (String): Locale of translation
* - phrase (String): Phrase ID, e.g. `app.forums.replies_count`
* - params (Object|Number|String): Params for translation. `Number` & `String`
* will be coerced to `{ count: X, value: X }`
*
* ##### Example
*
* ```javascript
* i18n.addPhrase('ru-RU',
* 'apps.forums.replies_count',
* '#{count} ((ответ|ответа|ответов)) в теме');
*
* // ...
*
* i18n.translate('ru-RU', 'app.forums.replies_count', { count: 1 });
* i18n.translate('ru-RU', 'app.forums.replies_count', 1});
* // -> '1 ответ'
*
* i18n.translate('ru-RU', 'app.forums.replies_count', { count: 2 });
* i18n.translate('ru-RU', 'app.forums.replies_count', 2);
* // -> '2 ответa'
* ```
**/
BabelFish.prototype.translate = function _translate(locale, phrase, params) {
var key = searchPhraseKey(this, locale, phrase);
var data;
if (!key) {
return locale + ': No translation for [' + phrase + ']';
}
data = this._storage[key];
// simple string or other pure object
if (data.raw) { return data.translation; }
// compile data if not done yet
if (!data.hasOwnProperty('compiled')) {
// We should use locale from phrase, because of possible fallback,
// to keep plural locales in sync.
data.compiled = compile(this, data.translation, data.locale);
}
// return simple string immediately
if (!isFunction(data.compiled)) {
return data.compiled;
}
//
// Generate "complex" phrase
//
// Sugar: coerce numbers & strings to { count: X, value: X }
if (isNumber(params) || isString (params)) {
params = { count: params, value: params };
}
return data.compiled.call(this, params, flatten, pluralizer);
};
/**
* BabelFish#hasPhrase(locale, phrase) -> Boolean
* - locale (String): Locale of translation
* - phrase (String): Phrase ID, e.g. `app.forums.replies_count`
* - noFallback (Boolean): Disable search in fallbacks
*
* Returns whenever or not there's a translation of a `phrase`.
**/
BabelFish.prototype.hasPhrase = function _hasPhrase(locale, phrase, noFallback) {
return noFallback ?
this._storage.hasOwnProperty(makePhraseKey(locale, phrase))
:
searchPhraseKey(this, locale, phrase) ? true : false;
};
/** alias of: BabelFish#translate
* BabelFish#t(locale, phrase[, params]) -> String
**/
BabelFish.prototype.t = BabelFish.prototype.translate;
/**
* BabelFish#stringify(locale) -> String
* - locale (String): Locale of translation
*
* Returns serialized locale data, uncluding fallbacks.
* It can be loaded back via `load()` method.
**/
BabelFish.prototype.stringify = function _stringify(locale) {
var self = this;
// Collect unique keys
var unique = {};
forEach(this._storage, function (val, key) {
unique[key.split(keySeparator)[1]] = true;
});
// Collect phrases (with fallbacks)
var result = {};
forEach(unique, function(val, key) {
var k = searchPhraseKey(self, locale, key);
// if key was just a garbage from another
// and doesn't fit into fallback chain for current locale - skip it
if (!k) { return; }
// create namespace if not exists
var l = self._storage[k].locale;
if (!result[l]) { result[l] = {}; }
result[l][key] = self._storage[k].translation;
});
// Get fallback rule. Cut auto-added fallback to default locale
var fallback = (self._fallbacks[locale] || []).pop();
return JSON.stringify({
fallback: { locale: fallback },
locales: result
});
};
/**
* BabelFish#load(data)
* - data (Object|String) - data from `stringify()` method, as object or string.
*
* Batch load phrases data, prepared with `stringify()` method.<|fim▁hole|> * Useful at browser side.
**/
BabelFish.prototype.load = function _load(data) {
var self = this;
if (isString(data)) { data = JSON.parse(data); }
forEach(data.locales, function (phrases, locale) {
forEach(phrases, function(translation, key) {
self.addPhrase(locale, key, translation, 0);
});
});
forEach(data.fallback, function (rule, locale) {
if (rule.length) { self.setFallback(locale, rule); }
});
};
// export module
module.exports = BabelFish;
},{"./babelfish/parser":3,"./babelfish/pluralizer":4}],3:[function(_dereq_,module,exports){
module.exports = (function() {
/*
* Generated by PEG.js 0.8.0.
*
* http://pegjs.majda.cz/
*/
function peg$subclass(child, parent) {
function ctor() { this.constructor = child; }
ctor.prototype = parent.prototype;
child.prototype = new ctor();
}
function SyntaxError(message, expected, found, offset, line, column) {
this.message = message;
this.expected = expected;
this.found = found;
this.offset = offset;
this.line = line;
this.column = column;
this.name = "SyntaxError";
}
peg$subclass(SyntaxError, Error);
function parse(input) {
var options = arguments.length > 1 ? arguments[1] : {},
peg$FAILED = {},
peg$startRuleIndices = { start: 0 },
peg$startRuleIndex = 0,
peg$consts = [
[],
peg$FAILED,
"((",
{ type: "literal", value: "((", description: "\"((\"" },
"))",
{ type: "literal", value: "))", description: "\"))\"" },
null,
function(forms, anchor) {
return {
type: 'plural',
forms: regularForms(forms),
strict: strictForms(forms),
anchor: anchor || 'count'
};
},
"|",
{ type: "literal", value: "|", description: "\"|\"" },
function(part, more) {
return [part].concat(more);
},
function(part) {
return [part];
},
"=",
{ type: "literal", value: "=", description: "\"=\"" },
/^[0-9]/,
{ type: "class", value: "[0-9]", description: "[0-9]" },
" ",
{ type: "literal", value: " ", description: "\" \"" },
function(strict, form) {
return {
strict: strict.join(''),
text: form.join('')
}
},
function() {
return {
text: text()
};
},
"\\",
{ type: "literal", value: "\\", description: "\"\\\\\"" },
/^[\\|)(]/,
{ type: "class", value: "[\\\\|)(]", description: "[\\\\|)(]" },
function(char) {
return char;
},
void 0,
{ type: "any", description: "any character" },
function() {
return text();
},
":",
{ type: "literal", value: ":", description: "\":\"" },
function(name) {
return name;
},
"#{",
{ type: "literal", value: "#{", description: "\"#{\"" },
"}",
{ type: "literal", value: "}", description: "\"}\"" },
function(anchor) {
return {
type: 'variable',
anchor: anchor
};
},
".",
{ type: "literal", value: ".", description: "\".\"" },
function() {
return text()
},
/^[a-zA-Z_$]/,
{ type: "class", value: "[a-zA-Z_$]", description: "[a-zA-Z_$]" },
/^[a-zA-Z0-9_$]/,
{ type: "class", value: "[a-zA-Z0-9_$]", description: "[a-zA-Z0-9_$]" },
function(lc) { return lc; },
function(literal_chars) {
return {
type: 'literal',
text: literal_chars.join('')
};
},
/^[\\#()]/,
{ type: "class", value: "[\\\\#()]", description: "[\\\\#()]" }
],
peg$bytecode = [
peg$decode(" 7)*) \"7!*# \"7&,/&7)*) \"7!*# \"7&\""),
peg$decode("!.\"\"\"2\"3#+S$7\"+I%.$\"\"2$3%+9%7%*# \" &+)%4$6'$\"\" %$$# !$## !$\"# !\"# !"),
peg$decode("!7#+C$.(\"\"2(3)+3%7\"+)%4#6*#\"\" %$## !$\"# !\"# !*/ \"!7#+' 4!6+!! %"),
peg$decode("!.,\"\"2,3-+}$ 0.\"\"1!3/+,$,)&0.\"\"1!3/\"\"\" !+X%.0\"\"2031*# \" &+B% 7$+&$,#&7$\"\"\" !+)%4$62$\"\" %$$# !$## !$\"# !\"# !*= \"! 7$+&$,#&7$\"\"\" !+& 4!63! %"),
peg$decode("!.4\"\"2435+8$06\"\"1!37+(%4\"68\"! %$\"# !\"# !*a \"!!8.(\"\"2(3)*) \".$\"\"2$3%9*$$\"\" 9\"# !+6$-\"\"1!3:+'%4\"6;\" %$\"# !\"# !"),
peg$decode("!.<\"\"2<3=+2$7'+(%4\"6>\"! %$\"# !\"# !"),
peg$decode("!.?\"\"2?3@+B$7'+8%.A\"\"2A3B+(%4#6C#!!%$## !$\"# !\"# !"),
peg$decode("!7(+P$.D\"\"2D3E+@% 7'+&$,#&7'\"\"\" !+'%4#6F# %$## !$\"# !\"# !*# \"7("),
peg$decode("!0G\"\"1!3H+E$ 0I\"\"1!3J,)&0I\"\"1!3J\"+'%4\"6;\" %$\"# !\"# !"),
peg$decode("! !!87!*# \"7&9*$$\"\" 9\"# !+2$7*+(%4\"6K\"! %$\"# !\"# !+T$,Q&!!87!*# \"7&9*$$\"\" 9\"# !+2$7*+(%4\"6K\"! %$\"# !\"# !\"\"\" !+' 4!6L!! %"),
peg$decode("!.4\"\"2435+8$0M\"\"1!3N+(%4\"68\"! %$\"# !\"# !*( \"-\"\"1!3:")
],
peg$currPos = 0,
peg$reportedPos = 0,
peg$cachedPos = 0,
peg$cachedPosDetails = { line: 1, column: 1, seenCR: false },
peg$maxFailPos = 0,
peg$maxFailExpected = [],
peg$silentFails = 0,
peg$result;
if ("startRule" in options) {
if (!(options.startRule in peg$startRuleIndices)) {
throw new Error("Can't start parsing from rule \"" + options.startRule + "\".");
}
peg$startRuleIndex = peg$startRuleIndices[options.startRule];
}
function text() {
return input.substring(peg$reportedPos, peg$currPos);
}
function offset() {
return peg$reportedPos;
}
function line() {
return peg$computePosDetails(peg$reportedPos).line;
}
function column() {
return peg$computePosDetails(peg$reportedPos).column;
}
function expected(description) {
throw peg$buildException(
null,
[{ type: "other", description: description }],
peg$reportedPos
);
}
function error(message) {
throw peg$buildException(message, null, peg$reportedPos);
}
function peg$computePosDetails(pos) {
function advance(details, startPos, endPos) {
var p, ch;
for (p = startPos; p < endPos; p++) {
ch = input.charAt(p);
if (ch === "\n") {
if (!details.seenCR) { details.line++; }
details.column = 1;
details.seenCR = false;
} else if (ch === "\r" || ch === "\u2028" || ch === "\u2029") {
details.line++;
details.column = 1;
details.seenCR = true;
} else {
details.column++;
details.seenCR = false;
}
}
}
if (peg$cachedPos !== pos) {
if (peg$cachedPos > pos) {
peg$cachedPos = 0;
peg$cachedPosDetails = { line: 1, column: 1, seenCR: false };
}
advance(peg$cachedPosDetails, peg$cachedPos, pos);
peg$cachedPos = pos;
}
return peg$cachedPosDetails;
}
function peg$fail(expected) {
if (peg$currPos < peg$maxFailPos) { return; }
if (peg$currPos > peg$maxFailPos) {
peg$maxFailPos = peg$currPos;
peg$maxFailExpected = [];
}
peg$maxFailExpected.push(expected);
}
function peg$buildException(message, expected, pos) {
function cleanupExpected(expected) {
var i = 1;
expected.sort(function(a, b) {
if (a.description < b.description) {
return -1;
} else if (a.description > b.description) {
return 1;
} else {
return 0;
}
});
while (i < expected.length) {
if (expected[i - 1] === expected[i]) {
expected.splice(i, 1);
} else {
i++;
}
}
}
function buildMessage(expected, found) {
function stringEscape(s) {
function hex(ch) { return ch.charCodeAt(0).toString(16).toUpperCase(); }
return s
.replace(/\\/g, '\\\\')
.replace(/"/g, '\\"')
.replace(/\x08/g, '\\b')
.replace(/\t/g, '\\t')
.replace(/\n/g, '\\n')
.replace(/\f/g, '\\f')
.replace(/\r/g, '\\r')
.replace(/[\x00-\x07\x0B\x0E\x0F]/g, function(ch) { return '\\x0' + hex(ch); })
.replace(/[\x10-\x1F\x80-\xFF]/g, function(ch) { return '\\x' + hex(ch); })
.replace(/[\u0180-\u0FFF]/g, function(ch) { return '\\u0' + hex(ch); })
.replace(/[\u1080-\uFFFF]/g, function(ch) { return '\\u' + hex(ch); });
}
var expectedDescs = new Array(expected.length),
expectedDesc, foundDesc, i;
for (i = 0; i < expected.length; i++) {
expectedDescs[i] = expected[i].description;
}
expectedDesc = expected.length > 1
? expectedDescs.slice(0, -1).join(", ")
+ " or "
+ expectedDescs[expected.length - 1]
: expectedDescs[0];
foundDesc = found ? "\"" + stringEscape(found) + "\"" : "end of input";
return "Expected " + expectedDesc + " but " + foundDesc + " found.";
}
var posDetails = peg$computePosDetails(pos),
found = pos < input.length ? input.charAt(pos) : null;
if (expected !== null) {
cleanupExpected(expected);
}
return new SyntaxError(
message !== null ? message : buildMessage(expected, found),
expected,
found,
pos,
posDetails.line,
posDetails.column
);
}
function peg$decode(s) {
var bc = new Array(s.length), i;
for (i = 0; i < s.length; i++) {
bc[i] = s.charCodeAt(i) - 32;
}
return bc;
}
function peg$parseRule(index) {
var bc = peg$bytecode[index],
ip = 0,
ips = [],
end = bc.length,
ends = [],
stack = [],
params, i;
function protect(object) {
return Object.prototype.toString.apply(object) === "[object Array]" ? [] : object;
}
while (true) {
while (ip < end) {
switch (bc[ip]) {
case 0:
stack.push(protect(peg$consts[bc[ip + 1]]));
ip += 2;
break;
case 1:
stack.push(peg$currPos);
ip++;
break;
case 2:
stack.pop();
ip++;
break;
case 3:
peg$currPos = stack.pop();
ip++;
break;
case 4:
stack.length -= bc[ip + 1];
ip += 2;
break;
case 5:
stack.splice(-2, 1);
ip++;
break;
case 6:
stack[stack.length - 2].push(stack.pop());
ip++;
break;
case 7:
stack.push(stack.splice(stack.length - bc[ip + 1], bc[ip + 1]));
ip += 2;
break;
case 8:
stack.pop();
stack.push(input.substring(stack[stack.length - 1], peg$currPos));
ip++;
break;
case 9:
ends.push(end);
ips.push(ip + 3 + bc[ip + 1] + bc[ip + 2]);
if (stack[stack.length - 1]) {
end = ip + 3 + bc[ip + 1];
ip += 3;
} else {
end = ip + 3 + bc[ip + 1] + bc[ip + 2];
ip += 3 + bc[ip + 1];
}
break;
case 10:
ends.push(end);
ips.push(ip + 3 + bc[ip + 1] + bc[ip + 2]);
if (stack[stack.length - 1] === peg$FAILED) {
end = ip + 3 + bc[ip + 1];
ip += 3;
} else {
end = ip + 3 + bc[ip + 1] + bc[ip + 2];
ip += 3 + bc[ip + 1];
}
break;
case 11:
ends.push(end);
ips.push(ip + 3 + bc[ip + 1] + bc[ip + 2]);
if (stack[stack.length - 1] !== peg$FAILED) {
end = ip + 3 + bc[ip + 1];
ip += 3;
} else {
end = ip + 3 + bc[ip + 1] + bc[ip + 2];
ip += 3 + bc[ip + 1];
}
break;
case 12:
if (stack[stack.length - 1] !== peg$FAILED) {
ends.push(end);
ips.push(ip);
end = ip + 2 + bc[ip + 1];
ip += 2;
} else {
ip += 2 + bc[ip + 1];
}
break;
case 13:
ends.push(end);
ips.push(ip + 3 + bc[ip + 1] + bc[ip + 2]);
if (input.length > peg$currPos) {
end = ip + 3 + bc[ip + 1];
ip += 3;
} else {
end = ip + 3 + bc[ip + 1] + bc[ip + 2];
ip += 3 + bc[ip + 1];
}
break;
case 14:
ends.push(end);
ips.push(ip + 4 + bc[ip + 2] + bc[ip + 3]);
if (input.substr(peg$currPos, peg$consts[bc[ip + 1]].length) === peg$consts[bc[ip + 1]]) {
end = ip + 4 + bc[ip + 2];
ip += 4;
} else {
end = ip + 4 + bc[ip + 2] + bc[ip + 3];
ip += 4 + bc[ip + 2];
}
break;
case 15:
ends.push(end);
ips.push(ip + 4 + bc[ip + 2] + bc[ip + 3]);
if (input.substr(peg$currPos, peg$consts[bc[ip + 1]].length).toLowerCase() === peg$consts[bc[ip + 1]]) {
end = ip + 4 + bc[ip + 2];
ip += 4;
} else {
end = ip + 4 + bc[ip + 2] + bc[ip + 3];
ip += 4 + bc[ip + 2];
}
break;
case 16:
ends.push(end);
ips.push(ip + 4 + bc[ip + 2] + bc[ip + 3]);
if (peg$consts[bc[ip + 1]].test(input.charAt(peg$currPos))) {
end = ip + 4 + bc[ip + 2];
ip += 4;
} else {
end = ip + 4 + bc[ip + 2] + bc[ip + 3];
ip += 4 + bc[ip + 2];
}
break;
case 17:
stack.push(input.substr(peg$currPos, bc[ip + 1]));
peg$currPos += bc[ip + 1];
ip += 2;
break;
case 18:
stack.push(peg$consts[bc[ip + 1]]);
peg$currPos += peg$consts[bc[ip + 1]].length;
ip += 2;
break;
case 19:
stack.push(peg$FAILED);
if (peg$silentFails === 0) {
peg$fail(peg$consts[bc[ip + 1]]);
}
ip += 2;
break;
case 20:
peg$reportedPos = stack[stack.length - 1 - bc[ip + 1]];
ip += 2;
break;
case 21:
peg$reportedPos = peg$currPos;
ip++;
break;
case 22:
params = bc.slice(ip + 4, ip + 4 + bc[ip + 3]);
for (i = 0; i < bc[ip + 3]; i++) {
params[i] = stack[stack.length - 1 - params[i]];
}
stack.splice(
stack.length - bc[ip + 2],
bc[ip + 2],
peg$consts[bc[ip + 1]].apply(null, params)
);
ip += 4 + bc[ip + 3];
break;
case 23:
stack.push(peg$parseRule(bc[ip + 1]));
ip += 2;
break;
case 24:
peg$silentFails++;
ip++;
break;
case 25:
peg$silentFails--;
ip++;
break;
default:
throw new Error("Invalid opcode: " + bc[ip] + ".");
}
}
if (ends.length > 0) {
end = ends.pop();
ip = ips.pop();
} else {
break;
}
}
return stack[0];
}
function regularForms(forms) {
var result = [];
for (var i=0; i<forms.length; i++) {
if (forms[i].strict === undefined) { result.push(forms[i].text); }
}
return result;
}
function strictForms(forms) {
var result = {};
for (var i=0; i<forms.length; i++) {
if (forms[i].strict !== undefined) { result[forms[i].strict] = forms[i].text; }
}
return result;
}
peg$result = peg$parseRule(peg$startRuleIndex);
if (peg$result !== peg$FAILED && peg$currPos === input.length) {
return peg$result;
} else {
if (peg$result !== peg$FAILED && peg$currPos < input.length) {
peg$fail({ type: "end", description: "end of input" });
}
throw peg$buildException(null, peg$maxFailExpected, peg$maxFailPos);
}
}
return {
SyntaxError: SyntaxError,
parse: parse
};
})();
},{}],4:[function(_dereq_,module,exports){
//
// CLDR Version 21
// http://unicode.org/repos/cldr-tmp/trunk/diff/supplemental/language_plural_rules.html
//
// Charts: http://cldr.unicode.org/index/charts
// Latest: http://www.unicode.org/cldr/charts/latest/supplemental/language_plural_rules.html
//
// TODO: update to latest
//
'use strict';
// pluralizers cache
var PLURALIZERS = {};
module.exports = function pluralize(lang, count, forms) {
var idx;
if (!PLURALIZERS[lang]) {
return '[pluralizer for (' + lang + ') not exists]';
}
idx = PLURALIZERS[lang](count);
if (undefined === forms[idx]) {
return '[plural form N' + idx + ' not found in translation]';
}
return forms[idx];
};
// HELPERS
////////////////////////////////////////////////////////////////////////////////
// adds given `rule` pluralizer for given `locales` into `storage`
function add(locales, rule) {
var i;
for (i = 0; i < locales.length; i += 1) {
PLURALIZERS[locales[i]] = rule;
}
}
// check if number is int or float
function is_int(input) {
return (0 === input % 1);
}
// PLURALIZATION RULES
////////////////////////////////////////////////////////////////////////////////
////////////////////////////////////////////////////////////////////////////////
// Azerbaijani, Bambara, Burmese, Chinese, Dzongkha, Georgian, Hungarian, Igbo,
// Indonesian, Japanese, Javanese, Kabuverdianu, Kannada, Khmer, Korean,
// Koyraboro Senni, Lao, Makonde, Malay, Persian, Root, Sakha, Sango,
// Sichuan Yi, Thai, Tibetan, Tonga, Turkish, Vietnamese, Wolof, Yoruba
add(['az', 'bm', 'my', 'zh', 'dz', 'ka', 'hu', 'ig',
'id', 'ja', 'jv', 'kea', 'kn', 'km', 'ko',
'ses', 'lo', 'kde', 'ms', 'fa', 'root', 'sah', 'sg',
'ii', 'th', 'bo', 'to', 'tr', 'vi', 'wo', 'yo'], function () {
return 0;
});
// Manx
add(['gv'], function (n) {
var m10 = n % 10, m20 = n % 20;
if ((m10 === 1 || m10 === 2 || m20 === 0) && is_int(n)) {
return 0;
}
return 1;
});
// Central Morocco Tamazight
add(['tzm'], function (n) {
if (n === 0 || n === 1 || (11 <= n && n <= 99 && is_int(n))) {
return 0;
}
return 1;
});
// Macedonian
add(['mk'], function (n) {
if ((n % 10 === 1) && (n !== 11) && is_int(n)) {
return 0;
}
return 1;
});
// Akan, Amharic, Bihari, Filipino, Gun, Hindi,
// Lingala, Malagasy, Northern Sotho, Tagalog, Tigrinya, Walloon
add(['ak', 'am', 'bh', 'fil', 'guw', 'hi',
'ln', 'mg', 'nso', 'tl', 'ti', 'wa'], function (n) {
return (n === 0 || n === 1) ? 0 : 1;
});
// Afrikaans, Albanian, Basque, Bemba, Bengali, Bodo, Bulgarian, Catalan,
// Cherokee, Chiga, Danish, Divehi, Dutch, English, Esperanto, Estonian, Ewe,
// Faroese, Finnish, Friulian, Galician, Ganda, German, Greek, Gujarati, Hausa,
// Hawaiian, Hebrew, Icelandic, Italian, Kalaallisut, Kazakh, Kurdish,
// Luxembourgish, Malayalam, Marathi, Masai, Mongolian, Nahuatl, Nepali,
// Norwegian, Norwegian Bokmål, Norwegian Nynorsk, Nyankole, Oriya, Oromo,
// Papiamento, Pashto, Portuguese, Punjabi, Romansh, Saho, Samburu, Soga,
// Somali, Spanish, Swahili, Swedish, Swiss German, Syriac, Tamil, Telugu,
// Turkmen, Urdu, Walser, Western Frisian, Zulu
add(['af', 'sq', 'eu', 'bem', 'bn', 'brx', 'bg', 'ca',
'chr', 'cgg', 'da', 'dv', 'nl', 'en', 'eo', 'et', 'ee',
'fo', 'fi', 'fur', 'gl', 'lg', 'de', 'el', 'gu', 'ha',
'haw', 'he', 'is', 'it', 'kl', 'kk', 'ku',
'lb', 'ml', 'mr', 'mas', 'mn', 'nah', 'ne',
'no', 'nb', 'nn', 'nyn', 'or', 'om',
'pap', 'ps', 'pt', 'pa', 'rm', 'ssy', 'saq', 'xog',
'so', 'es', 'sw', 'sv', 'gsw', 'syr', 'ta', 'te',
'tk', 'ur', 'wae', 'fy', 'zu'], function (n) {
return (1 === n) ? 0 : 1;
});
// Latvian
add(['lv'], function (n) {
if (n === 0) {
return 0;
}
if ((n % 10 === 1) && (n % 100 !== 11) && is_int(n)) {
return 1;
}
return 2;
});
// Colognian
add(['ksh'], function (n) {
return (n === 0) ? 0 : ((n === 1) ? 1 : 2);
});
// Cornish, Inari Sami, Inuktitut, Irish, Lule Sami, Northern Sami,
// Sami Language, Skolt Sami, Southern Sami
add(['kw', 'smn', 'iu', 'ga', 'smj', 'se',
'smi', 'sms', 'sma'], function (n) {
return (n === 1) ? 0 : ((n === 2) ? 1 : 2);
});
// Belarusian, Bosnian, Croatian, Russian, Serbian, Serbo-Croatian, Ukrainian
add(['be', 'bs', 'hr', 'ru', 'sr', 'sh', 'uk'], function (n) {
var m10 = n % 10, m100 = n % 100;
if (!is_int(n)) {
return 3;
}
// one → n mod 10 is 1 and n mod 100 is not 11;
if (1 === m10 && 11 !== m100) {
return 0;
}
// few → n mod 10 in 2..4 and n mod 100 not in 12..14;
if (2 <= m10 && m10 <= 4 && !(12 <= m100 && m100 <= 14)) {
return 1;
}
// many → n mod 10 is 0 or n mod 10 in 5..9 or n mod 100 in 11..14;
/* if (0 === m10 || (5 <= m10 && m10 <= 9) || (11 <= m100 && m100 <= 14)) {
return 2;
}
// other
return 3;*/
return 2;
});
// Polish
add(['pl'], function (n) {
var m10 = n % 10, m100 = n % 100;
if (!is_int(n)) {
return 3;
}
// one → n is 1;
if (n === 1) {
return 0;
}
// few → n mod 10 in 2..4 and n mod 100 not in 12..14;
if (2 <= m10 && m10 <= 4 && !(12 <= m100 && m100 <= 14)) {
return 1;
}
// many → n is not 1 and n mod 10 in 0..1 or
// n mod 10 in 5..9 or n mod 100 in 12..14
// (all other except partials)
return 2;
});
// Lithuanian
add(['lt'], function (n) {
var m10 = n % 10, m100 = n % 100;
if (!is_int(n)) {
return 2;
}
// one → n mod 10 is 1 and n mod 100 not in 11..19
if (m10 === 1 && !(11 <= m100 && m100 <= 19)) {
return 0;
}
// few → n mod 10 in 2..9 and n mod 100 not in 11..19
if (2 <= m10 && m10 <= 9 && !(11 <= m100 && m100 <= 19)) {
return 1;
}
// other
return 2;
});
// Tachelhit
add(['shi'], function (n) {
return (0 <= n && n <= 1) ? 0 : ((is_int(n) && 2 <= n && n <= 10) ? 1 : 2);
});
// Moldavian, Romanian
add(['mo', 'ro'], function (n) {
var m100 = n % 100;
if (!is_int(n)) {
return 2;
}
// one → n is 1
if (n === 1) {
return 0;
}
// few → n is 0 OR n is not 1 AND n mod 100 in 1..19
if (n === 0 || (1 <= m100 && m100 <= 19)) {
return 1;
}
// other
return 2;
});
// Czech, Slovak
add(['cs', 'sk'], function (n) {
// one → n is 1
if (n === 1) {
return 0;
}
// few → n in 2..4
if (n === 2 || n === 3 || n === 4) {
return 1;
}
// other
return 2;
});
// Slovenian
add(['sl'], function (n) {
var m100 = n % 100;
if (!is_int(n)) {
return 3;
}
// one → n mod 100 is 1
if (m100 === 1) {
return 0;
}
// one → n mod 100 is 2
if (m100 === 2) {
return 1;
}
// one → n mod 100 in 3..4
if (m100 === 3 || m100 === 4) {
return 2;
}
// other
return 3;
});
// Maltese
add(['mt'], function (n) {
var m100 = n % 100;
if (!is_int(n)) {
return 3;
}
// one → n is 1
if (n === 1) {
return 0;
}
// few → n is 0 or n mod 100 in 2..10
if (n === 0 || (2 <= m100 && m100 <= 10)) {
return 1;
}
// many → n mod 100 in 11..19
if (11 <= m100 && m100 <= 19) {
return 2;
}
// other
return 3;
});
// Arabic
add(['ar'], function (n) {
var m100 = n % 100;
if (!is_int(n)) {
return 5;
}
if (n === 0) {
return 0;
}
if (n === 1) {
return 1;
}
if (n === 2) {
return 2;
}
// few → n mod 100 in 3..10
if (3 <= m100 && m100 <= 10) {
return 3;
}
// many → n mod 100 in 11..99
if (11 <= m100 && m100 <= 99) {
return 4;
}
// other
return 5;
});
// Breton, Welsh
add(['br', 'cy'], function (n) {
if (n === 0) {
return 0;
}
if (n === 1) {
return 1;
}
if (n === 2) {
return 2;
}
if (n === 3) {
return 3;
}
if (n === 6) {
return 4;
}
return 5;
});
// FRACTIONAL PARTS - SPECIAL CASES
////////////////////////////////////////////////////////////////////////////////
// French, Fulah, Kabyle
add(['fr', 'ff', 'kab'], function (n) {
return (0 <= n && n < 2) ? 0 : 1;
});
// Langi
add(['lag'], function (n) {
return (n === 0) ? 0 : ((0 < n && n < 2) ? 1 : 2);
});
},{}]},{},[1])
(1)
});<|fim▁end|> | |
<|file_name|>geo.py<|end_file_name|><|fim▁begin|>from collections.abc import Sequence<|fim▁hole|>from .compound import All
class Latitude(All):
"""Validate the given value as a number between -90 and +90 in decimal degrees, representing latitude."""
validators = [
Instance(Number),
Range(-90, 90)
]
latitude = Latitude()
class Longitude(All):
"""Validate the given value as a number between -180 and +180 in decimal degrees, representing longitude."""
validators = [
Instance(Number),
Range(-180, 180)
]
longitude = Longitude()
class Position(All):
"""Validate the given value as any sequence of exactly two elements representing latitude and longitude."""
validators = [
Instance(Sequence),
Length(slice(2, 3)) # exactly two elements long
]
def validate(self, value, context=None):
value = super().validate(value, context)
_lat, _long = value
latitude.validate(_lat)
longitude.validate(_long)
return value
position = Position()<|fim▁end|> | from numbers import Number
from . import Validator, Length, Range, Instance |
<|file_name|>ios.py<|end_file_name|><|fim▁begin|># This code is part of Ansible, but is an independent component.
# This particular file snippet, and this file snippet only, is BSD licensed.
# Modules you write using this snippet, which is embedded dynamically by Ansible
# still belong to the author of the module, and may assign their own license
# to the complete work.
#
# (c) 2016 Red Hat Inc.
#
# Redistribution and use in source and binary forms, with or without modification,
# are permitted provided that the following conditions are met:
#
# * Redistributions of source code must retain the above copyright
# notice, this list of conditions and the following disclaimer.
# * Redistributions in binary form must reproduce the above copyright notice,
# this list of conditions and the following disclaimer in the documentation
# and/or other materials provided with the distribution.
#
# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND
# ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
# WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
# IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT,
# INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO,
# PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS
# INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT
# LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE
# USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
#
import json
from ansible.module_utils._text import to_text
from ansible.module_utils.basic import env_fallback, return_values
from ansible.module_utils.network.common.utils import to_list, ComplexList
from ansible.module_utils.connection import Connection, ConnectionError
_DEVICE_CONFIGS = {}
ios_provider_spec = {
'host': dict(),
'port': dict(type='int'),
'username': dict(fallback=(env_fallback, ['ANSIBLE_NET_USERNAME'])),
'password': dict(fallback=(env_fallback, ['ANSIBLE_NET_PASSWORD']), no_log=True),
'ssh_keyfile': dict(fallback=(env_fallback, ['ANSIBLE_NET_SSH_KEYFILE']), type='path'),
'authorize': dict(fallback=(env_fallback, ['ANSIBLE_NET_AUTHORIZE']), type='bool'),
'auth_pass': dict(fallback=(env_fallback, ['ANSIBLE_NET_AUTH_PASS']), no_log=True),
'timeout': dict(type='int')
}<|fim▁hole|>
ios_top_spec = {
'host': dict(removed_in_version=2.9),
'port': dict(removed_in_version=2.9, type='int'),
'username': dict(removed_in_version=2.9),
'password': dict(removed_in_version=2.9, no_log=True),
'ssh_keyfile': dict(removed_in_version=2.9, type='path'),
'authorize': dict(fallback=(env_fallback, ['ANSIBLE_NET_AUTHORIZE']), type='bool'),
'auth_pass': dict(removed_in_version=2.9, no_log=True),
'timeout': dict(removed_in_version=2.9, type='int')
}
ios_argument_spec.update(ios_top_spec)
def get_provider_argspec():
return ios_provider_spec
def get_connection(module):
if hasattr(module, '_ios_connection'):
return module._ios_connection
capabilities = get_capabilities(module)
network_api = capabilities.get('network_api')
if network_api == 'cliconf':
module._ios_connection = Connection(module._socket_path)
else:
module.fail_json(msg='Invalid connection type %s' % network_api)
return module._ios_connection
def get_capabilities(module):
if hasattr(module, '_ios_capabilities'):
return module._ios_capabilities
capabilities = Connection(module._socket_path).get_capabilities()
module._ios_capabilities = json.loads(capabilities)
return module._ios_capabilities
def check_args(module, warnings):
pass
def get_defaults_flag(module):
connection = get_connection(module)
out = connection.get('show running-config ?')
out = to_text(out, errors='surrogate_then_replace')
commands = set()
for line in out.splitlines():
if line.strip():
commands.add(line.strip().split()[0])
if 'all' in commands:
return ['all']
else:
return ['full']
def get_config(module, flags=None):
flag_str = ' '.join(to_list(flags))
try:
return _DEVICE_CONFIGS[flag_str]
except KeyError:
connection = get_connection(module)
out = connection.get_config(filter=flags)
cfg = to_text(out, errors='surrogate_then_replace').strip()
_DEVICE_CONFIGS[flag_str] = cfg
return cfg
def to_commands(module, commands):
spec = {
'command': dict(key=True),
'prompt': dict(),
'answer': dict()
}
transform = ComplexList(spec, module)
return transform(commands)
def run_commands(module, commands, check_rc=True):
responses = list()
connection = get_connection(module)
for cmd in to_list(commands):
if isinstance(cmd, dict):
command = cmd['command']
prompt = cmd['prompt']
answer = cmd['answer']
else:
command = cmd
prompt = None
answer = None
try:
out = connection.get(command, prompt, answer)
except ConnectionError as exc:
if check_rc:
module.fail_json(msg=to_text(exc))
else:
out = exc
try:
out = to_text(out, errors='surrogate_or_strict')
except UnicodeError:
module.fail_json(msg=u'Failed to decode output from %s: %s' % (cmd, to_text(out)))
responses.append(out)
return responses
def load_config(module, commands):
connection = get_connection(module)
try:
return connection.edit_config(commands)
except ConnectionError as exc:
module.fail_json(msg=to_text(exc))<|fim▁end|> | ios_argument_spec = {
'provider': dict(type='dict', options=ios_provider_spec),
} |
<|file_name|>Sqlite3Ex.cpp<|end_file_name|><|fim▁begin|>/*#include "StdAfx.h"*/
#include "Sqlite3Ex.h"
#include <string.h>
Sqlite3Ex::Sqlite3Ex(void) :m_pSqlite(NULL)
{
memset(m_szErrMsg, 0x00, ERRMSG_LENGTH);
}
Sqlite3Ex::~Sqlite3Ex(void)
{
}
bool Sqlite3Ex::Open(const wchar_t* szDbPath)
{
int nRet = sqlite3_open16(szDbPath, &m_pSqlite);
if (SQLITE_OK != nRet)
{
SetErrMsg(sqlite3_errmsg(m_pSqlite));
return false;
}
return true;
}
<|fim▁hole|>bool Sqlite3Ex::Close()
{
bool bRet = false;
if (SQLITE_OK == sqlite3_close(m_pSqlite))
{
bRet = true;
m_pSqlite = NULL;
}
return bRet;
}
bool Sqlite3Ex::CreateTable(const char* szTableName, int nColNum, Sqlite3ExColumnAttrib emColAttrib, ...)
{
if (NULL == szTableName || 0 == strlen(szTableName) || 0 >= nColNum)
{
SetErrMsg("Parameter is invalid.");
return false;
}
std::string strSql("CREATE TABLE ");
strSql += szTableName;
strSql += "(";
va_list ap;
va_start(ap, nColNum);
char szTmp[SQLITE3EX_COLSTRFORPARAM_LEN];
for (int i = 0; i != nColNum; ++i)
{
::memset(szTmp, 0x00, SQLITE3EX_COLSTRFORPARAM_LEN);
Sqlite3ExColumnAttrib & ta = va_arg(ap, Sqlite3ExColumnAttrib);
ta.GetStringForSQL(szTmp);
strSql += szTmp;
strSql += ",";
}
va_end(ap);
*(strSql.end() - 1) = ')';
return Sqlite3Ex_ExecuteNonQuery(strSql.c_str());
}
bool Sqlite3Ex::BegTransAction()
{
return Sqlite3Ex_ExecuteNonQuery("BEGIN TRANSACTION");
}
bool Sqlite3Ex::EndTransAction()
{
return Sqlite3Ex_ExecuteNonQuery("END TRANSACTION");
}
bool Sqlite3Ex::Sqlite3Ex_Exec(const char* szQuery, LPEXEC_CALLBACK callback, void* pFirstParam)
{
char* szErrMsg = NULL;
int nRet = sqlite3_exec(m_pSqlite, szQuery, callback, pFirstParam, &szErrMsg);
if (SQLITE_OK != nRet)
{
SetErrMsg(szErrMsg);
sqlite3_free(szErrMsg);
return false;
}
return true;
}
bool Sqlite3Ex::GetTableNames(std::vector<std::string> & vecTableNames)
{
char* szErrMsg = NULL;
char** pRetData = NULL;
int nRow, nCol;
int nRet = sqlite3_get_table(m_pSqlite,
"SELECT name FROM sqlite_master WHERE type='table'",
&pRetData, &nRow, &nCol, &szErrMsg);
if (SQLITE_OK != nRet)
{
SetErrMsg(szErrMsg);
sqlite3_free(szErrMsg);
return false;
}
vecTableNames.resize(nRow);
for (int i = 1; i <= nRow; ++i)
//i´Ó1¿ªÊ¼,ÒÔΪË÷Òý0´¦µÄ¹Ì¶¨ÖµÊÇ"name"
vecTableNames[i - 1] = pRetData[i];
sqlite3_free_table(pRetData);
return true;
}
//////////////////////////////////////////////////////////////////////////
int Sqlite3Ex::ExecuteReader_CallBack(void* pFirstParam, int iColNum, char** pRecordArr, char** pColNameArr)
{
if (iColNum <= 0)
return 0;
Sqlite3Ex_Reader* pReader = (Sqlite3Ex_Reader*)pFirstParam;
if (NULL == pReader)
return 0;
std::vector<std::string>* pVecLine = new std::vector<std::string>;
pVecLine->resize(iColNum);
for (int i = 0; i != iColNum; ++i)
(*pVecLine)[i] = pRecordArr[i];
pReader->m_vecResult.push_back(pVecLine);
return 0;
}
bool Sqlite3Ex::Sqlite3Ex_ExecuteReader(const char* szQuery, Sqlite3Ex_Reader* pReader)
{
char* szErrMsg = NULL;
if (SQLITE_OK == sqlite3_exec(m_pSqlite, szQuery, ExecuteReader_CallBack, (void*)pReader, &szErrMsg))
return true;
SetErrMsg(szErrMsg);
sqlite3_free(szErrMsg);
return false;
}
bool Sqlite3Ex::Sqlite3Ex_ExecuteNonQuery(const char* szQuery)
{
char* szErrMsg = NULL;
if (SQLITE_OK == sqlite3_exec(m_pSqlite, szQuery, NULL, NULL, &szErrMsg))
return true;
SetErrMsg(szErrMsg);
sqlite3_free(szErrMsg);
return false;
}
bool Sqlite3Ex::IsOpen()
{
if (!m_pSqlite)
return false;
return true;
}
//////////////////////////////////////////////////////////////////////////<|fim▁end|> | |
<|file_name|>func.cpp<|end_file_name|><|fim▁begin|>#include <iostream>
#include <cstdlib>
#include <vector>
#include <fstream>
#include "strings.cpp"
#define NAMEFILE "./names.txt"
#define JOBFILE "./jobs.txt"
#define TRIM (after(buffer,':'))
//Define global variables
vector<string> femaleNames;
vector<string> maleNames;
vector<string> lastNames;
/*
//!Return number between floor and ceiling
int ranNum(int floor, int ceiling)
{
return (floor + (rand()%ceiling)) - 1;
}
*/
int ranNum(int min, int max)
{
return (rand() % (max - min + 1)) + min;
}
void loadNames()
{
string buffer;
ifstream in(NAMEFILE);
for(int i = 0; getline(in,buffer); i++)
{
if(buffer.find("female")!=-1)
femaleNames.push_back(TRIM);
else if(buffer.find("male")!=-1)<|fim▁hole|> else if(buffer.find("last:")!=-1)
lastNames.push_back(TRIM);
else break;
}
}
string name(unsigned int t)
{
loadNames();
switch(t)
{
case 0:
//return maleNames[(ranNum(1,maleNames.capacity()))];
return maleNames[(ranNum(1,maleNames.size()))];
case 1:
//return femaleNames[(ranNum(1,femaleNames.capacity()))];
return femaleNames[(ranNum(1,femaleNames.size()))];
case 2:
//return lastNames[(ranNum(1,lastNames.capacity()))];
return lastNames[(ranNum(1,lastNames.size()))];
default:
break;
}
return "";
}
void getJob(string title, unsigned int salary)
{
title = "TEST";
salary = 69;
cout << "gottajob" << endl;
}<|fim▁end|> | maleNames.push_back(TRIM); |
<|file_name|>page.py<|end_file_name|><|fim▁begin|>from element import BasePageElement
from locators import PageFooterLocators
from selenium.webdriver.common.action_chains import ActionChains
class BasePage(object):
def __init__(self, driver):
self.driver = driver
class FooterPage(BasePage):
def is_copyright_matches(self):
return "Lauren Nicole Smith 2015" in self.driver.page_source
def click_github_button(self):
element = self.driver.find_element(*PageFooterLocators.GET_GITHUB_BUTTON)
element.click()
return "https://github.com/technolotrix" in self.driver.current_url
def click_linkedin_button(self):
element = self.driver.find_element(*PageFooterLocators.GET_LINKEDIN_BUTTON)
element.click()
return "https://www.linkedin.com/in/nicolelns" in self.driver.current_url
def click_twitter_button(self):
element = self.driver.find_element(*PageFooterLocators.GET_TWITTER_BUTTON)
element.click()<|fim▁hole|> element = self.driver.find_element(*PageFooterLocators.GET_GPLUS_BUTTON)
element.click()
return "" in self.driver.current_url
def click_html5up_link(self):
element = self.driver.find_element(*PageFooterLocators.GET_HTML5UP_LINK)
element.click()
return "http://html5up.net" in self.driver.current_url<|fim▁end|> | return "" in self.driver.current_url
def click_gplus_button(self): |
<|file_name|>mcdonalds_il.py<|end_file_name|><|fim▁begin|># -*- coding: utf-8 -*-
import scrapy
import json
import re
from locations.items import GeojsonPointItem
class McDonalsILSpider(scrapy.Spider):
name = "mcdonalds_il"
allowed_domains = ["www.mcdonalds.co.il"]
start_urls = (
'https://www.mcdonalds.co.il/%D7%90%D7%99%D7%AA%D7%95%D7%A8_%D7%9E%D7%A1%D7%A2%D7%93%D7%94',
)
def store_hours(self, data):
day_groups = []
this_day_group = {}
weekdays = ['Su', 'Mo', 'Th', 'We', 'Tu', 'Fr', 'Sa']
for day_hour in data:
if day_hour['idx'] > 7:
continue
hours = ''
start, end = day_hour['value'].split("-")[0].strip(), day_hour['value'].split("-")[1].strip()
short_day = weekdays[day_hour['idx'] - 1]
hours = '{}:{}-{}:{}'.format(start[:2], start[3:], end[:2], end[3:])
if not this_day_group:
this_day_group = {
'from_day': short_day,<|fim▁hole|> 'hours': hours,
}
elif hours == this_day_group['hours']:
this_day_group['to_day'] = short_day
elif hours != this_day_group['hours']:
day_groups.append(this_day_group)
this_day_group = {
'from_day': short_day,
'to_day': short_day,
'hours': hours,
}
day_groups.append(this_day_group)
if not day_groups:
return None
opening_hours = ''
if len(day_groups) == 1 and not day_groups[0]:
return None
if len(day_groups) == 1 and day_groups[0]['hours'] in ('00:00-23:59', '00:00-00:00'):
opening_hours = '24/7'
else:
for day_group in day_groups:
if day_group['from_day'] == day_group['to_day']:
opening_hours += '{from_day} {hours}; '.format(**day_group)
else:
opening_hours += '{from_day}-{to_day} {hours}; '.format(**day_group)
opening_hours = opening_hours [:-2]
return opening_hours
def parse_Ref(self, data):
match = re.search(r'store_id=(.*\d)', data)
ref = match.groups()[0]
return ref
def parse_name(self, name):
name = name.xpath('//h1/text()').extract_first()
return name.strip()
def parse_latlon(self, data):
lat = lon = ''
data = data.xpath('//div[@id="map"]')
lat = data.xpath('//@data-lat').extract_first()
lon = data.xpath('//@data-lng').extract_first()
return lat, lon
def parse_phone(self, phone):
phone = phone.xpath('//div[@class="padding_hf_v sp_padding_qt_v"]/a/text()').extract_first()
if not phone:
return ""
return phone.strip()
def parse_address(self, address):
address = address.xpath('//h2/strong/text()').extract_first()
return address.strip()
def parse_store(self, response):
data = response.body_as_unicode()
name = self.parse_name(response)
address = self.parse_address(response)
phone = self.parse_phone(response)
lat, lon = self.parse_latlon(response)
properties = {
'ref': response.meta['ref'],
'phone': phone,
'lon': lon,
'lat': lat,
'name': name,
'addr_full': address
}
yield GeojsonPointItem(**properties)
def parse(self, response):
stores = response.xpath('//div[@class="store_wrap link"]/a/@href').extract()
for store in stores:
ref = self.parse_Ref(store)
yield scrapy.Request('https:' + store, meta={'ref': ref}, callback=self.parse_store)<|fim▁end|> | 'to_day': short_day, |
<|file_name|>setup.py<|end_file_name|><|fim▁begin|>"""A setuptools based setup module.
See:
https://packaging.python.org/en/latest/distributing.html
https://github.com/pypa/sampleproject
"""
# Always prefer setuptools over distutils
from setuptools import setup, find_packages
# To use a consistent encoding
from codecs import open
from os import path
here = path.abspath(path.dirname(__file__))
# Get the version number from __init__.py
from sqrlserver import __version__
# Get the long description from the README file
with open(path.join(here, 'README.rst'), encoding='utf-8') as f:
long_description = f.read()
setup(
name='sqrlserver',
# Versions should comply with PEP440. For a discussion on single-sourcing
# the version across setup.py and the project code, see
# https://packaging.python.org/en/latest/single_source_version.html
version=__version__,
description='Support library for processing SQRL requests',
long_description=long_description,
# The project's main homepage.
url='https://github.com/Perlkonig/sqrlserver-python',
# Author details
author='Aaron Dalton',
author_email='[email protected]',
# Choose your license
license='MIT',
# See https://pypi.python.org/pypi?%3Aaction=list_classifiers
classifiers=[
# How mature is this project? Common values are
# 3 - Alpha
# 4 - Beta
# 5 - Production/Stable
'Development Status :: 4 - Beta',
# Indicate who your project is intended for
'Intended Audience :: Developers',
'Topic :: Security :: Cryptography',
'Topic :: Software Development :: Libraries :: Python Modules',
'Topic :: System :: Systems Administration :: Authentication/Directory',
'Topic :: Utilities',
# Pick your license as you wish (should match "license" above)
'License :: OSI Approved :: MIT License',
# Specify the Python versions you support here. In particular, ensure
# that you indicate whether you support Python 2, Python 3 or both.
'Programming Language :: Python',
'Programming Language :: Python :: 3',
'Programming Language :: Python :: 3.3',
'Programming Language :: Python :: 3.4',
'Programming Language :: Python :: 3.5',
],
# What does your project relate to?
keywords='SQRL authentication crypotgraphy signature verification',
# You can just specify the packages manually here if your project is
# simple. Or you can use find_packages().
packages=find_packages(exclude=['contrib', 'docs', 'tests']),
# Alternatively, if you want to distribute just a my_module.py, uncomment
# this:
# py_modules=["my_module"],
# List run-time dependencies here. These will be installed by pip when
# your project is installed. For an analysis of "install_requires" vs pip's
# requirements files see:
# https://packaging.python.org/en/latest/requirements.html
install_requires=[
'bitstring',
'pynacl',
],
# List additional groups of dependencies here (e.g. development
# dependencies). You can install these using the following syntax,
# for example:
# $ pip install -e .[dev,test]
extras_require={
'dev': ['check-manifest'],
'test': ['coverage'],
},
setup_requires=['pytest-runner'],
tests_require=['pytest'],
# If there are data files included in your packages that need to be
# installed, specify them here. If using Python 2.6 or less, then these
# have to be included in MANIFEST.in as well.
# package_data={
# 'sample': ['package_data.dat'],
# },<|fim▁hole|> # need to place data files outside of your packages. See:
# http://docs.python.org/3.4/distutils/setupscript.html#installing-additional-files # noqa
# In this case, 'data_file' will be installed into '<sys.prefix>/my_data'
#data_files=[('my_data', ['data/data_file'])],
# To provide executable scripts, use entry points in preference to the
# "scripts" keyword. Entry points provide cross-platform support and allow
# pip to create the appropriate form of executable for the target platform.
# entry_points={
# 'console_scripts': [
# 'sample=sample:main',
# ],
# },
)<|fim▁end|> |
# Although 'package_data' is the preferred approach, in some case you may |
<|file_name|>microsoft.py<|end_file_name|><|fim▁begin|>import base64
import json
import requests
def call_vision_api(image_filename, api_keys):
api_key = api_keys['microsoft']
post_url = "https://api.projectoxford.ai/vision/v1.0/analyze?visualFeatures=Categories,Tags,Description,Faces,ImageType,Color,Adult&subscription-key=" + api_key
image_data = open(image_filename, 'rb').read()
result = requests.post(post_url, data=image_data, headers={'Content-Type': 'application/octet-stream'})
result.raise_for_status()
return result.text
# Return a dictionary of features to their scored values (represented as lists of tuples).
# Scored values must be sorted in descending order.
#
# {
# 'feature_1' : [(element, score), ...],
# 'feature_2' : ...
# }
#
# E.g.,
#
# {
# 'tags' : [('throne', 0.95), ('swords', 0.84)],
# 'description' : [('A throne made of pointy objects', 0.73)]
# }
#
def get_standardized_result(api_result):
output = {
'tags' : [],
'captions' : [],
# 'categories' : [],
# 'adult' : [],
# 'image_types' : []
# 'tags_without_score' : {}
}
for tag_data in api_result['tags']:<|fim▁hole|> output['tags'].append((tag_data['name'], tag_data['confidence']))
for caption in api_result['description']['captions']:
output['captions'].append((caption['text'], caption['confidence']))
# for category in api_result['categories']:
# output['categories'].append(([category['name'], category['score']))
# output['adult'] = api_result['adult']
# for tag in api_result['description']['tags']:
# output['tags_without_score'][tag] = 'n/a'
# output['image_types'] = api_result['imageType']
return output<|fim▁end|> | |
<|file_name|>test.py<|end_file_name|><|fim▁begin|>import unittest
import broccoli.parser
class BroccoliTest(unittest.TestCase):
def test_job_creation(self):
config = broccoli.parser.parse('input.json')
job = broccoli.job.Job(config)
self.assertEqual(job.name, 'Job1')
self.assertEqual(job.description, 'Job1 Description')
self.assertIsNotNone(job.get_tasks())
self.assertEqual(len(job.get_tasks()), 2)
task = job.get_tasks().get(0)
self.assertEqual(task.name, 'Task1')
self.assertEqual(task.description, 'Task1 Description')
self.assertIsNotNone(task.get_sub_tasks())
self.assertIsNotNone(task.get_children())
if __name__ == '__main__':<|fim▁hole|><|fim▁end|> | unittest.main() |
<|file_name|>setup.py<|end_file_name|><|fim▁begin|>from setuptools import setup, find_packages
version = "6.3.0"
with open("requirements.txt", "r") as f:
install_requires = f.readlines()
setup(
name='frappe',
version=version,
description='Metadata driven, full-stack web framework',
author='Frappe Technologies',
author_email='[email protected]',
packages=find_packages(),
zip_safe=False,<|fim▁hole|> include_package_data=True,
install_requires=install_requires
)<|fim▁end|> | |
<|file_name|>simple.py<|end_file_name|><|fim▁begin|># Copyright (c) 2010, Mats Kindahl, Charles Bell, and Lars Thalmann<|fim▁hole|>#
# Use of this source code is goverened by a BSD licence that can be
# found in the LICENCE file.
from mysql.replicant.server import Server
from mysql.replicant.common import User
from mysql.replicant.machine import Linux
from mysql.replicant.roles import Master, Final
import time, os.path
class MultiLinux(Linux):
"""Class to handle the case where there are multiple servers
running at the same box, all managed by mysqld_multi."""
def __init__(self, number):
self.__number = number
def stop_server(self, server):
server.ssh(["mysqld_multi", "stop", str(self.__number)])
pidfile = ''.join("/var/run/mysqld", server.name, ".pid")
while os.path.exists(pidfile):
time.sleep(1)
def start_server(self, server):
import time
print "Starting server...",
server.ssh(["mysqld_multi", "start", str(self.__number)])
time.sleep(1) # Need some time for server to start
print "done"
_replicant_user = User("mysql_replicant")
_repl_user = User("repl_user", "xyzzy")
def _cnf(name):
test_dir = os.path.dirname(os.path.abspath(__file__))
return os.path.join(test_dir, '..', name + ".cnf")
master = Server(server_id=1, name="mysqld1",
sql_user=_replicant_user,
ssh_user=User("mysql"),
machine=Linux(), role=Master(_repl_user),
port=3307,
socket='/var/run/mysqld/mysqld1.sock',
defaults_file=_cnf("mysqld1"),
config_section="mysqld1")
slaves = [Server(server_id=2, name="mysqld2",
sql_user=_replicant_user,
ssh_user=User("mysql"),
machine=Linux(), role=Final(master),
port=3308,
socket='/var/run/mysqld/mysqld2.sock',
defaults_file=_cnf("mysqld2"),
config_section="mysqld2"),
Server(server_id=3, name="mysqld3",
sql_user=_replicant_user,
ssh_user=User("mysql"),
machine=Linux(), role=Final(master),
port=3309,
socket='/var/run/mysqld/mysqld3.sock',
defaults_file=_cnf("mysqld3"),
config_section="mysqld3"),
Server(server_id=4, name="mysqld4",
sql_user=_replicant_user,
ssh_user=User("mysql"),
machine=Linux(), role=Final(master),
port=3310,
socket='/var/run/mysqld/mysqld4.sock',
defaults_file=_cnf("mysqld4"),
config_section="mysqld4")]
servers = [master] + slaves<|fim▁end|> | # All rights reserved. |
<|file_name|>types_.py<|end_file_name|><|fim▁begin|>#!/usr/bin/env python
import collections
def read_only(self, name, val):
raise ValueError('not supported')
class SimpleObject(object):
def __init__(self, a, b, c):
self.a = a
self.b = b
self.b = c
class SimpleObjectImmutable(object):
def __init__(self, a, b, c):
self.a = a
self.b = b
self.b = c
<|fim▁hole|>NamedTuple = collections.namedtuple('NamedTuple', ['a', 'b', 'c',])
def SimpleTuple(a, b, c): return (a, b, c)
from types_c import c_struct<|fim▁end|> | |
<|file_name|>EventDispatchForbiddenScope.cpp<|end_file_name|><|fim▁begin|>// Copyright 2015 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "config.h"<|fim▁hole|>namespace blink {
#if ENABLE(ASSERT)
unsigned EventDispatchForbiddenScope::s_count = 0;
#endif // ENABLE(ASSERT)
} // namespace blink<|fim▁end|> | #include "platform/EventDispatchForbiddenScope.h"
|
<|file_name|>update_lib_doc.py<|end_file_name|><|fim▁begin|>#!/usr/bin/env python
# -*- coding: utf-8 -*-
# HORTON: Helpful Open-source Research TOol for N-fermion systems.
# Copyright (C) 2011-2016 The HORTON Development Team
#
# This file is part of HORTON.
#
# HORTON is free software; you can redistribute it and/or
# modify it under the terms of the GNU General Public License
# as published by the Free Software Foundation; either version 3
# of the License, or (at your option) any later version.
#
# HORTON 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 General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program; if not, see <http://www.gnu.org/licenses/>
#
# --
import importlib, os
from glob import glob
from cStringIO import StringIO
from common import write_if_changed
def discover():
# find packages
packages = {'horton': []}
for fn in glob('../horton/*/__init__.py'):
subpackage = fn.split('/')[2]
if subpackage == 'test':
continue<|fim▁hole|> for package, modules in packages.iteritems():
stub = package.replace('.', '/')
for fn in sorted(glob('../%s/*.py' % stub) + glob('../%s/*.so' % stub)):
module = fn.split('/')[-1][:-3]
if module == '__init__':
continue
modules.append(module)
for fn in sorted(glob('../%s/*.h' % stub)):
module = fn.split('/')[-1]
modules.append(module)
return packages
def get_first_docline(module):
m = importlib.import_module(module)
if m.__doc__ is not None:
lines = m.__doc__.split('\n')
if len(lines) > 0:
return lines[0]
return 'FIXME! Write module docstring.'
def get_first_doxygenline(fn_h):
with open('../%s' % fn_h) as f:
for line in f:
if line.startswith('// UPDATELIBDOCTITLE:'):
return line[21:].strip()
raise IOError('UPDATELIBDOCTITLE missing in %s' % fn_h)
def underline(line, char, f):
print >> f, line
print >> f, char*len(line)
print >> f
def write_disclaimer(f):
print >> f, '..'
print >> f, ' This file is automatically generated. Do not make '
print >> f, ' changes as these will be overwritten. Rather edit '
print >> f, ' the documentation in the source code.'
print >> f
def main():
packages = discover()
# Write new/updated rst files if needed
fns_rst = []
for package, modules in sorted(packages.iteritems()):
# write the new file to a StringIO
f1 = StringIO()
write_disclaimer(f1)
underline('``%s`` -- %s' % (package, get_first_docline(package)), '#', f1)
print >> f1
print >> f1, '.. automodule::', package
print >> f1, ' :members:'
print >> f1
print >> f1, '.. toctree::'
print >> f1, ' :maxdepth: 1'
print >> f1, ' :numbered:'
print >> f1
for module in modules:
f2 = StringIO()
write_disclaimer(f2)
if module.endswith('.h'):
#full = package + '/' + module
fn_h = package.replace('.', '/') + '/' + module
underline('``%s`` -- %s' % (fn_h, get_first_doxygenline(fn_h)), '#', f2)
print >> f2, '.. doxygenfile::', fn_h
print >> f2, ' :project: horton'
print >> f2
print >> f2
else:
full = package + '.' + module
underline('``%s`` -- %s' % (full, get_first_docline(full)), '#', f2)
print >> f2, '.. automodule::', full
print >> f2, ' :members:'
print >> f2
print >> f2
# write if the contents have changed
rst_name = 'mod_%s_%s' % (package.replace('.', '_'), module.replace('.', '_'))
fn2_rst = 'lib/%s.rst' % rst_name
fns_rst.append(fn2_rst)
write_if_changed(fn2_rst, f2.getvalue())
print >> f1, ' %s' % rst_name
# write if the contents have changed
fn1_rst = 'lib/pck_%s.rst' % package.replace('.', '_')
fns_rst.append(fn1_rst)
write_if_changed(fn1_rst, f1.getvalue())
# Remove other rst files
for fn_rst in glob('lib/*.rst'):
if fn_rst not in fns_rst:
print 'Removing %s' % fn_rst
os.remove(fn_rst)
if __name__ == '__main__':
main()<|fim▁end|> | packages['horton.%s' % subpackage] = []
# find modules |
<|file_name|>validation.py<|end_file_name|><|fim▁begin|># -*- coding: utf-8 -*-
"""
Validators for UI
@author: Jan Gabriel
@contact: [email protected]
"""
from enum import Enum
from PyQt5.QtGui import QColor
from PyQt5 import QtWidgets
class ValidationColors(Enum):
"""
Holds colors for form validation.
"""
white = QColor("#ffffff")
red = QColor("#f6989d")
grey = QColor("#A0A0A0")
class ValidationColorizer:
"""
Provides simple coloring capability.
"""
@classmethod
def colorize(cls, field, color):
"""
Color background of the field with specified color.
:param field: Field handler.
:param color: Desired color.
:return:
"""
color_name = color.name()
class_name = field.__class__.__name__
field.setStyleSheet('%s { background-color: %s }' % (
class_name, color_name))
@classmethod
def colorize_frame(cls, field, color):
"""
Color border of the field with specified color.
:param field: Field handler.
:param color: Desired color.
:return:
"""
color_name = color.name()
class_name = field.__class__.__name__
field.setStyleSheet('%s { border: 1px solid %s; border-radius: 3px; }' % (
class_name, color_name))
@classmethod
def colorize_default(cls, field):
"""
Convenience method for white coloring.
:param field: Field handler.
:return:
"""
if isinstance( field, QtWidgets.QLineEdit):
cls.colorize(field, ValidationColors.white.value)
if isinstance( field, QtWidgets.QComboBox):
cls.colorize_frame(field, ValidationColors.grey.value)
@classmethod
def colorize_red(cls, field):
"""
Convenience method for red coloring.
:param field: Field handler.
:return:
"""
if isinstance( field, QtWidgets.QLineEdit):
cls.colorize(field, ValidationColors.red.value)
if isinstance( field, QtWidgets.QComboBox):
cls.colorize_frame(field, ValidationColors.red.value)
class PresetsValidationColorizer():
"""validator for controls in preset."""
def __init__(self):
self.controls={}
"""dictionary of validated controls"""
def add(self, key, control):
"""add control for validation"""
self.controls[key] = control
def colorize(self, errors):
"""Colorized associated control and return if any control was colorized"""
valid = True
for key, control in self.controls.items():
if key in errors:<|fim▁hole|> ValidationColorizer.colorize_red(control)
valid = False
else:
ValidationColorizer.colorize_default(control)
control.setToolTip("")
return valid
def reset_colorize(self):
"""Colorized associated control to white"""
for key, control in self.controls.items():
ValidationColorizer.colorize_default(control)
control.setToolTip("")
def connect(self, validation_func):
"""Colorized associated control to white"""
for key, control in self.controls.items():
if isinstance( control, QtWidgets.QLineEdit):
control.editingFinished.connect(validation_func)
if isinstance( control, QtWidgets.QComboBox):
control.currentIndexChanged.connect(validation_func)<|fim▁end|> | control.setToolTip(errors[key]) |
<|file_name|>sass.js<|end_file_name|><|fim▁begin|>var gulp = require('gulp');
var sass = require('gulp-sass');
var auto = require('gulp-autoprefixer');<|fim▁hole|>gulp.task('scss', function() {
return gulp.src('src/scss/*.scss')
.pipe(plumber())
.pipe(sass())
.pipe(sourcemaps.init())
.pipe(auto())
.pipe(sourcemaps.write('.'))
.pipe(gulp.dest('pub/css'))
.pipe(browserSync.reload({
stream: true
}))
});<|fim▁end|> | var sourcemaps = require('gulp-sourcemaps');
var browserSync = require('browser-sync').create();
var plumber = require('gulp-plumber');
|
<|file_name|>ParameterUI.js<|end_file_name|><|fim▁begin|>/* Copyright (c) Business Objects 2006. All rights reserved. */
/*
================================================================================
ParameterUI
Widget for displaying and editing parameter values. Contains one or many
ParameterValueRows and, optionally, UI that allows rows to be added.
================================================================================
*/
bobj.crv.params.newParameterUI = function(kwArgs) {
kwArgs = MochiKit.Base.update({
id: bobj.uniqueId(),
canChangeOnPanel: false,
allowCustom: false,
isPassword : false,
isReadOnlyParam: true,
allowRange : false,
values: [],
defaultValues: null,
width: '200px',
changeValueCB: null,
enterPressCB: null,
openAdvDialogCB: null,
maxNumParameterDefaultValues: 200,
tooltip : null,
calendarProperties : {displayValueFormat : '' , isTimeShown : false, hasButton : false, iconUrl : ''},
maxNumValuesDisplayed : 7,
canOpenAdvDialog : false
}, kwArgs);
var o = newWidget(kwArgs.id);
// Update instance with constructor arguments
bobj.fillIn(o, kwArgs);
o.displayAllValues = false;
// Update instance with member functions
MochiKit.Base.update(o, bobj.crv.params.ParameterUI);
o._createMenu();
o._rows = [];
o._infoRow = new bobj.crv.params.ParameterInfoRow(o.id);
return o;
};
bobj.crv.params.ParameterUI = {
/**
* Creates single menubar for all parameter value rows of current param UI
*/
_createMenu : function() {
var dvLength = this.defaultValues.length;
if (dvLength > 0) {
var kwArgs = {
originalValues : this.defaultValues
};
if (dvLength == this.maxNumParameterDefaultValues) {
kwArgs.originalValues[this.maxNumParameterDefaultValues] = L_bobj_crv_ParamsMaxNumDefaultValues;
MochiKit.Base.update (kwArgs, {
openAdvDialogCB : this.openAdvDialogCB,
maxNumParameterDefaultValues : this.maxNumParameterDefaultValues
});
}
this._defaultValuesMenu = bobj.crv.params.newScrollMenuWidget (kwArgs);
} else {
this._defaultValuesMenu = null;
}
},
setFocusOnRow : function(rowIndex) {
var row = this._rows[rowIndex];
if (row)
row.focus ();
},
/*
* Disables tabbing if dis is true
*/
setTabDisabled : function(dis) {
for(var i = 0, len = this._rows.length; i < len; i++) {
this._rows[i].setTabDisabled(dis);
}
this._infoRow.setTabDisabled(dis);
},
init : function() {
Widget_init.call (this);
var rows = this._rows;
for ( var i = 0, len = rows.length; i < len; ++i) {
rows[i].init ();
}
MochiKit.Signal.connect(this._infoRow, "switch", this, '_onSwitchDisplayAllValues');
this.refreshUI ();
},
/**
* Processes actions triggered by clicks on "x more values" or "collapse" button displayed in inforow
*/
_onSwitchDisplayAllValues: function() {
this.displayAllValues = !this.displayAllValues;
var TIME_INTERVAL = 10; /* 10 msec or 100 actions per second */
var timerIndex = 0;
if(this.displayAllValues) {
if (this.values.length > this._rows.length) {
for(var i = this._rows.length, l = this.values.length; i < l; i++) {
var addRow = function(paramUI, value) {
return function() { return paramUI._addRow(value); };
};
timerIndex++;
setTimeout(addRow(this, this.values[i]), TIME_INTERVAL * timerIndex);
}
}
}
else {
if(this._rows.length > this.maxNumValuesDisplayed) {
for(var i = this._rows.length -1; i >= this.maxNumValuesDisplayed; i--) {
var deleteRow = function(paramUI, rowIndex) {
return function() { return paramUI.deleteValue(rowIndex); };
};
timerIndex++;
setTimeout(deleteRow(this, i), TIME_INTERVAL * timerIndex);
}
}
}
var signalResize = function(paramUI) {
return function() {MochiKit.Signal.signal(paramUI, 'ParameterUIResized'); };
};
setTimeout(signalResize(this), TIME_INTERVAL * timerIndex);
},
getHTML : function() {
var rowsHtml = '';
var values = this.values;
var rows = this._rows;
var rowsCount = Math.min (values.length, this.maxNumValuesDisplayed);
for ( var i = 0; i < rowsCount; ++i) {
rows.push (this._getRow (values[i]));
rowsHtml += rows[i].getHTML ();
}
return bobj.html.DIV ( {
id : this.id,
style : {
width : bobj.unitValue (this.width),
'padding-left' : '20px'
}
}, rowsHtml);
},
_getNewValueRowArgs : function(value) {
return {
value : value,
defaultValues : this.defaultValues,
width : this.width,
isReadOnlyParam : this.isReadOnlyParam,
canChangeOnPanel : this.canChangeOnPanel,
allowCustom : this.allowCustom,
isPassword : this.isPassword,
calendarProperties : this.calendarProperties,
defaultValuesMenu : this._defaultValuesMenu,
tooltip : this.tooltip,
isRangeValue : this.allowRange,
canOpenAdvDialog : this.canOpenAdvDialog
};
},
_getNewValueRowConstructor : function() {
return bobj.crv.params.newParameterValueRow;
},
_getRow : function(value) {
var row = this._getNewValueRowConstructor()(this._getNewValueRowArgs(value));
var bind = MochiKit.Base.bind;
row.changeCB = bind(this._onChangeValue, this, row);
row.enterCB = bind(this._onEnterValue, this, row);
return row;
},
_addRow : function(value) {
var row = this._getRow (value);
this._rows.push (row);
append (this.layer, row.getHTML ());
row.init ();
this.refreshUI ();
return row;
},
_onChangeValue : function(row) {
if (this.changeValueCB) {
this.changeValueCB (this._getRowIndex (row), row.getValue ());
}
},
_onEnterValue : function(row) {
if (this.enterPressCB) {
this.enterPressCB (this._getRowIndex (row));
}
},
_getRowIndex : function(row) {
if (row) {
var rows = this._rows;
for ( var i = 0, len = rows.length; i < len; ++i) {
if (rows[i] === row) {
return i;
}
}
}
return -1;
},
getNumValues : function() {
return this._rows.length;
},
refreshUI : function() {
if (this.allowRange)
this.alignRangeRows ();
var displayInfoRow = false;
var infoRowText = "";
if (this.values.length > this.maxNumValuesDisplayed) {
displayInfoRow = true;
if(this.displayAllValues)
infoRowText = L_bobj_crv_Collapse;
else {
var hiddenValuesCount = this.values.length - this.maxNumValuesDisplayed;
infoRowText = (hiddenValuesCount == 1) ? L_bobj_crv_ParamsMoreValue : L_bobj_crv_ParamsMoreValues;
infoRowText = infoRowText.replace ("%1", hiddenValuesCount);
}
}
this._infoRow.setText (infoRowText);
this._infoRow.setVisible (displayInfoRow);
},
getValueAt : function(index) {
var row = this._rows[index];
if (row) {
return row.getValue ();
}
return null;
},
getValues : function() {
var values = [];
for ( var i = 0, len = this._rows.length; i < len; ++i) {
values.push (this._rows[i].getValue ());
}
return values;
},
setValueAt : function(index, value) {
var row = this._rows[index];
if (row) {
row.setValue (value);
}
this.refreshUI ();
},
resetValues : function(values) {
if (!values) {
return;
}
this.values = values;
var valuesLen = values.length;
var rowsLen = this._rows.length;
//Resets value
for ( var i = 0; i < valuesLen && i < rowsLen; ++i) {
this._rows[i].reset (values[i]);
}
//removes newly added values that are not commited
if (rowsLen > valuesLen) {
for ( var i = rowsLen - 1; i >= valuesLen; --i) {
// delete from the end to minimize calls to setBgColor
this.deleteValue (i);
}
}
//re-adds removed values
else if (valuesLen > rowsLen) {
for ( var i = rowsLen; i < valuesLen && (this.displayAllValues || i < this.maxNumValuesDisplayed); ++i) {
var row = this._addRow (values[i]);
}
}
MochiKit.Signal.signal(this, 'ParameterUIResized');
this.refreshUI ();
},
alignRangeRows : function() {
if (!this.allowRange)
return;
var lowerBoundWidth = 0;
for ( var i = 0, l = this._rows.length; i < l; i++) {
var row = this._rows[i];
var rangeField = row._valueWidget;
lowerBoundWidth = Math.max (lowerBoundWidth, rangeField.getLowerBoundValueWidth ());
}
<|fim▁hole|> for ( var i = 0, l = this._rows.length; i < l; i++) {
var row = this._rows[i];
var rangeField = row._valueWidget;
rangeField.setLowerBoundValueWidth (lowerBoundWidth);
}
},
setValues : function(values) {
if (!values)
return;
this.values = values;
var valuesLen = values.length;
var rowsLen = this._rows.length;
for ( var i = 0; i < valuesLen && i < rowsLen; ++i) {
this._rows[i].setValue (values[i]);
}
if (rowsLen > valuesLen) {
for ( var i = rowsLen - 1; i >= valuesLen; --i) {
// delete from the end to minimize calls to setBgColor
this.deleteValue (i);
}
} else if (valuesLen > rowsLen) {
for ( var i = rowsLen; i < valuesLen && (this.displayAllValues || i < this.maxNumValuesDisplayed); ++i) {
this._addRow (values[i]);
}
}
MochiKit.Signal.signal(this, 'ParameterUIResized');
this.refreshUI ();
},
setCleanValue : function(index, value) {
var row = this._rows[index];
if (row)
row.setCleanValue (value);
},
deleteValue : function(index) {
if (index >= 0 && index < this._rows.length) {
var row = this._rows[index];
row.layer.parentNode.removeChild (row.layer);
_widgets[row.widx] = null;
this._rows.splice (index, 1);
var rowsLen = this._rows.length;
}
this.refreshUI ();
},
setWarning : function(index, warning) {
var row = this._rows[index];
if (row) {
row.setWarning (warning);
}
},
getWarning : function(index) {
var row = this._rows[index];
if (row)
return row.getWarning ();
return null;
},
resize : function(w) {
if (w !== null) {
this.width = w;
if (this.layer) {
bobj.setOuterSize (this.layer, w);
}
}
}
};<|fim▁end|> | |
<|file_name|>ChangePasswordResult.py<|end_file_name|><|fim▁begin|>#!/usr/bin/env python
"""
Copyright 2012 GroupDocs.<|fim▁hole|> you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
"""
class ChangePasswordResult:
"""
NOTE: This class is auto generated by the swagger code generator program.
Do not edit the class manually."""
def __init__(self):
self.swaggerTypes = {
'user_guid': 'str'
}
self.user_guid = None # str<|fim▁end|> |
Licensed under the Apache License, Version 2.0 (the "License"); |
<|file_name|>CWE78_OS_Command_Injection__wchar_t_connect_socket_execlp_82_bad.cpp<|end_file_name|><|fim▁begin|><|fim▁hole|>/* TEMPLATE GENERATED TESTCASE FILE
Filename: CWE78_OS_Command_Injection__wchar_t_connect_socket_execlp_82_bad.cpp
Label Definition File: CWE78_OS_Command_Injection.strings.label.xml
Template File: sources-sink-82_bad.tmpl.cpp
*/
/*
* @description
* CWE: 78 OS Command Injection
* BadSource: connect_socket Read data using a connect socket (client side)
* GoodSource: Fixed string
* Sinks: execlp
* BadSink : execute command with wexeclp
* Flow Variant: 82 Data flow: data passed in a parameter to an virtual method called via a pointer
*
* */
#ifndef OMITBAD
#include "std_testcase.h"
#include "CWE78_OS_Command_Injection__wchar_t_connect_socket_execlp_82.h"
#ifdef _WIN32
#include <process.h>
#define EXECLP _wexeclp
#else /* NOT _WIN32 */
#define EXECLP execlp
#endif
namespace CWE78_OS_Command_Injection__wchar_t_connect_socket_execlp_82
{
void CWE78_OS_Command_Injection__wchar_t_connect_socket_execlp_82_bad::action(wchar_t * data)
{
/* wexeclp - searches for the location of the command among
* the directories specified by the PATH environment variable */
/* POTENTIAL FLAW: Execute command without validating input possibly leading to command injection */
EXECLP(COMMAND_INT, COMMAND_INT, COMMAND_ARG1, COMMAND_ARG2, COMMAND_ARG3, NULL);
}
}
#endif /* OMITBAD */<|fim▁end|> | |
<|file_name|>main.js<|end_file_name|><|fim▁begin|>var map, boroughSearch = [],
theaterSearch = [],
museumSearch = [];
/* Basemap Layers */
var mapquestOSM = L.tileLayer("http://{s}.tiles.mapbox.com/v3/am3081.h0po4e8k/{z}/{x}/{y}.png");
var mbTerrainSat = L.tileLayer("https://{s}.tiles.mapbox.com/v3/matt.hd0b27jd/{z}/{x}/{y}.png");
var mbTerrainReg = L.tileLayer("https://{s}.tiles.mapbox.com/v3/aj.um7z9lus/{z}/{x}/{y}.png");
var mapquestOAM = L.tileLayer("http://{s}.tiles.mapbox.com/v3/am3081.h0pml9h7/{z}/{x}/{y}.png", {
maxZoom: 19,
});
var mapquestHYB = L.layerGroup([L.tileLayer("http://{s}.tiles.mapbox.com/v3/am3081.h0pml9h7/{z}/{x}/{y}.png", {
maxZoom: 19,
}), L.tileLayer("http://{s}.mqcdn.com/tiles/1.0.0/hyb/{z}/{x}/{y}.png", {
maxZoom: 19,
subdomains: ["oatile1", "oatile2", "oatile3", "oatile4"],
})]);
<|fim▁hole|>map = L.map("map", {
zoom: 5,
center: [39, -95],
layers: [mapquestOSM]
});
/* Larger screens get expanded layer control */
if (document.body.clientWidth <= 767) {
var isCollapsed = true;
} else {
var isCollapsed = false;
}
var baseLayers = {
"Street Map": mapquestOSM,
"Aerial Imagery": mapquestOAM,
"Imagery with Streets": mapquestHYB
};
var overlays = {};
var layerControl = L.control.layers(baseLayers, {}, {
collapsed: isCollapsed
}).addTo(map);
/* Add overlay layers to map after defining layer control to preserver order */
var sidebar = L.control.sidebar("sidebar", {
closeButton: true,
position: "left"
}).addTo(map);
sidebar.toggle();
/* Highlight search box text on click */
$("#searchbox").click(function () {
$(this).select();
});
/* Placeholder hack for IE */
if (navigator.appName == "Microsoft Internet Explorer") {
$("input").each(function () {
if ($(this).val() === "" && $(this).attr("placeholder") !== "") {
$(this).val($(this).attr("placeholder"));
$(this).focus(function () {
if ($(this).val() === $(this).attr("placeholder")) $(this).val("");
});
$(this).blur(function () {
if ($(this).val() === "") $(this).val($(this).attr("placeholder"));
});
}
});
}
$(function(){
var popup = {
init : function() {
// position popup
windowW = $(window).width();
$("#map").on("mousemove", function(e) {
var x = e.pageX + 20;
var y = e.pageY;
var windowH = $(window).height();
if (y > (windowH - 100)) {
var y = e.pageY - 100;
} else {
var y = e.pageY - 20;
}
$("#info").css({
"left": x,
"top": y
});
});
}
};
popup.init();
})<|fim▁end|> | |
<|file_name|>Main.java<|end_file_name|><|fim▁begin|>package savetheenvironment.profiles.mocking;
import org.springframework.context.ApplicationContext;
import org.springframework.context.annotation.AnnotationConfigApplicationContext;
import org.springframework.core.env.MapPropertySource;
import org.springframework.core.env.StandardEnvironment;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
public class Main {
static AnnotationConfigApplicationContext runWithApplicationContext() {
AnnotationConfigApplicationContext ac = new AnnotationConfigApplicationContext();
ac.getEnvironment().setActiveProfiles(ServiceConfiguration.PROFILE_VIDEO_YOUTUBE);
ac.register(ServiceConfiguration.class);
ac.refresh();
return ac;
}
public static void main(String[] arrrImAPirate) throws Throwable {
ApplicationContext applicationContext = runWithApplicationContext();
//showEnvironment(applicationContext);
//showPropertySource(applicationContext);
showVideos(applicationContext);
}
private static void showPropertySource(ApplicationContext applicationContext) {
System.out.println();
System.out.println("************ Property Source ***********");
Map<String, Object> map = new HashMap<String, Object>();
map.put("db.username", "scott");
map.put("db.password", "tiger");
MapPropertySource mapPropertySource = new MapPropertySource("dbConfig", map);
((StandardEnvironment) applicationContext.getEnvironment()).getPropertySources().addFirst(mapPropertySource);
System.out.println("DB Username: " + applicationContext.getEnvironment().getProperty("db.username"));
System.out.println("DB Password: " + applicationContext.getEnvironment().getProperty("db.password"));
System.out.println();
System.out.println("DB Url from @PropertySource: " + applicationContext.getEnvironment().getProperty("db.url"));
System.out.println();
}
private static void showVideos(ApplicationContext applicationContext) throws Exception {
VideoSearch videoSearch = applicationContext.getBean(VideoSearch.class);
List<String> videoTitles = videoSearch.lookupVideo("Kevin Nilson");
System.out.println();
System.out.println("************** VIDEO SEARCH RESULTS - YOUTUBE ************** ");
for (String title : videoTitles) {<|fim▁hole|> }
}
private static void showEnvironment(ApplicationContext applicationContext) {
System.out.println();
System.out.println("************ Environment ***********");
System.out.println("User Dir: " + applicationContext.getEnvironment().getProperty("user.dir"));
System.out.println();
}
}<|fim▁end|> | System.out.println(title); |
<|file_name|>user-posts.component.spec.ts<|end_file_name|><|fim▁begin|>import { async, ComponentFixture, TestBed } from '@angular/core/testing';
import { UserPostsComponent } from './user-posts.component';
describe('UserPostsComponent', () => {
let component: UserPostsComponent;
let fixture: ComponentFixture<UserPostsComponent>;
beforeEach(async(() => {
TestBed.configureTestingModule({
declarations: [ UserPostsComponent ]
})
.compileComponents();
}));
beforeEach(() => {
fixture = TestBed.createComponent(UserPostsComponent);<|fim▁hole|> fixture.detectChanges();
});
it('should create', () => {
expect(component).toBeTruthy();
});
});<|fim▁end|> | component = fixture.componentInstance; |
<|file_name|>client.go<|end_file_name|><|fim▁begin|>/*
* Licensed to the Apache Software Foundation (ASF) under one or more
* contributor license agreements. See the NOTICE file distributed with
* this work for additional information regarding copyright ownership.
* The ASF licenses this file to You under the Apache License, Version 2.0
* (the "License"); you may not use this file except in compliance with
* the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package whisk
import (
"bytes"
"encoding/base64"
"encoding/json"
"fmt"
"io"
"io/ioutil"
"net/http"
"net/url"
"crypto/tls"
"errors"
"reflect"
"../wski18n"
"strings"
)
const (
defaultBaseURL = "openwhisk.ng.bluemix.net"
AuthRequired = true
NoAuth = false
IncludeNamespaceInUrl = true
DoNotIncludeNamespaceInUrl = false
AppendOpenWhiskPathPrefix = true
DoNotAppendOpenWhiskPathPrefix = false
EncodeBodyAsJson = "json"
EncodeBodyAsFormData = "formdata"
ProcessTimeOut = true
DoNotProcessTimeOut = false
ExitWithErrorOnTimeout = true
ExitWithSuccessOnTimeout = false
)
type Client struct {
client *http.Client
*Config
Transport *http.Transport
Sdks *SdkService
Triggers *TriggerService
Actions *ActionService
Rules *RuleService
Activations *ActivationService
Packages *PackageService
Namespaces *NamespaceService
Info *InfoService
Apis *ApiService
}
type Config struct {
Namespace string // NOTE :: Default is "_"
Cert string
Key string
AuthToken string
Host string
BaseURL *url.URL // NOTE :: Default is "openwhisk.ng.bluemix.net"
Version string
Verbose bool
Debug bool // For detailed tracing
Insecure bool
}
func NewClient(httpClient *http.Client, config *Config) (*Client, error) {
// Disable certificate checking in the dev environment if in insecure mode
if config.Insecure {
Debug(DbgInfo, "Disabling certificate checking.\n")
var tlsConfig *tls.Config
if config.Cert != "" && config.Key != "" {
if cert, err := tls.LoadX509KeyPair(config.Cert, config.Key); err == nil {
tlsConfig = &tls.Config{
Certificates: []tls.Certificate{cert},
InsecureSkipVerify: true,
}
}
}else{
tlsConfig = &tls.Config{
InsecureSkipVerify: true,
}
}
http.DefaultClient.Transport = &http.Transport{
TLSClientConfig: tlsConfig,
}
}
if httpClient == nil {
httpClient = http.DefaultClient
}
var err error
if config.BaseURL == nil {
config.BaseURL, err = url.Parse(defaultBaseURL)
if err != nil {
Debug(DbgError, "url.Parse(%s) error: %s\n", defaultBaseURL, err)
errStr := wski18n.T("Unable to create request URL '{{.url}}': {{.err}}",
map[string]interface{}{"url": defaultBaseURL, "err": err})
werr := MakeWskError(errors.New(errStr), EXIT_CODE_ERR_GENERAL, DISPLAY_MSG, NO_DISPLAY_USAGE)
return nil, werr
}
}
if len(config.Namespace) == 0 {
config.Namespace = "_"
}
if len(config.Version) == 0 {
config.Version = "v1"
}
c := &Client{
client: httpClient,
Config: config,
}
c.Sdks = &SdkService{client: c}
c.Triggers = &TriggerService{client: c}
c.Actions = &ActionService{client: c}
c.Rules = &RuleService{client: c}
c.Activations = &ActivationService{client: c}
c.Packages = &PackageService{client: c}
c.Namespaces = &NamespaceService{client: c}
c.Info = &InfoService{client: c}
c.Apis = &ApiService{client: c}
return c, nil
}
///////////////////////////////
// Request/Utility Functions //
///////////////////////////////
func (c *Client) NewRequest(method, urlStr string, body interface{}, includeNamespaceInUrl bool) (*http.Request, error) {
if (includeNamespaceInUrl) {
if c.Config.Namespace != "" {
urlStr = fmt.Sprintf("%s/namespaces/%s/%s", c.Config.Version, c.Config.Namespace, urlStr)
} else {
urlStr = fmt.Sprintf("%s/namespaces", c.Config.Version)
}
} else {
urlStr = fmt.Sprintf("%s/%s", c.Config.Version, urlStr)
}
urlStr = fmt.Sprintf("%s/%s", c.BaseURL.String(), urlStr)
u, err := url.Parse(urlStr)
if err != nil {
Debug(DbgError, "url.Parse(%s) error: %s\n", urlStr, err)
errStr := wski18n.T("Invalid request URL '{{.url}}': {{.err}}",
map[string]interface{}{"url": urlStr, "err": err})
werr := MakeWskError(errors.New(errStr), EXIT_CODE_ERR_GENERAL, DISPLAY_MSG, NO_DISPLAY_USAGE)
return nil, werr
}
var buf io.ReadWriter
if body != nil {
buf = new(bytes.Buffer)
encoder := json.NewEncoder(buf)
encoder.SetEscapeHTML(false)
err := encoder.Encode(body)
if err != nil {
Debug(DbgError, "json.Encode(%#v) error: %s\n", body, err)
errStr := wski18n.T("Error encoding request body: {{.err}}", map[string]interface{}{"err": err})
werr := MakeWskError(errors.New(errStr), EXIT_CODE_ERR_GENERAL, DISPLAY_MSG, NO_DISPLAY_USAGE)
return nil, werr
}
}
req, err := http.NewRequest(method, u.String(), buf)
if err != nil {
Debug(DbgError, "http.NewRequest(%v, %s, buf) error: %s\n", method, u.String(), err)
errStr := wski18n.T("Error initializing request: {{.err}}", map[string]interface{}{"err": err})
werr := MakeWskError(errors.New(errStr), EXIT_CODE_ERR_GENERAL, DISPLAY_MSG, NO_DISPLAY_USAGE)
return nil, werr
}
if req.Body != nil {
req.Header.Add("Content-Type", "application/json")
}
err = c.addAuthHeader(req, AuthRequired)
if err != nil {
Debug(DbgError, "addAuthHeader() error: %s\n", err)
errStr := wski18n.T("Unable to add the HTTP authentication header: {{.err}}",
map[string]interface{}{"err": err})
werr := MakeWskErrorFromWskError(errors.New(errStr), err, EXIT_CODE_ERR_GENERAL, DISPLAY_MSG, NO_DISPLAY_USAGE)
return nil, werr
}
return req, nil
}
func (c *Client) addAuthHeader(req *http.Request, authRequired bool) error {
if c.Config.AuthToken != "" {
encodedAuthToken := base64.StdEncoding.EncodeToString([]byte(c.Config.AuthToken))
req.Header.Add("Authorization", fmt.Sprintf("Basic %s", encodedAuthToken))
Debug(DbgInfo, "Adding basic auth header; using authkey\n")
} else {
if authRequired {
Debug(DbgError, "The required authorization key is not configured - neither set as a property nor set via the --auth CLI argument\n")
errStr := wski18n.T("Authorization key is not configured (--auth is required)")
werr := MakeWskError(errors.New(errStr), EXIT_CODE_ERR_USAGE, DISPLAY_MSG, DISPLAY_USAGE)
return werr
}
}
return nil
}
// bodyTruncator limits the size of Req/Resp Body for --verbose ONLY.
// It returns truncated Req/Resp Body, reloaded io.ReadCloser and any errors.
func bodyTruncator(body io.ReadCloser) (string, io.ReadCloser, error) {
limit := 1000 // 1000 byte limit, anything over is truncated
data, err := ioutil.ReadAll(body)
if err != nil {
Verbose("ioutil.ReadAll(req.Body) error: %s\n", err)
werr := MakeWskError(err, EXIT_CODE_ERR_NETWORK, DISPLAY_MSG, NO_DISPLAY_USAGE)
return "", body, werr
}
reload := ioutil.NopCloser(bytes.NewBuffer(data))
if len(data) > limit {
Verbose("Body exceeds %d bytes and will be truncated\n", limit)
newData := string(data)[:limit] + "..."
return string(newData), reload, nil
}
return string(data), reload, nil
}
// Do sends an API request and returns the API response. The API response is
// JSON decoded and stored in the value pointed to by v, or returned as an
// error if an API error has occurred. If v implements the io.Writer
// interface, the raw response body will be written to v, without attempting to
// first decode it.
func (c *Client) Do(req *http.Request, v interface{}, ExitWithErrorOnTimeout bool) (*http.Response, error) {
var err error
var truncatedBody string
if IsVerbose() {
fmt.Println("REQUEST:")
fmt.Printf("[%s]\t%s\n", req.Method, req.URL)
if len(req.Header) > 0 {
fmt.Println("Req Headers")
PrintJSON(req.Header)
}
if req.Body != nil {
fmt.Println("Req Body")
if !IsDebug() {
if truncatedBody, req.Body, err = bodyTruncator(req.Body); err != nil {
return nil, err
}
fmt.Println(truncatedBody)
} else {
fmt.Println(req.Body)
}
Debug(DbgInfo, "Req Body (ASCII quoted string):\n%+q\n", req.Body)
}
}
// Issue the request to the Whisk server endpoint
resp, err := c.client.Do(req)
if err != nil {
Debug(DbgError, "HTTP Do() [req %s] error: %s\n", req.URL.String(), err)
werr := MakeWskError(err, EXIT_CODE_ERR_NETWORK, DISPLAY_MSG, NO_DISPLAY_USAGE)
return nil, werr
}
// Don't "defer resp.Body.Close()" here because the body is reloaded to allow caller to
// do custom body parsing, such as handling per-route error responses.
Verbose("RESPONSE:")
Verbose("Got response with code %d\n", resp.StatusCode)
if (IsVerbose() && len(resp.Header) > 0) {
fmt.Println("Resp Headers")
PrintJSON(resp.Header)
}
// Read the response body
data, err := ioutil.ReadAll(resp.Body)
if err != nil {
Debug(DbgError, "ioutil.ReadAll(resp.Body) error: %s\n", err)
werr := MakeWskError(err, EXIT_CODE_ERR_NETWORK, DISPLAY_MSG, NO_DISPLAY_USAGE)
return resp, werr
}
// Reload the response body to allow caller access to the body; otherwise,
// the caller will have any empty body to read
resp.Body = ioutil.NopCloser(bytes.NewBuffer(data))
Verbose("Response body size is %d bytes\n", len(data))
if !IsDebug() {
if truncatedBody, resp.Body, err = bodyTruncator(resp.Body); err != nil {
return nil, err
}
Verbose("Response body received:\n%s\n", truncatedBody)
} else {
Verbose("Response body received:\n%s\n", string(data))
Debug(DbgInfo, "Response body received (ASCII quoted string):\n%+q\n", string(data))
}
// With the HTTP response status code and the HTTP body contents,
// the possible response scenarios are:
//
// 0. HTTP Success + Body indicating a whisk failure result
// 1. HTTP Success + Valid body matching request expectations
// 2. HTTP Success + No body expected
// 3. HTTP Success + Body does NOT match request expectations
// 4. HTTP Failure + No body
// 5. HTTP Failure + Body matching error format expectation
// 6. HTTP Failure + Body NOT matching error format expectation
// Handle 4. HTTP Failure + No body
// If this happens, just return no data and an error
if !IsHttpRespSuccess(resp) && data == nil {
Debug(DbgError, "HTTP failure %d + no body\n", resp.StatusCode)
werr := MakeWskError(errors.New(wski18n.T("Command failed due to an HTTP failure")), resp.StatusCode-256,
DISPLAY_MSG, NO_DISPLAY_USAGE)
return resp, werr
}
// Handle 5. HTTP Failure + Body matching error format expectation, or body matching a whisk.error() response
// Handle 6. HTTP Failure + Body NOT matching error format expectation
if !IsHttpRespSuccess(resp) && data != nil {
return parseErrorResponse(resp, data, v)
}
// Handle 0. HTTP Success + Body indicating a whisk failure result
// NOTE: Need to ignore activation records send in response to 'wsk get activation NNN` as
// these will report the same original error giving the appearance that the command failed.
if (IsHttpRespSuccess(resp) && // HTTP Status == 200
data!=nil && // HTTP response body exists
v != nil &&
!strings.Contains(reflect.TypeOf(v).String(), "Activation") && // Request is not `wsk activation get`
!IsResponseResultSuccess(data)) { // HTTP response body has Whisk error result
Debug(DbgInfo, "Got successful HTTP; but activation response reports an error\n")
return parseErrorResponse(resp, data, v)
}
// Handle 2. HTTP Success + No body expected
if IsHttpRespSuccess(resp) && v == nil {
Debug(DbgInfo, "No interface provided; no HTTP response body expected\n")
return resp, nil
}
// Handle 1. HTTP Success + Valid body matching request expectations
// Handle 3. HTTP Success + Body does NOT match request expectations
if IsHttpRespSuccess(resp) && v != nil {
// If a timeout occurs, 202 HTTP status code is returned, and the caller wishes to handle such an event, return
// an error corresponding with the timeout
if ExitWithErrorOnTimeout && resp.StatusCode == EXIT_CODE_TIMED_OUT {
errMsg := wski18n.T("Request accepted, but processing not completed yet.")
err = MakeWskError(errors.New(errMsg), EXIT_CODE_TIMED_OUT, NO_DISPLAY_MSG, NO_DISPLAY_USAGE,
NO_MSG_DISPLAYED, NO_DISPLAY_PREFIX, NO_APPLICATION_ERR, TIMED_OUT)
}
return parseSuccessResponse(resp, data, v), err
}
// We should never get here, but just in case return failure to keep the compiler happy
werr := MakeWskError(errors.New(wski18n.T("Command failed due to an internal failure")), EXIT_CODE_ERR_GENERAL,
DISPLAY_MSG, NO_DISPLAY_USAGE)
return resp, werr
}
func parseErrorResponse(resp *http.Response, data []byte, v interface{}) (*http.Response, error) {
Debug(DbgInfo, "HTTP failure %d + body\n", resp.StatusCode)
// Determine if an application error was received (#5)
errorResponse := &ErrorResponse{Response: resp}
err := json.Unmarshal(data, errorResponse)
// Determine if error is an application error or an error generated by API
if err == nil {
if errorResponse.Code == nil /*&& errorResponse.ErrMsg != nil */&& resp.StatusCode == 502 {
return parseApplicationError(resp, data, v)
} else if errorResponse.Code != nil && errorResponse.ErrMsg != nil {
Debug(DbgInfo, "HTTP failure %d; server error %s\n", resp.StatusCode, errorResponse)
werr := MakeWskError(errorResponse, resp.StatusCode - 256, DISPLAY_MSG, NO_DISPLAY_USAGE)
return resp, werr
}
}
// Body contents are unknown (#6)
Debug(DbgError, "HTTP response with unexpected body failed due to contents parsing error: '%v'\n", err)
errMsg := wski18n.T("The connection failed, or timed out. (HTTP status code {{.code}})",
map[string]interface{}{"code": resp.StatusCode})
whiskErr := MakeWskError(errors.New(errMsg), resp.StatusCode - 256, DISPLAY_MSG, NO_DISPLAY_USAGE)
return resp, whiskErr
}
func parseApplicationError(resp *http.Response, data []byte, v interface{}) (*http.Response, error) {
Debug(DbgInfo, "Parsing application error\n")
whiskErrorResponse := &WhiskErrorResponse{}
err := json.Unmarshal(data, whiskErrorResponse)
// Handle application errors that occur when --result option is false (#5)
if err == nil && whiskErrorResponse != nil && whiskErrorResponse.Response != nil && whiskErrorResponse.Response.Status != nil {
Debug(DbgInfo, "Detected response status `%s` that a whisk.error(\"%#v\") was returned\n",
*whiskErrorResponse.Response.Status, *whiskErrorResponse.Response.Result)
errMsg := wski18n.T("The following application error was received: {{.err}}",
map[string]interface{}{"err": *whiskErrorResponse.Response.Result})
whiskErr := MakeWskError(errors.New(errMsg), resp.StatusCode - 256, NO_DISPLAY_MSG, NO_DISPLAY_USAGE,
NO_MSG_DISPLAYED, DISPLAY_PREFIX, APPLICATION_ERR)
return parseSuccessResponse(resp, data, v), whiskErr
}
appErrResult := &AppErrorResult{}
err = json.Unmarshal(data, appErrResult)
// Handle application errors that occur with blocking invocations when --result option is true (#5)
if err == nil && appErrResult.Error != nil {
Debug(DbgInfo, "Error code is null, blocking with result invocation error has occured\n")
errMsg := fmt.Sprintf("%v", *appErrResult.Error)
Debug(DbgInfo, "Application error received: %s\n", errMsg)
whiskErr := MakeWskError(errors.New(errMsg), resp.StatusCode - 256, NO_DISPLAY_MSG, NO_DISPLAY_USAGE,
NO_MSG_DISPLAYED, DISPLAY_PREFIX, APPLICATION_ERR)
return parseSuccessResponse(resp, data, v), whiskErr
}
// Body contents are unknown (#6)
Debug(DbgError, "HTTP response with unexpected body failed due to contents parsing error: '%v'\n", err)
errMsg := wski18n.T("The connection failed, or timed out. (HTTP status code {{.code}})",
map[string]interface{}{"code": resp.StatusCode})
whiskErr := MakeWskError(errors.New(errMsg), resp.StatusCode - 256, DISPLAY_MSG, NO_DISPLAY_USAGE)
return resp, whiskErr
}
func parseSuccessResponse(resp *http.Response, data []byte, v interface{}) (*http.Response) {
Debug(DbgInfo, "Parsing HTTP response into struct type: %s\n", reflect.TypeOf(v))
dc := json.NewDecoder(strings.NewReader(string(data)))
dc.UseNumber()
err := dc.Decode(v)
// If the decode was successful, return the response without error (#1). Otherwise, the decode did not work, so the
// server response was unexpected (#3)
if err == nil {
Debug(DbgInfo, "Successful parse of HTTP response into struct type: %s\n", reflect.TypeOf(v))
return resp
} else {
Debug(DbgWarn, "Unsuccessful parse of HTTP response into struct type: %s; parse error '%v'\n", reflect.TypeOf(v), err)
Debug(DbgWarn, "Request was successful, so ignoring the following unexpected response body that could not be parsed: %s\n", data)
return resp
}
}
////////////
// Errors //
////////////
// For containing the server response body when an error message is returned
// Here's an example error response body with HTTP status code == 400
// {
// "error": "namespace contains invalid characters",
// "code": 1422870
// }
type ErrorResponse struct {
Response *http.Response // HTTP response that caused this error
ErrMsg *interface{} `json:"error"` // error message string
Code *int64 `json:"code"` // validation error code
}
type AppErrorResult struct {
Error *interface{} `json:"error"`
}
type WhiskErrorResponse struct {
Response *WhiskResponse `json:"response"`
}
type WhiskResponse struct {
Result *WhiskResult `json:"result"`
Success bool `json:"success"`
Status *interface{} `json:"status"`
}
type WhiskResult struct {
// Error *WhiskError `json:"error"` // whisk.error(<string>) and whisk.reject({msg:<string>}) result in two different kinds of 'error' JSON objects
}
type WhiskError struct {
Msg *string `json:"msg"`
}
func (r ErrorResponse) Error() string {
return wski18n.T("{{.msg}} (code {{.code}})",
map[string]interface{}{"msg": fmt.Sprintf("%v", *r.ErrMsg), "code": r.Code})
}
////////////////////////////
// Basic Client Functions //
////////////////////////////
func IsHttpRespSuccess(r *http.Response) bool {
return r.StatusCode >= 200 && r.StatusCode <= 299
}
func IsResponseResultSuccess(data []byte) bool {
errResp := new(WhiskErrorResponse)
err := json.Unmarshal(data, &errResp)
if (err == nil && errResp.Response != nil) {
return errResp.Response.Success
}
Debug(DbgWarn, "IsResponseResultSuccess: failed to parse response result: %v\n", err)
return true;
}
//
// Create a HTTP request object using URL stored in url.URL object
// Arguments:
// method - HTTP verb (i.e. "GET", "PUT", etc)
// urlRelResource - *url.URL structure representing the relative resource URL, including query params
// body - optional. Object whose contents will be JSON encoded and placed in HTTP request body
// includeNamespaceInUrl - when true "/namespaces/NAMESPACE" is included in the final URL; otherwise not included.
// appendOpenWhiskPath - when true, the OpenWhisk URL format is generated
// encodeBodyAs - specifies body encoding (json or form data)
// useAuthentication - when true, the basic Authorization is included with the configured authkey as the value
func (c *Client) NewRequestUrl(
method string,
urlRelResource *url.URL,
body interface{},
includeNamespaceInUrl bool,
appendOpenWhiskPath bool,
encodeBodyAs string,
useAuthentication bool) (*http.Request, error) {
var requestUrl *url.URL
var err error
if (appendOpenWhiskPath) {
var urlVerNamespaceStr string
var verPathEncoded = (&url.URL{Path: c.Config.Version}).String()
if (includeNamespaceInUrl) {
if c.Config.Namespace != "" {
// Encode path parts before inserting them into the URI so that any '?' is correctly encoded
// as part of the path and not the start of the query params
verNamespaceEncoded := (&url.URL{Path: c.Config.Namespace}).String()
urlVerNamespaceStr = fmt.Sprintf("%s/namespaces/%s", verPathEncoded, verNamespaceEncoded)
} else {
urlVerNamespaceStr = fmt.Sprintf("%s/namespaces", verPathEncoded)
}
} else {
urlVerNamespaceStr = fmt.Sprintf("%s", verPathEncoded)
}
// Assemble the complete URL: base + version + [namespace] + resource_relative_path
Debug(DbgInfo, "basepath: %s, version/namespace path: %s, resource path: %s\n", c.BaseURL.String(), urlVerNamespaceStr, urlRelResource.String())
urlStr := fmt.Sprintf("%s/%s/%s", c.BaseURL.String(), urlVerNamespaceStr, urlRelResource.String())
requestUrl, err = url.Parse(urlStr)
if err != nil {
Debug(DbgError, "url.Parse(%s) error: %s\n", urlStr, err)
errStr := wski18n.T("Invalid request URL '{{.url}}': {{.err}}",
map[string]interface{}{"url": urlStr, "err": err})
werr := MakeWskError(errors.New(errStr), EXIT_CODE_ERR_GENERAL, DISPLAY_MSG, NO_DISPLAY_USAGE)
return nil, werr
}
} else {
Debug(DbgInfo, "basepath: %s, resource path: %s\n", c.BaseURL.String(), urlRelResource.String())
urlStr := fmt.Sprintf("%s/%s", c.BaseURL.String(), urlRelResource.String())
requestUrl, err = url.Parse(urlStr)
if err != nil {
Debug(DbgError, "url.Parse(%s) error: %s\n", urlStr, err)
errStr := wski18n.T("Invalid request URL '{{.url}}': {{.err}}",
map[string]interface{}{"url": urlStr, "err": err})
werr := MakeWskError(errors.New(errStr), EXIT_CODE_ERR_GENERAL, DISPLAY_MSG, NO_DISPLAY_USAGE)
return nil, werr
}
}
var buf io.ReadWriter
if body != nil {
if (encodeBodyAs == EncodeBodyAsJson) {
buf = new(bytes.Buffer)
encoder := json.NewEncoder(buf)
encoder.SetEscapeHTML(false)
err := encoder.Encode(body)
if err != nil {
Debug(DbgError, "json.Encode(%#v) error: %s\n", body, err)
errStr := wski18n.T("Error encoding request body: {{.err}}",
map[string]interface{}{"err": err})
werr := MakeWskError(errors.New(errStr), EXIT_CODE_ERR_GENERAL, DISPLAY_MSG, NO_DISPLAY_USAGE)
return nil, werr
}
} else if (encodeBodyAs == EncodeBodyAsFormData) {
if values, ok := body.(url.Values); ok {
buf = bytes.NewBufferString(values.Encode())
} else {
Debug(DbgError, "Invalid form data body: %v\n", body)
errStr := wski18n.T("Internal error. Form data encoding failure")
werr := MakeWskError(errors.New(errStr), EXIT_CODE_ERR_GENERAL, DISPLAY_MSG, NO_DISPLAY_USAGE)
return nil, werr
}
} else {
Debug(DbgError, "Invalid body encode type: %s\n", encodeBodyAs)
errStr := wski18n.T("Internal error. Invalid encoding type '{{.encodetype}}'",
map[string]interface{}{"encodetype": encodeBodyAs})
werr := MakeWskError(errors.New(errStr), EXIT_CODE_ERR_GENERAL, DISPLAY_MSG, NO_DISPLAY_USAGE)
return nil, werr
}
}
req, err := http.NewRequest(method, requestUrl.String(), buf)
if err != nil {
Debug(DbgError, "http.NewRequest(%v, %s, buf) error: %s\n", method, requestUrl.String(), err)<|fim▁hole|> errStr := wski18n.T("Error initializing request: {{.err}}", map[string]interface{}{"err": err})
werr := MakeWskError(errors.New(errStr), EXIT_CODE_ERR_GENERAL, DISPLAY_MSG, NO_DISPLAY_USAGE)
return nil, werr
}
if (req.Body != nil && encodeBodyAs == EncodeBodyAsJson) {
req.Header.Add("Content-Type", "application/json")
}
if (req.Body != nil && encodeBodyAs == EncodeBodyAsFormData) {
req.Header.Add("Content-Type", "application/x-www-form-urlencoded")
}
if useAuthentication {
err = c.addAuthHeader(req, AuthRequired)
if err != nil {
Debug(DbgError, "addAuthHeader() error: %s\n", err)
errStr := wski18n.T("Unable to add the HTTP authentication header: {{.err}}",
map[string]interface{}{"err": err})
werr := MakeWskErrorFromWskError(errors.New(errStr), err, EXIT_CODE_ERR_GENERAL, DISPLAY_MSG, NO_DISPLAY_USAGE)
return nil, werr
}
} else {
Debug(DbgInfo, "No auth header required\n")
}
return req, nil
}<|fim▁end|> | |
<|file_name|>question-block.js<|end_file_name|><|fim▁begin|>'use strict';
angular.module('app.directives')
.directive('questionBlock',function() {
return {
restrict: 'E',
scope: {<|fim▁hole|> },
templateUrl:'/directives/questions/question-block.html'
};
});<|fim▁end|> | question:'=' |
<|file_name|>mod.rs<|end_file_name|><|fim▁begin|>extern mod std;
use std::io::fs::{File, mkdir_recursive};
use std::{os, ptr, str};
use std::io::{Reader, io_error};
use std::path::Path;
use std::libc::{c_void};
use std::unstable::atomics::{AtomicBool, Acquire, Release, INIT_ATOMIC_BOOL};
use nspr::raw::nspr::*;
use super::nss::raw::*;
static mut NSS_INIT_START: AtomicBool = INIT_ATOMIC_BOOL;
static mut NSS_INIT_END: AtomicBool = INIT_ATOMIC_BOOL;
static mut NSS_UNINIT_START: AtomicBool = INIT_ATOMIC_BOOL;
static mut NSS_UNINIT_END: AtomicBool = INIT_ATOMIC_BOOL;
pub mod raw;
pub struct NSS {
priv nss_ctx: Option<*c_void>,
priv nss_cert_mod: Option<SECMODModule>,
cfg_dir: Option<~str>,
}
impl NSS {
pub fn new() -> NSS {
NSS { nss_ctx: None, nss_cert_mod: None, cfg_dir: None, }
}
pub fn set_cfg_dir(&mut self, cfg_dir: &str)
{
self.cfg_dir = Some(cfg_dir.to_owned());
}
pub fn nodb_init(&mut self) -> SECStatus {
unsafe {
if(self.start_init() == SECSuccess) { return SECSuccess; }
if(NSS_NoDB_Init(ptr::null()) == SECFailure){
fail!("NSS is borked!");
}
self.finish_init()
}
}
fn start_init(&mut self) -> SECStatus {
unsafe {
if(NSS_IsInitialized() == PRTrue ) { return SECSuccess; }
if NSS_INIT_START.swap(true, Acquire) { while !NSS_INIT_END.load(Release) { std::task::deschedule(); } }
SECFailure //Not really...
}
}
pub fn init(&mut self) -> SECStatus {
unsafe {
if(self.start_init() == SECSuccess) { return SECSuccess; }
self.cfg_dir = match self.cfg_dir {
None => Some(os::getenv("SSL_DIR").unwrap_or(format!("{}/.pki/nssdb", os::getenv("HOME").unwrap_or(~".")).to_owned())),
Some(ref s) => Some(s.to_owned()), };
let cfg_dir = match self.cfg_dir {
Some(ref s) => s.to_owned(),
None => ~"", };
let mut cfg_path = Path::init(cfg_dir.clone());
let mut nss_path = format!("sql:{}", cfg_dir);
if(!cfg_path.exists()) {
let system_path = &Path::init("/etc/pki/nssdb");
if(!system_path.exists()) {
io_error::cond.trap(|_|{}).inside(|| mkdir_recursive(&cfg_path, 0b111_111_111));
}
else {
cfg_path = Path::init("/etc/pki/nssdb");
nss_path = format!("sql:{}", system_path.as_str().unwrap());
}
}
if(cfg_path.exists()) {
nss_path.with_c_str(|nssdb| self.nss_ctx = Some(NSS_InitContext(nssdb, ptr::null(), ptr::null(), ptr::null(), ptr::null(), NSS_INIT_PK11RELOAD)));
}
if(NSS_IsInitialized() == PRFalse) {
if(NSS_NoDB_Init(ptr::null()) == SECFailure){
fail!("NSS is borked!");
}
}
self.finish_init()
}
}
fn finish_init(&mut self) -> SECStatus {
unsafe {
nss_cmd(|| NSS_SetDomesticPolicy());
self.nss_cert_mod = Some(*SECMOD_LoadUserModule("library=libnssckbi.so name=\"Root Certs\"".to_c_str().unwrap(), ptr::null(), PRFalse));
if(self.nss_cert_mod.unwrap().loaded != PRTrue) {
return SECFailure;
}
NSS_INIT_END.store(true, Release);
if(NSS_IsInitialized() == PRTrue) {
SECSuccess
}
else {
SECFailure
}
}
}
pub fn uninit(&mut self) -> SECStatus {
unsafe {
if(NSS_IsInitialized() == PRFalse) { return SECSuccess; }
if NSS_UNINIT_START.swap(true, Acquire) { while !NSS_UNINIT_END.load(Release) { std::task::deschedule(); } }
SECMOD_DestroyModule(&self.nss_cert_mod.unwrap());
if(!self.nss_ctx.is_none()) { NSS_ShutdownContext(self.nss_ctx.unwrap()) };
self.nss_ctx = None;
NSS_UNINIT_END.store(true, Release);
}
SECSuccess<|fim▁hole|>
pub fn trust_cert(file: ~str) -> SECStatus
{
let path = &Path::init(file);
let mut retStatus = SECFailure;
if(!path.exists()){ return retStatus; }
io_error::cond.trap(|_| { retStatus = SECFailure; }).inside(
||
unsafe
{
let pemdata = str::from_utf8_owned(File::open(path).read_to_end());
let cert = CERT_DecodeCertFromPackage(pemdata.to_c_str().unwrap(), pemdata.to_c_str().len() as i32);
let trust = CERTCertTrust { sslFlags: 0, emailFlags: 0, objectSigningFlags: 0 };
CERT_DecodeTrustString(&trust, "TCu,Cu,Tu".to_c_str().unwrap());
retStatus = CERT_ChangeCertTrust(CERT_GetDefaultCertDB(), cert, &trust);
}
);
retStatus
}
}
pub fn nss_cmd(blk: || -> SECStatus) {
let result = blk();
if(result == SECFailure) {
fail!("NSS Failed with {}", get_nss_error());
}
}
pub fn get_nss_error() -> ~str {
unsafe {
let err = PR_GetError();
let name = PR_ErrorToName(err);
if(name != ptr::null()) {
std::str::raw::from_c_str(name)
} else {
~"Unknown Error"
}
}
}<|fim▁end|> | } |
<|file_name|>compress.rs<|end_file_name|><|fim▁begin|>extern crate byteorder;
extern crate crc;
use std::io;
use std::io::{BufWriter, ErrorKind, Write, Seek, SeekFrom, Result, Error};
use self::byteorder::{ByteOrder, WriteBytesExt, LittleEndian};
use self::crc::{crc32, Hasher32};
use definitions::*;
// We limit how far copy back-references can go, the same as the C++ code.
const MAX_OFFSET: usize = 1 << 15;
// The Max Encoded Length of the Max Chunk of 65536 bytes
const MAX_BUFFER_SIZE: usize = 76_490;
pub struct Compressor<W: Write> {
inner: BufWriter<W>,
pos: u64,
buf_body: [u8; MAX_BUFFER_SIZE],
buf_header: [u8; (CHECK_SUM_SIZE + CHUNK_HEADER_SIZE) as usize],
wrote_header: bool,
}
impl <W: Write> Compressor<W> {
pub fn new(inner: W) -> Compressor<W> {
Compressor {
inner: BufWriter::new(inner),
pos: 0,
buf_body: [0; MAX_BUFFER_SIZE],
buf_header: [0; (CHECK_SUM_SIZE + CHUNK_HEADER_SIZE) as usize],
wrote_header: false,
}
}
}
impl <W: Write> Write for Compressor<W> {
// Implement Write
// Source Buffer -> Destination (Inner) Buffer
fn write(&mut self, src: &[u8]) -> Result<usize> {
let mut written: usize = 0;
if !self.wrote_header {
// Write Stream Literal
try!(self.inner.write(&MAGIC_CHUNK));
self.wrote_header = true;
}
// Split source into chunks of 65536 bytes each.
for src_chunk in src.chunks(MAX_UNCOMPRESSED_CHUNK_LEN as usize) {
// TODO
// Handle Written Slice Length (Ignore Previous Garbage)
let chunk_body: &[u8];
let chunk_type: u8;
// Create Checksum
let checksum: u32 = crc32::checksum_ieee(src_chunk);
// Compress the buffer, discarding the result if the improvement
// isn't at least 12.5%.
let n = try!(compress(&mut self.buf_body, src_chunk));
if n >= src_chunk.len() * (7 / 8) {
chunk_type = CHUNK_TYPE_UNCOMPRESSED_DATA;
chunk_body = src_chunk;
} else {
chunk_type = CHUNK_TYPE_COMPRESSED_DATA;
chunk_body = self.buf_body.split_at(n).0;
}
let chunk_len = chunk_body.len() + 4;
// Write Chunk Type
self.buf_header[0] = chunk_type;
// Write Chunk Length
self.buf_header[1] = (chunk_len >> 0) as u8;
self.buf_header[2] = (chunk_len >> 8) as u8;
self.buf_header[3] = (chunk_len >> 16) as u8;
// Write Chunk Checksum
self.buf_header[4] = (checksum >> 0) as u8;
self.buf_header[5] = (checksum >> 8) as u8;
self.buf_header[6] = (checksum >> 16) as u8;
self.buf_header[7] = (checksum >> 24) as u8;
// Write Chunk Header and Handle Error
try!(self.inner.write_all(&self.buf_header));
// Write Chunk Body and Handle Error
try!(self.inner.write_all(chunk_body));
// If all goes well, count written length as uncompressed length
written += src_chunk.len();
}
Ok(written)
}
// Flushes Inner buffer and resets Compressor
fn flush(&mut self) -> Result<()> {
self.inner.flush()
}
}
// If Compressor is Given a Cursor or Seekable Writer
// This Gives the BufWriter the seek method
impl <W: Write + Seek> Seek for Compressor<W> {
fn seek(&mut self, pos: SeekFrom) -> Result<u64> {
self.inner.seek(pos).and_then(|res: u64| {
self.pos = res;
Ok(res)
})
}
}
// Compress writes the encoded form of src into dst and return the length
// written.
// Returns an error if dst was not large enough to hold the entire encoded
// block.
// (Future) Include a Legacy Compress??
pub fn compress(dst: &mut [u8], src: &[u8]) -> io::Result<usize> {
if dst.len() < max_compressed_len(src.len()) {
return Err(Error::new(ErrorKind::InvalidInput, "snappy: destination buffer is too short"));
}
// Start Block with varint-encoded length of decompressed bytes
LittleEndian::write_u64(dst, src.len() as u64);
let mut d: usize = 4;
// Return early if src is short
if src.len() <= 4 {
if src.len() != 0 {
// TODO Handle Error
d += emit_literal(dst.split_at_mut(d).1, src).unwrap();
}
return Ok(d);
}
// Initialize the hash table. Its size ranges from 1<<8 to 1<<14 inclusive.
const MAX_TABLE_SIZE: usize = 1 << 14;
let mut shift: u32 = 24;
let mut table_size: usize = 1 << 8;
while table_size < MAX_TABLE_SIZE && table_size < src.len() {
shift -= 1;
table_size *= 2;
}
// Create table
let mut table: Vec<i32> = vec![0; MAX_TABLE_SIZE];
// Iterate over the source bytes
let mut s: usize = 0;
let mut t: i32;
let mut lit: usize = 0;
// (Future) Iterate in chunks of 4?
while s + 3 < src.len() {
// Grab 4 bytes
let b: (u8, u8, u8, u8) = (src[s], src[s + 1], src[s + 2], src[s + 3]);
// Create u32 for Hashing
let h: u32 = (b.0 as u32) | ((b.1 as u32) << 8) | ((b.2 as u32) << 16) | ((b.3 as u32) << 24);
// Update the hash table
let ref mut p: i32 = table[(h.wrapping_mul(0x1e35a7bd) >> shift) as usize];
// We need to to store values in [-1, inf) in table. To save
// some initialization time, (re)use the table's zero value
// and shift the values against this zero: add 1 on writes,
// subtract 1 on reads.
// If Hash Exists t = 0; if not t = -1;
t = *p - 1;
// Set Position of new Hash -> i32
*p = (s + 1) as i32;
// If t is invalid or src[s:s+4] differs from src[t:t+4], accumulate a literal
// byte.
if t < 0 ||
s.wrapping_sub(t as usize) >= MAX_OFFSET ||
b.0 != src[t as usize] ||
b.1 != src[(t + 1) as usize] ||
b.2 != src[(t + 2) as usize] ||
b.3 != src[(t + 3) as usize] {
s += 1;
continue;
}
// Otherwise, we have a match. First, emit any pending literal bytes.
// Panics on d > dst.len();
if lit != s {
d += try!(emit_literal(dst.split_at_mut(d).1,
// Handle Split_at mid < src check
{
if src.len() > s {
src.split_at(s).0.split_at(lit).1
} else {
src.split_at(lit).1
}
}));
}
// Extend the match to be as long as possible
let s0 = s;
s += 4;
t += 4;
while s < src.len() && src[s] == src[t as usize] {
s += 1;
t += 1;
}
// Emit the copied bytes.
d += emit_copy(dst.split_at_mut(d).1, s.wrapping_sub(t as usize), s - s0);
lit = s;
}
// Emit any final pending literal bytes and return.
if lit != src.len() {
d += emit_literal(dst.split_at_mut(d).1, src.split_at(lit).1).unwrap();
}
Ok(d)
}
// emitLiteral writes a literal chunk and returns the number of bytes written.
fn emit_literal(dst: &mut [u8], lit: &[u8]) -> io::Result<usize> {
let i: usize;
let n: u64 = (lit.len() - 1) as u64;
if n < 60 {
dst[0] = (n as u8) << 2 | TAG_LITERAL;
i = 1;
} else if n < 1 << 8 {
dst[0] = 60 << 2 | TAG_LITERAL;
dst[1] = n as u8;
i = 2;
} else if n < 1 << 16 {
dst[0] = 61 << 2 | TAG_LITERAL;
dst[1] = n as u8;
dst[2] = (n >> 8) as u8;
i = 3;
} else if n < 1 << 24 {
dst[0] = 62 << 2 | TAG_LITERAL;
dst[1] = n as u8;
dst[2] = (n >> 8) as u8;
dst[3] = (n >> 16) as u8;
i = 4;
} else if n < 1 << 32 {
dst[0] = 63 << 2 | TAG_LITERAL;
dst[1] = n as u8;
dst[2] = (n >> 8) as u8;
dst[3] = (n >> 16) as u8;
dst[4] = (n >> 24) as u8;
i = 5;
} else {
return Err(Error::new(ErrorKind::InvalidInput, "snappy: source buffer is too long"));
}
let mut s = 0;
for (d, l) in dst.split_at_mut(i).1.iter_mut().zip(lit.iter()) {
*d = *l;
s += 1;
}
if s == lit.len() {
Ok(i + lit.len())
} else {
return Err(Error::new(ErrorKind::InvalidInput, "snappy: destination buffer is too short"));
}
}
// emitCopy writes a copy chunk and returns the number of bytes written.
fn emit_copy(dst: &mut [u8], offset: usize, mut length: usize) -> usize {
let mut i: usize = 0;
while length > 0 {
// TODO: Handle Overflow
let mut x = length - 4;
if 0 <= x && x < 1 << 3 && offset < 1 << 11 {<|fim▁hole|> }
x = length;
if x > 1 << 6 {
x = 1 << 6;
}
dst[i] = ((x as u8) - 1) << 2 | TAG_COPY_2;
dst[i + 1] = offset as u8;
dst[i + 2] = (offset >> 8) as u8;
i += 3;
length -= x;
}
// (Future) Return a `Result<usize>` Instead??
i
}
// max_compressed_len returns the maximum length of a snappy block, given its
// uncompressed length.
pub fn max_compressed_len(src_len: usize) -> usize {
32 + src_len + src_len / 6
}<|fim▁end|> | dst[i] = ((offset >> 8) as u8) & 0x07 << 5 | (x as u8) << 2 | TAG_COPY_1;
dst[i + 1] = offset as u8;
i += 2;
break; |
<|file_name|>csearch.rs<|end_file_name|><|fim▁begin|>// Copyright 2012-2014 The Rust Project Developers. See the COPYRIGHT
// file at the top-level directory of this distribution and at
// http://rust-lang.org/COPYRIGHT.
//
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
// option. This file may not be copied, modified, or distributed
// except according to those terms.
// Searching for information from the cstore
#![allow(non_camel_case_types)]
pub use self::found_ast::*;
use metadata::common::*;
use metadata::cstore;
use metadata::decoder;
use middle::def;
use middle::lang_items;
use middle::resolve;
use middle::ty;
use middle::typeck;
use middle::subst::VecPerParamSpace;
use rbml;
use rbml::reader;
use std::rc::Rc;
use syntax::ast;
use syntax::ast_map;
use syntax::attr;
use syntax::diagnostic::expect;
use syntax::parse::token;
use std::collections::hash_map::HashMap;
pub struct MethodInfo {
pub name: ast::Name,
pub def_id: ast::DefId,
pub vis: ast::Visibility,
}
pub fn get_symbol(cstore: &cstore::CStore, def: ast::DefId) -> String {
let cdata = cstore.get_crate_data(def.krate);
decoder::get_symbol(cdata.data(), def.node)
}
/// Iterates over all the language items in the given crate.
pub fn each_lang_item(cstore: &cstore::CStore,
cnum: ast::CrateNum,
f: |ast::NodeId, uint| -> bool)
-> bool {
let crate_data = cstore.get_crate_data(cnum);
decoder::each_lang_item(&*crate_data, f)
}<|fim▁hole|> callback: |decoder::DefLike,
ast::Name,
ast::Visibility|) {
let crate_data = cstore.get_crate_data(def_id.krate);
let get_crate_data: decoder::GetCrateDataCb = |cnum| {
cstore.get_crate_data(cnum)
};
decoder::each_child_of_item(cstore.intr.clone(),
&*crate_data,
def_id.node,
get_crate_data,
callback)
}
/// Iterates over each top-level crate item.
pub fn each_top_level_item_of_crate(cstore: &cstore::CStore,
cnum: ast::CrateNum,
callback: |decoder::DefLike,
ast::Name,
ast::Visibility|) {
let crate_data = cstore.get_crate_data(cnum);
let get_crate_data: decoder::GetCrateDataCb = |cnum| {
cstore.get_crate_data(cnum)
};
decoder::each_top_level_item_of_crate(cstore.intr.clone(),
&*crate_data,
get_crate_data,
callback)
}
pub fn get_item_path(tcx: &ty::ctxt, def: ast::DefId) -> Vec<ast_map::PathElem> {
let cstore = &tcx.sess.cstore;
let cdata = cstore.get_crate_data(def.krate);
let path = decoder::get_item_path(&*cdata, def.node);
// FIXME #1920: This path is not always correct if the crate is not linked
// into the root namespace.
let mut r = vec![ast_map::PathMod(token::intern(cdata.name.as_slice()))];
r.push_all(path.as_slice());
r
}
pub enum found_ast<'ast> {
found(&'ast ast::InlinedItem),
found_parent(ast::DefId, &'ast ast::InlinedItem),
not_found,
}
// Finds the AST for this item in the crate metadata, if any. If the item was
// not marked for inlining, then the AST will not be present and hence none
// will be returned.
pub fn maybe_get_item_ast<'tcx>(tcx: &ty::ctxt<'tcx>, def: ast::DefId,
decode_inlined_item: decoder::DecodeInlinedItem)
-> found_ast<'tcx> {
let cstore = &tcx.sess.cstore;
let cdata = cstore.get_crate_data(def.krate);
decoder::maybe_get_item_ast(&*cdata, tcx, def.node, decode_inlined_item)
}
pub fn get_enum_variant_defs(cstore: &cstore::CStore, enum_id: ast::DefId)
-> Vec<(def::Def, ast::Name, ast::Visibility)> {
let cdata = cstore.get_crate_data(enum_id.krate);
decoder::get_enum_variant_defs(&*cstore.intr, &*cdata, enum_id.node)
}
pub fn get_enum_variants<'tcx>(tcx: &ty::ctxt<'tcx>, def: ast::DefId)
-> Vec<Rc<ty::VariantInfo<'tcx>>> {
let cstore = &tcx.sess.cstore;
let cdata = cstore.get_crate_data(def.krate);
decoder::get_enum_variants(cstore.intr.clone(), &*cdata, def.node, tcx)
}
/// Returns information about the given implementation.
pub fn get_impl_items(cstore: &cstore::CStore, impl_def_id: ast::DefId)
-> Vec<ty::ImplOrTraitItemId> {
let cdata = cstore.get_crate_data(impl_def_id.krate);
decoder::get_impl_items(&*cdata, impl_def_id.node)
}
pub fn get_impl_or_trait_item<'tcx>(tcx: &ty::ctxt<'tcx>, def: ast::DefId)
-> ty::ImplOrTraitItem<'tcx> {
let cdata = tcx.sess.cstore.get_crate_data(def.krate);
decoder::get_impl_or_trait_item(tcx.sess.cstore.intr.clone(),
&*cdata,
def.node,
tcx)
}
pub fn get_trait_item_name_and_kind(cstore: &cstore::CStore, def: ast::DefId)
-> (ast::Name, resolve::TraitItemKind) {
let cdata = cstore.get_crate_data(def.krate);
decoder::get_trait_item_name_and_kind(cstore.intr.clone(),
&*cdata,
def.node)
}
pub fn get_trait_item_def_ids(cstore: &cstore::CStore, def: ast::DefId)
-> Vec<ty::ImplOrTraitItemId> {
let cdata = cstore.get_crate_data(def.krate);
decoder::get_trait_item_def_ids(&*cdata, def.node)
}
pub fn get_item_variances(cstore: &cstore::CStore,
def: ast::DefId) -> ty::ItemVariances {
let cdata = cstore.get_crate_data(def.krate);
decoder::get_item_variances(&*cdata, def.node)
}
pub fn get_provided_trait_methods<'tcx>(tcx: &ty::ctxt<'tcx>,
def: ast::DefId)
-> Vec<Rc<ty::Method<'tcx>>> {
let cstore = &tcx.sess.cstore;
let cdata = cstore.get_crate_data(def.krate);
decoder::get_provided_trait_methods(cstore.intr.clone(), &*cdata, def.node, tcx)
}
pub fn get_supertraits<'tcx>(tcx: &ty::ctxt<'tcx>,
def: ast::DefId)
-> Vec<Rc<ty::TraitRef<'tcx>>> {
let cstore = &tcx.sess.cstore;
let cdata = cstore.get_crate_data(def.krate);
decoder::get_supertraits(&*cdata, def.node, tcx)
}
pub fn get_type_name_if_impl(cstore: &cstore::CStore, def: ast::DefId)
-> Option<ast::Name> {
let cdata = cstore.get_crate_data(def.krate);
decoder::get_type_name_if_impl(&*cdata, def.node)
}
pub fn get_methods_if_impl(cstore: &cstore::CStore,
def: ast::DefId)
-> Option<Vec<MethodInfo> > {
let cdata = cstore.get_crate_data(def.krate);
decoder::get_methods_if_impl(cstore.intr.clone(), &*cdata, def.node)
}
pub fn get_item_attrs(cstore: &cstore::CStore,
def_id: ast::DefId,
f: |Vec<ast::Attribute>|) {
let cdata = cstore.get_crate_data(def_id.krate);
decoder::get_item_attrs(&*cdata, def_id.node, f)
}
pub fn get_struct_fields(cstore: &cstore::CStore,
def: ast::DefId)
-> Vec<ty::field_ty> {
let cdata = cstore.get_crate_data(def.krate);
decoder::get_struct_fields(cstore.intr.clone(), &*cdata, def.node)
}
pub fn get_struct_field_attrs(cstore: &cstore::CStore, def: ast::DefId) -> HashMap<ast::NodeId,
Vec<ast::Attribute>> {
let cdata = cstore.get_crate_data(def.krate);
decoder::get_struct_field_attrs(&*cdata)
}
pub fn get_type<'tcx>(tcx: &ty::ctxt<'tcx>,
def: ast::DefId)
-> ty::Polytype<'tcx> {
let cstore = &tcx.sess.cstore;
let cdata = cstore.get_crate_data(def.krate);
decoder::get_type(&*cdata, def.node, tcx)
}
pub fn get_trait_def<'tcx>(tcx: &ty::ctxt<'tcx>, def: ast::DefId) -> ty::TraitDef<'tcx> {
let cstore = &tcx.sess.cstore;
let cdata = cstore.get_crate_data(def.krate);
decoder::get_trait_def(&*cdata, def.node, tcx)
}
pub fn get_field_type<'tcx>(tcx: &ty::ctxt<'tcx>, class_id: ast::DefId,
def: ast::DefId) -> ty::Polytype<'tcx> {
let cstore = &tcx.sess.cstore;
let cdata = cstore.get_crate_data(class_id.krate);
let all_items = reader::get_doc(rbml::Doc::new(cdata.data()), tag_items);
let class_doc = expect(tcx.sess.diagnostic(),
decoder::maybe_find_item(class_id.node, all_items),
|| {
(format!("get_field_type: class ID {} not found",
class_id)).to_string()
});
let the_field = expect(tcx.sess.diagnostic(),
decoder::maybe_find_item(def.node, class_doc),
|| {
(format!("get_field_type: in class {}, field ID {} not found",
class_id,
def)).to_string()
});
let ty = decoder::item_type(def, the_field, tcx, &*cdata);
ty::Polytype {
generics: ty::Generics {types: VecPerParamSpace::empty(),
regions: VecPerParamSpace::empty()},
ty: ty
}
}
// Given a def_id for an impl, return the trait it implements,
// if there is one.
pub fn get_impl_trait<'tcx>(tcx: &ty::ctxt<'tcx>,
def: ast::DefId)
-> Option<Rc<ty::TraitRef<'tcx>>> {
let cstore = &tcx.sess.cstore;
let cdata = cstore.get_crate_data(def.krate);
decoder::get_impl_trait(&*cdata, def.node, tcx)
}
// Given a def_id for an impl, return information about its vtables
pub fn get_impl_vtables<'tcx>(tcx: &ty::ctxt<'tcx>,
def: ast::DefId)
-> typeck::vtable_res<'tcx> {
let cstore = &tcx.sess.cstore;
let cdata = cstore.get_crate_data(def.krate);
decoder::get_impl_vtables(&*cdata, def.node, tcx)
}
pub fn get_native_libraries(cstore: &cstore::CStore,
crate_num: ast::CrateNum)
-> Vec<(cstore::NativeLibaryKind, String)> {
let cdata = cstore.get_crate_data(crate_num);
decoder::get_native_libraries(&*cdata)
}
pub fn each_impl(cstore: &cstore::CStore,
crate_num: ast::CrateNum,
callback: |ast::DefId|) {
let cdata = cstore.get_crate_data(crate_num);
decoder::each_impl(&*cdata, callback)
}
pub fn each_implementation_for_type(cstore: &cstore::CStore,
def_id: ast::DefId,
callback: |ast::DefId|) {
let cdata = cstore.get_crate_data(def_id.krate);
decoder::each_implementation_for_type(&*cdata, def_id.node, callback)
}
pub fn each_implementation_for_trait(cstore: &cstore::CStore,
def_id: ast::DefId,
callback: |ast::DefId|) {
let cdata = cstore.get_crate_data(def_id.krate);
decoder::each_implementation_for_trait(&*cdata, def_id.node, callback)
}
/// If the given def ID describes an item belonging to a trait (either a
/// default method or an implementation of a trait method), returns the ID of
/// the trait that the method belongs to. Otherwise, returns `None`.
pub fn get_trait_of_item(cstore: &cstore::CStore,
def_id: ast::DefId,
tcx: &ty::ctxt)
-> Option<ast::DefId> {
let cdata = cstore.get_crate_data(def_id.krate);
decoder::get_trait_of_item(&*cdata, def_id.node, tcx)
}
pub fn get_tuple_struct_definition_if_ctor(cstore: &cstore::CStore,
def_id: ast::DefId)
-> Option<ast::DefId>
{
let cdata = cstore.get_crate_data(def_id.krate);
decoder::get_tuple_struct_definition_if_ctor(&*cdata, def_id.node)
}
pub fn get_dylib_dependency_formats(cstore: &cstore::CStore,
cnum: ast::CrateNum)
-> Vec<(ast::CrateNum, cstore::LinkagePreference)>
{
let cdata = cstore.get_crate_data(cnum);
decoder::get_dylib_dependency_formats(&*cdata)
}
pub fn get_missing_lang_items(cstore: &cstore::CStore, cnum: ast::CrateNum)
-> Vec<lang_items::LangItem>
{
let cdata = cstore.get_crate_data(cnum);
decoder::get_missing_lang_items(&*cdata)
}
pub fn get_method_arg_names(cstore: &cstore::CStore, did: ast::DefId)
-> Vec<String>
{
let cdata = cstore.get_crate_data(did.krate);
decoder::get_method_arg_names(&*cdata, did.node)
}
pub fn get_reachable_extern_fns(cstore: &cstore::CStore, cnum: ast::CrateNum)
-> Vec<ast::DefId>
{
let cdata = cstore.get_crate_data(cnum);
decoder::get_reachable_extern_fns(&*cdata)
}
pub fn is_typedef(cstore: &cstore::CStore, did: ast::DefId) -> bool {
let cdata = cstore.get_crate_data(did.krate);
decoder::is_typedef(&*cdata, did.node)
}
pub fn get_stability(cstore: &cstore::CStore,
def: ast::DefId)
-> Option<attr::Stability> {
let cdata = cstore.get_crate_data(def.krate);
decoder::get_stability(&*cdata, def.node)
}
pub fn get_repr_attrs(cstore: &cstore::CStore, def: ast::DefId)
-> Vec<attr::ReprAttr> {
let cdata = cstore.get_crate_data(def.krate);
decoder::get_repr_attrs(&*cdata, def.node)
}
pub fn is_associated_type(cstore: &cstore::CStore, def: ast::DefId) -> bool {
let cdata = cstore.get_crate_data(def.krate);
decoder::is_associated_type(&*cdata, def.node)
}<|fim▁end|> |
/// Iterates over each child of the given item.
pub fn each_child_of_item(cstore: &cstore::CStore,
def_id: ast::DefId, |
<|file_name|>ChartsPageTest.java<|end_file_name|><|fim▁begin|>/*******************************************************************************
* This file is part of OpenNMS(R).
*
* Copyright (C) 2011-2012 The OpenNMS Group, Inc.
* OpenNMS(R) is Copyright (C) 1999-2012 The OpenNMS Group, Inc.
*
* OpenNMS(R) is a registered trademark of The OpenNMS Group, Inc.
*
* OpenNMS(R) is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published
* by the Free Software Foundation, either version 3 of the License,
* or (at your option) any later version.
*
* OpenNMS(R) 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 General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with OpenNMS(R). If not, see:
* http://www.gnu.org/licenses/
*
* For more information contact:
* OpenNMS(R) Licensing <[email protected]>
* http://www.opennms.org/
* http://www.opennms.com/
*******************************************************************************/
package org.opennms.smoketest;
import org.junit.Before;
import org.junit.Test;<|fim▁hole|>public class ChartsPageTest extends OpenNMSSeleniumTestCase {
@Before
public void setUp() throws Exception {
super.setUp();
clickAndWait("link=Charts");
}
@Test
public void testChartsPage() throws Exception {
waitForText("Charts");
waitForElement("css=img[alt=sample-bar-chart]");
waitForElement("css=img[alt=sample-bar-chart2]");
waitForElement("css=img[alt=sample-bar-chart3]");
}
}<|fim▁end|> | |
<|file_name|>Money.js<|end_file_name|><|fim▁begin|><|fim▁hole|> throw new Error('Numeral is required in global variable')
}
export default class MoneyComponent extends NumeralFieldComponent {
unformatValue(label) {
return label === '' ? undefined : numeral._.stringToNumber(label)
}
formatValue(real) {
return numeral(real) ? numeral(real).format('$0,0.[000000000000000000000]') : ''
}
}<|fim▁end|> | import NumeralFieldComponent from './Numeral'
const numeral = global.numeral
if (!numeral) { |
<|file_name|>ao_memory.py<|end_file_name|><|fim▁begin|>#!/usr/bin/env python
"""
Copyright (c) 2004-Present Pivotal Software, Inc.
This program and the accompanying materials are made available under
the terms of the under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
"""
from gppylib.commands.base import Command
from tinctest import logger
from mpp.lib.PSQL import PSQL
from mpp.models import MPPTestCase
import os
import re
import socket
import time
import shutil
import sys
import signal
class aoreadmemory(MPPTestCase):
def tearDown(self):
gpfaultinjector = Command('fault injector',
'source $GPHOME/greenplum_path.sh; '
'gpfaultinjector -f malloc_failure '
'-y reset -H ALL -r primary')
gpfaultinjector.run()
def test_ao_malloc_failure(self):
"""
@product_version gpdb: [4.3.5.1 -]
"""
PSQL.run_sql_command('DROP table if exists ao_read_malloc')
PSQL.run_sql_command('create table ao_read_malloc (a int) with (appendonly=true, compresstype=quicklz)')
PSQL.run_sql_command('insert into ao_read_malloc '
'select * from generate_series(1, 1000)')
gpfaultinjector = Command('fault injector',
'source $GPHOME/greenplum_path.sh; '
'gpfaultinjector -f malloc_failure '
'-y error -H ALL -r primary')<|fim▁hole|>
res ={'rc':0, 'stdout':'', 'stderr':''}
PSQL.run_sql_command(sql_cmd='select count(*) from ao_read_malloc', results=res)
logger.info(res)
self.assertTrue("ERROR: fault triggered" in res['stderr'])
self.assertFalse("ERROR: could not temporarily connect to one or more segments" in res['stderr'])
logger.info('Pass')<|fim▁end|> | gpfaultinjector.run() |
<|file_name|>transpile_config.py<|end_file_name|><|fim▁begin|># -*- coding: utf-8 -*-
# This code is part of Qiskit.
#
# (C) Copyright IBM 2017, 2019.
#
# This code is licensed under the Apache License, Version 2.0. You may
# obtain a copy of this license in the LICENSE.txt file in the root directory
# of this source tree or at http://www.apache.org/licenses/LICENSE-2.0.
#
# Any modifications or derivative works of this code must retain this<|fim▁hole|>
from qiskit.transpiler.models import TranspileConfigSchema
from qiskit.validation import BaseModel, bind_schema
@bind_schema(TranspileConfigSchema)
class TranspileConfig(BaseModel):
"""Model for TranspileConfig.
Please note that this class only describes the required fields. For the
full description of the model, please check ``TranspileConfigSchema``.
Attributes:
optimization_level (int): a non-negative integer indicating the
optimization level. 0 means no transformation on the circuit. Higher
levels may produce more optimized circuits, but may take longer.
"""
def __init__(self, optimization_level, **kwargs):
self.optimization_level = optimization_level
super().__init__(**kwargs)<|fim▁end|> | # copyright notice, and modified files need to carry a notice indicating
# that they have been altered from the originals.
"""Models for TranspileConfig and its related components.""" |
<|file_name|>endian.rs<|end_file_name|><|fim▁begin|>// Copyright (c) 2013-2015 Sandstorm Development Group, Inc. and contributors
// Licensed under the MIT License:
//
// 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,<|fim▁hole|>// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
// THE SOFTWARE.
use std::mem;
/// A value casted directly from a little-endian byte buffer. On big-endian
/// processors, the bytes of the value need to be swapped upon reading and writing.
#[repr(C)]
pub struct WireValue<T> {
value: T,
}
impl<T> WireValue<T> where T: Endian {
/// Reads the value, swapping bytes on big-endian processors.
#[inline]
pub fn get(&self) -> T { self.value.get() }
/// Writes the value, swapping bytes on big-endian processors.
#[inline]
pub fn set(&mut self, value: T) { self.value.set(value) }
}
/// Something that can appear in a `WireValue`.
pub trait Endian : Sized {
/// Reads the value, swapping bytes on big-endian processors.
fn get(&self) -> Self;
/// Writes the value, swapping bytes on big-endian processors.
fn set(&mut self, value: Self);
}
macro_rules! endian_impl(
($typ:ty) => (
impl Endian for $typ {
#[inline]
fn get(&self) -> $typ { *self }
#[inline]
fn set(&mut self, value: $typ) {*self = value;}
}
);
($typ:ty, $swapper:ident) => (
impl Endian for $typ {
#[inline]
fn get(&self) -> $typ { self.$swapper() }
#[inline]
fn set(&mut self, value: $typ) {
*self = value.$swapper();
}
}
);
);
// No swapping necessary for primitives of size less than one byte.
endian_impl!(());
endian_impl!(bool);
endian_impl!(u8);
endian_impl!(i8);
// Need to swap bytes for primitives larger than a byte.
endian_impl!(u16, to_le);
endian_impl!(i16, to_le);
endian_impl!(u32, to_le);
endian_impl!(i32, to_le);
endian_impl!(u64, to_le);
endian_impl!(i64, to_le);
impl Endian for f32 {
fn get(&self) -> f32 {
unsafe { mem::transmute(mem::transmute::<f32, u32>(*self).to_le()) }
}
fn set(&mut self, value : f32) {
*self = unsafe { mem::transmute(mem::transmute::<f32, u32>(value).to_le()) };
}
}
impl Endian for f64 {
fn get(&self) -> f64 {
unsafe { mem::transmute(mem::transmute::<f64, u64>(*self).to_le()) }
}
fn set(&mut self, value : f64) {
*self = unsafe { mem::transmute(mem::transmute::<f64, u64>(value).to_le()) };
}
}<|fim▁end|> | // 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, |
<|file_name|>testPanel.py<|end_file_name|><|fim▁begin|>#!/usr/bin/env python
# -*- coding: utf-8 -*-
panel_file = open('panels.txt','r')
name_file = open('testName.txt','r')
sample_type_file = open("sampleType.txt")
test_panel_results = open("output/testPanelResults.txt", 'w')
panel = []
type = []<|fim▁hole|>def get_split_names( name ):
split_name_list = name.split("/")
for i in range(0, len(split_name_list)):
split_name_list[i] = split_name_list[i].strip()
return split_name_list
def esc_char(name):
if "'" in name:
return "$$" + name + "$$"
else:
return "'" + name + "'"
for line in panel_file:
panel.append(line.strip())
panel_file.close()
for line in sample_type_file:
type.append(line.strip())
sample_type_file.close()
for line in name_file:
test_names.append(line.strip())
name_file.close()
test_panel_results.write("Below should be pasted to TestPanel.csv\n\n")
for row in range(0, len(test_names)):
if len(panel[row]) > 1:
test_description = esc_char(test_names[row] + "(" + type[row] + ")")
test_panel_results.write("nextval( 'panel_item_seq' ) , (select id from panel where name = '" + panel[row] + "')")
test_panel_results.write(" , (select id from test where description = " + test_description + ") , null , now() \n")
test_panel_results.close()
print "Done look for results in testPanelResults.txt"<|fim▁end|> | test_names = []
|
<|file_name|>apps.py<|end_file_name|><|fim▁begin|>from django.apps import AppConfig
<|fim▁hole|><|fim▁end|> | class AttachmentsConfig(AppConfig):
verbose_name = 'Attachments' |
<|file_name|>EvenSlaverDomainEntity.java<|end_file_name|><|fim▁begin|><|fim▁hole|>
import java.util.Date;
import ua.com.fielden.platform.domaintree.testing.EntityWithStringKeyType;
import ua.com.fielden.platform.entity.AbstractEntity;
import ua.com.fielden.platform.entity.DynamicEntityKey;
import ua.com.fielden.platform.entity.annotation.CompositeKeyMember;
import ua.com.fielden.platform.entity.annotation.IsProperty;
import ua.com.fielden.platform.entity.annotation.KeyTitle;
import ua.com.fielden.platform.entity.annotation.KeyType;
import ua.com.fielden.platform.entity.annotation.Observable;
/**
* Entity for "domain tree representation" testing.
*
* @author TG Team
*
*/
@KeyTitle(value = "Key title", desc = "Key desc")
@KeyType(DynamicEntityKey.class)
public class EvenSlaverDomainEntity extends AbstractEntity<DynamicEntityKey> {
private static final long serialVersionUID = 1L;
protected EvenSlaverDomainEntity() {
}
////////// Range types //////////
@IsProperty
@CompositeKeyMember(1)
private Integer integerProp = null;
@IsProperty
@CompositeKeyMember(2)
private Double doubleProp = 0.0;
@IsProperty
private Date dateProp;
////////// A property of entity type //////////
@IsProperty
private EntityWithStringKeyType simpleEntityProp;
public Integer getIntegerProp() {
return integerProp;
}
@Observable
public void setIntegerProp(final Integer integerProp) {
this.integerProp = integerProp;
}
public Double getDoubleProp() {
return doubleProp;
}
@Observable
public void setDoubleProp(final Double doubleProp) {
this.doubleProp = doubleProp;
}
public Date getDateProp() {
return dateProp;
}
@Observable
public void setDateProp(final Date dateProp) {
this.dateProp = dateProp;
}
public EntityWithStringKeyType getSimpleEntityProp() {
return simpleEntityProp;
}
@Observable
public void setSimpleEntityProp(final EntityWithStringKeyType simpleEntityProp) {
this.simpleEntityProp = simpleEntityProp;
}
}<|fim▁end|> | package ua.com.fielden.platform.entity_centre.review; |
<|file_name|>strategyAtrRsi.py<|end_file_name|><|fim▁begin|># encoding: UTF-8
"""
一个ATR-RSI指标结合的交易策略,适合用在股指的1分钟和5分钟线上。
注意事项:
1. 作者不对交易盈利做任何保证,策略代码仅供参考
2. 本策略需要用到talib,没有安装的用户请先参考www.vnpy.org上的教程安装
3. 将IF0000_1min.csv用ctaHistoryData.py导入MongoDB后,直接运行本文件即可回测策略
"""
from ctaBase import *
from ctaTemplate import CtaTemplate
import talib
import numpy as np
########################################################################
class AtrRsiStrategy(CtaTemplate):
"""结合ATR和RSI指标的一个分钟线交易策略"""
className = 'AtrRsiStrategy'
author = u'用Python的交易员'
# 策略参数
atrLength = 22 # 计算ATR指标的窗口数
atrMaLength = 10 # 计算ATR均线的窗口数
rsiLength = 5 # 计算RSI的窗口数
rsiEntry = 16 # RSI的开仓信号
trailingPercent = 0.8 # 百分比移动止损
initDays = 10 # 初始化数据所用的天数
# 策略变量
bar = None # K线对象
barMinute = EMPTY_STRING # K线当前的分钟
bufferSize = 100 # 需要缓存的数据的大小
bufferCount = 0 # 目前已经缓存了的数据的计数
highArray = np.zeros(bufferSize) # K线最高价的数组
lowArray = np.zeros(bufferSize) # K线最低价的数组
closeArray = np.zeros(bufferSize) # K线收盘价的数组
atrCount = 0 # 目前已经缓存了的ATR的计数
atrArray = np.zeros(bufferSize) # ATR指标的数组
atrValue = 0 # 最新的ATR指标数值
atrMa = 0 # ATR移动平均的数值
rsiValue = 0 # RSI指标的数值
rsiBuy = 0 # RSI买开阈值
rsiSell = 0 # RSI卖开阈值
intraTradeHigh = 0 # 移动止损用的持仓期内最高价
intraTradeLow = 0 # 移动止损用的持仓期内最低价
orderList = [] # 保存委托代码的列表
# 参数列表,保存了参数的名称
paramList = ['name',
'className',
'author',
'vtSymbol',
'atrLength',
'atrMaLength',
'rsiLength',
'rsiEntry',
'trailingPercent']
# 变量列表,保存了变量的名称<|fim▁hole|> 'pos',
'atrValue',
'atrMa',
'rsiValue',
'rsiBuy',
'rsiSell']
#----------------------------------------------------------------------
def __init__(self, ctaEngine, setting):
"""Constructor"""
super(AtrRsiStrategy, self).__init__(ctaEngine, setting)
#----------------------------------------------------------------------
def onInit(self):
"""初始化策略(必须由用户继承实现)"""
self.writeCtaLog(u'%s策略初始化' %self.name)
# 初始化RSI入场阈值
self.rsiBuy = 50 + self.rsiEntry
self.rsiSell = 50 - self.rsiEntry
# 载入历史数据,并采用回放计算的方式初始化策略数值
initData = self.loadBar(self.initDays)
for bar in initData:
self.onBar(bar)
self.putEvent()
#----------------------------------------------------------------------
def onStart(self):
"""启动策略(必须由用户继承实现)"""
self.writeCtaLog(u'%s策略启动' %self.name)
self.putEvent()
#----------------------------------------------------------------------
def onStop(self):
"""停止策略(必须由用户继承实现)"""
self.writeCtaLog(u'%s策略停止' %self.name)
self.putEvent()
#----------------------------------------------------------------------
def onTick(self, tick):
"""收到行情TICK推送(必须由用户继承实现)"""
# 计算K线
tickMinute = tick.datetime.minute
if tickMinute != self.barMinute:
if self.bar:
self.onBar(self.bar)
bar = CtaBarData()
bar.vtSymbol = tick.vtSymbol
bar.symbol = tick.symbol
bar.exchange = tick.exchange
bar.open = tick.lastPrice
bar.high = tick.lastPrice
bar.low = tick.lastPrice
bar.close = tick.lastPrice
bar.date = tick.date
bar.time = tick.time
bar.datetime = tick.datetime # K线的时间设为第一个Tick的时间
self.bar = bar # 这种写法为了减少一层访问,加快速度
self.barMinute = tickMinute # 更新当前的分钟
else: # 否则继续累加新的K线
bar = self.bar # 写法同样为了加快速度
bar.high = max(bar.high, tick.lastPrice)
bar.low = min(bar.low, tick.lastPrice)
bar.close = tick.lastPrice
#----------------------------------------------------------------------
def onBar(self, bar):
"""收到Bar推送(必须由用户继承实现)"""
# 撤销之前发出的尚未成交的委托(包括限价单和停止单)
for orderID in self.orderList:
self.cancelOrder(orderID)
self.orderList = []
# 保存K线数据
self.closeArray[0:self.bufferSize-1] = self.closeArray[1:self.bufferSize]
self.highArray[0:self.bufferSize-1] = self.highArray[1:self.bufferSize]
self.lowArray[0:self.bufferSize-1] = self.lowArray[1:self.bufferSize]
self.closeArray[-1] = bar.close
self.highArray[-1] = bar.high
self.lowArray[-1] = bar.low
self.bufferCount += 1
if self.bufferCount < self.bufferSize:
return
# 计算指标数值
self.atrValue = talib.ATR(self.highArray,
self.lowArray,
self.closeArray,
self.atrLength)[-1]
self.atrArray[0:self.bufferSize-1] = self.atrArray[1:self.bufferSize]
self.atrArray[-1] = self.atrValue
self.atrCount += 1
if self.atrCount < self.bufferSize:
return
self.atrMa = talib.MA(self.atrArray,
self.atrMaLength)[-1]
self.rsiValue = talib.RSI(self.closeArray,
self.rsiLength)[-1]
# 判断是否要进行交易
# 当前无仓位
if self.pos == 0:
self.intraTradeHigh = bar.high
self.intraTradeLow = bar.low
# ATR数值上穿其移动平均线,说明行情短期内波动加大
# 即处于趋势的概率较大,适合CTA开仓
if self.atrValue > self.atrMa:
# 使用RSI指标的趋势行情时,会在超买超卖区钝化特征,作为开仓信号
if self.rsiValue > self.rsiBuy:
# 这里为了保证成交,选择超价5个整指数点下单
self.buy(bar.close+5, 1)
return
if self.rsiValue < self.rsiSell:
self.short(bar.close-5, 1)
return
# 持有多头仓位
if self.pos == 1:
# 计算多头持有期内的最高价,以及重置最低价
self.intraTradeHigh = max(self.intraTradeHigh, bar.high)
self.intraTradeLow = bar.low
# 计算多头移动止损
longStop = self.intraTradeHigh * (1-self.trailingPercent/100)
# 发出本地止损委托,并且把委托号记录下来,用于后续撤单
orderID = self.sell(longStop, 1, stop=True)
self.orderList.append(orderID)
return
# 持有空头仓位
if self.pos == -1:
self.intraTradeLow = min(self.intraTradeLow, bar.low)
self.intraTradeHigh = bar.high
shortStop = self.intraTradeLow * (1+self.trailingPercent/100)
orderID = self.cover(shortStop, 1, stop=True)
self.orderList.append(orderID)
return
# 发出状态更新事件
self.putEvent()
#----------------------------------------------------------------------
def onOrder(self, order):
"""收到委托变化推送(必须由用户继承实现)"""
pass
#----------------------------------------------------------------------
def onTrade(self, trade):
pass
if __name__ == '__main__':
# 提供直接双击回测的功能
# 导入PyQt4的包是为了保证matplotlib使用PyQt4而不是PySide,防止初始化出错
from ctaBacktesting import *
from PyQt4 import QtCore, QtGui
# 创建回测引擎
engine = BacktestingEngine()
# 设置引擎的回测模式为K线
engine.setBacktestingMode(engine.BAR_MODE)
# 设置回测用的数据起始日期
engine.setStartDate('20120101')
# 载入历史数据到引擎中
engine.loadHistoryData(MINUTE_DB_NAME, 'IF0000')
# 设置产品相关参数
engine.setSlippage(0.2) # 股指1跳
engine.setRate(0.3/10000) # 万0.3
engine.setSize(300) # 股指合约大小
# 在引擎中创建策略对象
engine.initStrategy(AtrRsiStrategy, {})
# 开始跑回测
engine.runBacktesting()
# 显示回测结果
engine.showBacktestingResult()<|fim▁end|> | varList = ['inited',
'trading', |
<|file_name|>BaseDialogBuilder.java<|end_file_name|><|fim▁begin|>package com.avast.android.dialogs.core;
import android.content.Context;
import android.os.Bundle;
import android.support.v4.app.DialogFragment;
import android.support.v4.app.Fragment;
import android.support.v4.app.FragmentManager;
/**
* Internal base builder that holds common values for all dialog fragment builders.
*
* @author Tomas Vondracek
*/
public abstract class BaseDialogBuilder<T extends BaseDialogBuilder<T>> {
public final static String ARG_REQUEST_CODE = "request_code";
public final static String ARG_CANCELABLE_ON_TOUCH_OUTSIDE = "cancelable_oto";
public final static String DEFAULT_TAG = "simple_dialog";
private String mTag = DEFAULT_TAG;
public final static int DEFAULT_REQUEST_CODE = -42;
private int mRequestCode = DEFAULT_REQUEST_CODE;
public static String ARG_USE_DARK_THEME = "usedarktheme";
public static String ARG_USE_LIGHT_THEME = "uselighttheme";
protected final Context mContext;
protected final FragmentManager mFragmentManager;
protected final Class<? extends BaseDialogFragment> mClass;
private Fragment mTargetFragment;
private boolean mCancelable = true;
private boolean mCancelableOnTouchOutside = true;
private boolean mUseDarkTheme = false;
private boolean mUseLightTheme = false;
public BaseDialogBuilder(Context context, FragmentManager fragmentManager, Class<? extends BaseDialogFragment> clazz) {
mFragmentManager = fragmentManager;
mContext = context.getApplicationContext();
mClass = clazz;
}
protected abstract T self();
protected abstract Bundle prepareArguments();
public T setCancelable(boolean cancelable) {
mCancelable = cancelable;
return self();
}
public T setCancelableOnTouchOutside(boolean cancelable) {
mCancelableOnTouchOutside = cancelable;
if (cancelable) {
mCancelable = cancelable;
}
return self();
}
public T setTargetFragment(Fragment fragment, int requestCode) {
mTargetFragment = fragment;
mRequestCode = requestCode;
return self();
}
public T setRequestCode(int requestCode) {
mRequestCode = requestCode;
return self();
}
public T setTag(String tag) {
mTag = tag;
return self();
}
public T useDarkTheme() {
mUseDarkTheme = true;
return self();
}
public T useLightTheme() {
mUseLightTheme = true;
return self();
}
private BaseDialogFragment create() {
final Bundle args = prepareArguments();
final BaseDialogFragment fragment = (BaseDialogFragment) Fragment.instantiate(mContext, mClass.getName(), args);
args.putBoolean(ARG_CANCELABLE_ON_TOUCH_OUTSIDE, mCancelableOnTouchOutside);
args.putBoolean(ARG_USE_DARK_THEME, mUseDarkTheme);
args.putBoolean(ARG_USE_LIGHT_THEME, mUseLightTheme);
if (mTargetFragment != null) {
fragment.setTargetFragment(mTargetFragment, mRequestCode);
} else {
args.putInt(ARG_REQUEST_CODE, mRequestCode);
}
fragment.setCancelable(mCancelable);
return fragment;
}
public DialogFragment show() {
BaseDialogFragment fragment = create();<|fim▁hole|> }
/**
* Like show() but allows the commit to be executed after an activity's state is saved. This
* is dangerous because the commit can be lost if the activity needs to later be restored from
* its state, so this should only be used for cases where it is okay for the UI state to change
* unexpectedly on the user.
*/
public DialogFragment showAllowingStateLoss() {
BaseDialogFragment fragment = create();
fragment.showAllowingStateLoss(mFragmentManager, mTag);
return fragment;
}
}<|fim▁end|> | fragment.show(mFragmentManager, mTag);
return fragment; |
<|file_name|>UnauthenticatedProfile.tsx<|end_file_name|><|fim▁begin|>import * as React from 'react';
import { Platform, StyleSheet, View } from 'react-native';
import url from 'url';
import DevMenuContext from '../../DevMenuContext';
import * as DevMenuWebBrowser from '../../DevMenuWebBrowser';
import Colors from '../../constants/Colors';
import Endpoints from '../../constants/Endpoints';
import Button from '../Button';
import Loading from '../Loading';
import { StyledText } from '../Text';
export default function UnauthenticatedProfile() {
const context = React.useContext(DevMenuContext);
const [authenticationError, setAuthenticationError] = React.useState<string | null>(null);
const [isAuthenticating, setIsAuthenticating] = React.useState(false);
const mounted = React.useRef<boolean | null>(true);
React.useEffect(() => {
mounted.current = true;
return () => {
mounted.current = false;<|fim▁hole|> };
}, []);
const _handleAuthentication = async (urlPath: string) => {
if (isAuthenticating || !mounted.current) {
return;
}
setAuthenticationError(null);
setIsAuthenticating(true);
try {
const redirectBase = 'expo-dev-menu://auth';
const authSessionURL = `${
Endpoints.website.origin
}/${urlPath}?app_redirect_uri=${encodeURIComponent(redirectBase)}`;
const result = await DevMenuWebBrowser.openAuthSessionAsync(authSessionURL, redirectBase);
if (result.type === 'success') {
const resultURL = url.parse(result.url, true);
const sessionSecret = decodeURIComponent(resultURL.query['session_secret'] as string);
if (mounted.current) {
await context.setSession({ sessionSecret });
}
}
} catch (e) {
if (mounted.current) {
setAuthenticationError(e.message);
}
} finally {
if (mounted.current) {
setIsAuthenticating(false);
}
}
};
const _handleSignInPress = async () => {
await _handleAuthentication('login');
};
const _handleSignUpPress = async () => {
await _handleAuthentication('signup');
};
const title = 'Sign in to Continue';
const description = 'Sign in or create an Expo account to view your projects.';
if (isAuthenticating) {
return <Loading />;
}
return (
<View style={styles.contentContainer}>
<StyledText style={styles.titleText}>{title}</StyledText>
<StyledText
style={styles.descriptionText}
darkColor={Colors.dark.secondaryText}
lightColor={Colors.light.secondaryText}>
{description}
</StyledText>
<Button onPress={_handleSignInPress} tittle="Sign in to your account" />
<View style={{ marginBottom: 15 }} />
<Button onPress={_handleSignUpPress} tittle="Sign up for Expo" />
{authenticationError && (
<StyledText
style={styles.errorText}
darkColor={Colors.dark.error}
lightColor={Colors.light.error}>
Something went wrong when authenticating: {authenticationError}
</StyledText>
)}
</View>
);
}
const styles = StyleSheet.create({
contentContainer: {
paddingTop: 30,
alignItems: 'center',
justifyContent: 'center',
},
titleText: {
marginBottom: 15,
fontWeight: '400',
fontSize: 18,
},
descriptionText: {
textAlign: 'center',
marginHorizontal: 15,
marginBottom: 20,
...Platform.select({
ios: {
fontSize: 12,
lineHeight: 18,
},
android: {
fontSize: 14,
lineHeight: 20,
},
}),
},
errorText: {
textAlign: 'center',
marginHorizontal: 15,
marginTop: 20,
...Platform.select({
ios: {
fontSize: 15,
lineHeight: 20,
},
android: {
fontSize: 16,
lineHeight: 24,
},
}),
},
});<|fim▁end|> | |
<|file_name|>patches1.C<|end_file_name|><|fim▁begin|>// { dg-do assemble }
// GROUPS passed patches
// patches file
// From: [email protected]
// Date: Wed, 6 Oct 93 17:05:54 BST
// Subject: Reno 1.2 bug fix
// Message-ID: <[email protected]>
int type(float) { return 1; }<|fim▁hole|>
int main()
{
int i = 0;
if (type(0.0) != 2)
++i;
if (i > 0)
{ printf ("FAIL\n"); return 1; }
else
printf ("PASS\n");
}<|fim▁end|> | int type(double) { return 2; }
int type(long double) { return 3; }
extern "C" int printf( const char *, ...); |
<|file_name|>validateExpectedNssComponentsTree.cpp<|end_file_name|><|fim▁begin|>/*******************************************************************************
File: validateExpectedNssComponentsTree.cpp
Project: OpenSonATA
Authors: The OpenSonATA code is the result of many programmers
over many years
Copyright 2011 The SETI Institute
OpenSonATA is free software: you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation, either version 3 of the License, or
(at your option) any later version.
OpenSonATA 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 General Public License for more details.
You should have received a copy of the GNU General Public License
along with OpenSonATA. If not, see<http://www.gnu.org/licenses/>.
Implementers of this code are requested to include the caption
"Licensed through SETI" with a link to setiQuest.org.
For alternate licensing arrangements, please contact
The SETI Institute at www.seti.org or setiquest.org.
*******************************************************************************/<|fim▁hole|>
#include <iostream>
#include <SseUtil.h>
#include <ExpectedNssComponentsTree.h>
#include <sstream>
#include <cstdlib>
using namespace std;
int main(int argc, char *argv[])
{
if (argc != 2)
{
cerr << "Validates an ExpectedNssComponentsTree"
<< " configuration file." << endl;
cerr << "usage: " << argv[0] << " <config filename>" << endl;
exit (1);
}
string configFilename(argv[1]);
// make sure the file is there
if (! SseUtil::fileIsReadable(configFilename))
{
cerr << "Warning: Can't read config file " << configFilename << endl;
exit(1);
}
else
{
ExpectedNssComponentsTree *tree;
// load & parse the tree. any errors or warnings will
// be printed
stringstream errorStrm;
tree = new ExpectedNssComponentsTree(configFilename,
errorStrm);
// print out the parsed tree
cout << *tree;
// print out any errors
cout << errorStrm.str();
delete tree;
exit(0);
}
}<|fim▁end|> | |
<|file_name|>error.py<|end_file_name|><|fim▁begin|>class Error(object):
def __init__(self, code, msg=None, data=None):
self.code = code
self.msg = msg
self.data = data
<|fim▁hole|> err = self.to_dict()
return str(err)
def to_dict(self):
err = {}
err['err_code'] = self.code
if self.msg:
err['err_msg'] = self.msg
if self.data:
err['data'] = self.data
return err
def err_code(self):
return self.code
def err_msg(self):
return self.msg<|fim▁end|> | def __str__(self): |
<|file_name|>publish-gh-release-notes.py<|end_file_name|><|fim▁begin|>"""
Script used to publish GitHub release notes extracted from CHANGELOG.rst.
This script is meant to be executed after a successful deployment in GitHub actions.
Uses the following environment variables:
* GIT_TAG: the name of the tag of the current commit.
* GH_RELEASE_NOTES_TOKEN: a personal access token with 'repo' permissions.
Create one at:
https://github.com/settings/tokens
This token should be set in a secret in the repository, which is exposed as an
environment variable in the main.yml workflow file.
The script also requires ``pandoc`` to be previously installed in the system.
Requires Python3.6+.
"""
import os
import re
import sys
from pathlib import Path
import github3
import pypandoc
def publish_github_release(slug, token, tag_name, body):
github = github3.login(token=token)
owner, repo = slug.split("/")
repo = github.repository(owner, repo)
return repo.create_release(tag_name=tag_name, body=body)
def parse_changelog(tag_name):
p = Path(__file__).parent.parent / "doc/en/changelog.rst"
changelog_lines = p.read_text(encoding="UTF-8").splitlines()
title_regex = re.compile(r"pytest (\d\.\d+\.\d+) \(\d{4}-\d{2}-\d{2}\)")
consuming_version = False
version_lines = []
for line in changelog_lines:
m = title_regex.match(line)
if m:
# found the version we want: start to consume lines until we find the next version title
if m.group(1) == tag_name:
consuming_version = True<|fim▁hole|> version_lines.append(line)
return "\n".join(version_lines)
def convert_rst_to_md(text):
return pypandoc.convert_text(
text, "md", format="rst", extra_args=["--wrap=preserve"]
)
def main(argv):
if len(argv) > 1:
tag_name = argv[1]
else:
tag_name = os.environ.get("GITHUB_REF")
if not tag_name:
print("tag_name not given and $GITHUB_REF not set", file=sys.stderr)
return 1
if tag_name.startswith("refs/tags/"):
tag_name = tag_name[len("refs/tags/") :]
token = os.environ.get("GH_RELEASE_NOTES_TOKEN")
if not token:
print("GH_RELEASE_NOTES_TOKEN not set", file=sys.stderr)
return 1
slug = os.environ.get("GITHUB_REPOSITORY")
if not slug:
print("GITHUB_REPOSITORY not set", file=sys.stderr)
return 1
rst_body = parse_changelog(tag_name)
md_body = convert_rst_to_md(rst_body)
if not publish_github_release(slug, token, tag_name, md_body):
print("Could not publish release notes:", file=sys.stderr)
print(md_body, file=sys.stderr)
return 5
print()
print(f"Release notes for {tag_name} published successfully:")
print(f"https://github.com/{slug}/releases/tag/{tag_name}")
print()
return 0
if __name__ == "__main__":
sys.exit(main(sys.argv))<|fim▁end|> | # found a new version title while parsing the version we want: break out
elif consuming_version:
break
if consuming_version: |
<|file_name|>wallet_keypool.py<|end_file_name|><|fim▁begin|>#!/usr/bin/env python3
# Copyright (c) 2014-2017 The Doriancoin Core developers
# Distributed under the MIT software license, see the accompanying
# file COPYING or http://www.opensource.org/licenses/mit-license.php.
"""Test the wallet keypool and interaction with wallet encryption/locking."""
from test_framework.test_framework import DoriancoinTestFramework
from test_framework.util import *
class KeyPoolTest(DoriancoinTestFramework):
def set_test_params(self):
self.num_nodes = 1
def run_test(self):
nodes = self.nodes
addr_before_encrypting = nodes[0].getnewaddress()
addr_before_encrypting_data = nodes[0].validateaddress(addr_before_encrypting)
wallet_info_old = nodes[0].getwalletinfo()
assert(addr_before_encrypting_data['hdmasterkeyid'] == wallet_info_old['hdmasterkeyid'])
# Encrypt wallet and wait to terminate
nodes[0].node_encrypt_wallet('test')
# Restart node 0
self.start_node(0)
# Keep creating keys
addr = nodes[0].getnewaddress()
addr_data = nodes[0].validateaddress(addr)
wallet_info = nodes[0].getwalletinfo()<|fim▁hole|> # put six (plus 2) new keys in the keypool (100% external-, +100% internal-keys, 1 in min)
nodes[0].walletpassphrase('test', 12000)
nodes[0].keypoolrefill(6)
nodes[0].walletlock()
wi = nodes[0].getwalletinfo()
assert_equal(wi['keypoolsize_hd_internal'], 6)
assert_equal(wi['keypoolsize'], 6)
# drain the internal keys
nodes[0].getrawchangeaddress()
nodes[0].getrawchangeaddress()
nodes[0].getrawchangeaddress()
nodes[0].getrawchangeaddress()
nodes[0].getrawchangeaddress()
nodes[0].getrawchangeaddress()
addr = set()
# the next one should fail
assert_raises_rpc_error(-12, "Keypool ran out", nodes[0].getrawchangeaddress)
# drain the external keys
addr.add(nodes[0].getnewaddress())
addr.add(nodes[0].getnewaddress())
addr.add(nodes[0].getnewaddress())
addr.add(nodes[0].getnewaddress())
addr.add(nodes[0].getnewaddress())
addr.add(nodes[0].getnewaddress())
assert(len(addr) == 6)
# the next one should fail
assert_raises_rpc_error(-12, "Error: Keypool ran out, please call keypoolrefill first", nodes[0].getnewaddress)
# refill keypool with three new addresses
nodes[0].walletpassphrase('test', 1)
nodes[0].keypoolrefill(3)
# test walletpassphrase timeout
time.sleep(1.1)
assert_equal(nodes[0].getwalletinfo()["unlocked_until"], 0)
# drain them by mining
nodes[0].generate(1)
nodes[0].generate(1)
nodes[0].generate(1)
assert_raises_rpc_error(-12, "Keypool ran out", nodes[0].generate, 1)
nodes[0].walletpassphrase('test', 100)
nodes[0].keypoolrefill(100)
wi = nodes[0].getwalletinfo()
assert_equal(wi['keypoolsize_hd_internal'], 100)
assert_equal(wi['keypoolsize'], 100)
if __name__ == '__main__':
KeyPoolTest().main()<|fim▁end|> | assert(addr_before_encrypting_data['hdmasterkeyid'] != wallet_info['hdmasterkeyid'])
assert(addr_data['hdmasterkeyid'] == wallet_info['hdmasterkeyid'])
assert_raises_rpc_error(-12, "Error: Keypool ran out, please call keypoolrefill first", nodes[0].getnewaddress)
|
<|file_name|>book.rs<|end_file_name|><|fim▁begin|>use super::Processor;
use crate::data::messages::{BookRecord, BookUpdate, RecordUpdate};
use crate::data::trade::TradeBook;
use crate::error::PoloError;
use std::str::FromStr;
use std::sync::{Arc, Mutex};
#[derive(Clone)]
pub struct Accountant {
tb: Arc<Mutex<TradeBook>>,
}
impl Accountant {
pub fn new(tb: Arc<Mutex<TradeBook>>) -> Accountant {
Accountant { tb }<|fim▁hole|>impl Processor for Accountant {
fn process_message(&mut self, msg: String) -> Result<(), PoloError> {
let err = |title| PoloError::wrong_data(format!("{} {:?}", title, msg));
let update = BookUpdate::from_str(&msg)?;
for rec in update.records {
let mut tb = self.tb.lock().unwrap();
match rec {
RecordUpdate::Initial(book) => {
tb.add_book(book, update.book_id);
}
RecordUpdate::SellTotal(BookRecord { rate, amount }) => {
let book = tb
.book_by_id(update.book_id)
.ok_or_else(|| err("book not initialized"))?;
book.update_sell_orders(rate, amount);
}
RecordUpdate::BuyTotal(BookRecord { rate, amount }) => {
let book = tb
.book_by_id(update.book_id)
.ok_or_else(|| err("book not initialized"))?;
book.update_buy_orders(rate, amount);
}
RecordUpdate::Sell(deal) => {
let book = tb
.book_by_id(update.book_id)
.ok_or_else(|| err("book not initialized"))?;
book.new_deal(deal.id, deal.rate, -deal.amount)?;
}
RecordUpdate::Buy(deal) => {
let book = tb
.book_by_id(update.book_id)
.ok_or_else(|| err("book not initialized"))?;
book.new_deal(deal.id, deal.rate, deal.amount)?;
}
}
}
Ok(())
}
}
#[cfg(test)]
mod tests {
use super::Accountant;
use crate::actors::Processor;
use crate::data::messages::{BookUpdate, RecordUpdate};
use crate::data::trade::TradeBook;
use std::str::FromStr;
use std::sync::{Arc, Mutex};
#[test]
fn initial_order() {
let tb = Arc::new(Mutex::new(TradeBook::new()));
let mut accountant = Accountant::new(tb.clone());
let order = String::from(r#"[189, 5130995, [["i", {"currencyPair": "BTC_BCH", "orderBook": [{"0.13161901": 0.23709568, "0.13164313": "0.17328089"}, {"0.13169621": 0.2331}]}]]]"#);
accountant.process_message(order.clone()).unwrap();
let mut tb_mut = tb.lock().unwrap();
let actor_book = tb_mut.book_by_id(189).unwrap().book_ref();
match BookUpdate::from_str(&order).unwrap().records[0] {
RecordUpdate::Initial(ref book) => assert_eq!((&book.sell, &book.buy), (&actor_book.sell, &actor_book.buy)),
_ => panic!("BookUpdate::from_str were not able to parse RecordUpdate::Initial"),
}
}
}<|fim▁end|> | }
}
|
<|file_name|>read_project_steps.py<|end_file_name|><|fim▁begin|># -*- coding: utf-8 -*-
#!/usr/bin/env python
#
# Copyright 2014 BigML
#
# Licensed under the Apache License, Version 2.0 (the "License"); you may
# not use this file except in compliance with the License. You may obtain
# a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
# License for the specific language governing permissions and limitations
# under the License.
from world import world<|fim▁hole|>
def i_get_the_project(step, resource):
resource = world.api.get_project(resource)
world.status = resource['code']
assert world.status == HTTP_OK
world.project = resource['object']<|fim▁end|> | from bigml.api import HTTP_OK |
<|file_name|>DefaultGradientModel.java<|end_file_name|><|fim▁begin|>package com.michaelbaranov.microba.gradient;
import java.awt.Color;
import java.util.ArrayList;
import java.util.List;
import com.michaelbaranov.microba.common.AbstractBoundedTableModel;
/**
* A very basic implementation of {@link AbstractBoundedTableModel} used by
* default by {@link GradientBar}. This implementation has bounds 0 - 100 and
* is mutable.
*
* @author Michael Baranov
*
*/
public class DefaultGradientModel extends AbstractBoundedTableModel {
protected static final int POSITION_COLUMN = 0;
protected static final int COLOR_COLUMN = 1;
protected List positionList = new ArrayList(32);
protected List colorList = new ArrayList(32);
/**
* Constructor.
*/
public DefaultGradientModel() {
super();
positionList.add(new Integer(0));
colorList.add(Color.YELLOW);
positionList.add(new Integer(50));
colorList.add(Color.RED);
positionList.add(new Integer(100));
colorList.add(Color.GREEN);
}
public int getLowerBound() {
return 0;
}
public int getUpperBound() {
return 100;
}
public int getRowCount() {
return positionList.size();
}
public int getColumnCount() {
return 2;<|fim▁hole|> public Class getColumnClass(int columnIndex) {
switch (columnIndex) {
case POSITION_COLUMN:
return Integer.class;
case COLOR_COLUMN:
return Color.class;
}
return super.getColumnClass(columnIndex);
}
public Object getValueAt(int rowIndex, int columnIndex) {
switch (columnIndex) {
case POSITION_COLUMN:
return positionList.get(rowIndex);
case COLOR_COLUMN:
return colorList.get(rowIndex);
}
return null;
}
/**
* Adds a color point.
*
* @param color
* @param position
*/
public void add(Color color, int position) {
colorList.add(color);
positionList.add(new Integer(position));
fireTableDataChanged();
}
/**
* Removes a color point at specified index.
*
* @param index
*/
public void remove(int index) {
colorList.remove(index);
positionList.remove(index);
fireTableDataChanged();
}
/**
* Removes all color points.
*/
public void clear() {
colorList.clear();
positionList.clear();
fireTableDataChanged();
}
}<|fim▁end|> | }
|
<|file_name|>webpack.config.js<|end_file_name|><|fim▁begin|><|fim▁hole|><|fim▁end|> | module.exports.default = undefined; |
<|file_name|>urls.py<|end_file_name|><|fim▁begin|>from django.conf.urls import url
from waldur_mastermind.booking import views
<|fim▁hole|> r'booking-resources', views.ResourceViewSet, basename='booking-resource'
)
router.register(
r'booking-offerings', views.OfferingViewSet, basename='booking-offering'
)
urlpatterns = [
url(
r'^api/marketplace-bookings/(?P<uuid>[a-f0-9]+)/$',
views.OfferingBookingsViewSet.as_view(),
),
]<|fim▁end|> |
def register_in(router):
router.register( |
<|file_name|>alpha.py<|end_file_name|><|fim▁begin|>#csv module.
import csv
from geopy import geocoders
from collections import defaultdict
import json
def checkgeocode(geocode):
#return len(geocode)
if len(geocode) < 9:
return "0"+str(geocode)
else:
return geocode
with open('casualty.csv', 'rb') as f:
reader = csv.reader(f)
codelist = dict()
for row in reader:
codelist[row[3]] = row[5]
#print codelist<|fim▁hole|> writer = csv.writer(open("geocodes.csv", 'wb+'))
for k,v in codelist.iteritems():
writer.writerow([k ,v])
with open('dead.csv', 'rb') as f:
reader = csv.reader(f)
counts = defaultdict(int)
for row in reader:
counts[row[3]] += 1
for k,v in counts.iteritems():
print k,v
writer = csv.writer(open("deadcounts.csv", 'wb+'))
for k,v in counts.iteritems():
gcode = str(checkgeocode(codelist[k]))
writer.writerow([k ,v, gcode])
print counts
json.dump(counts, open('dead.counts.json', 'w'))
with open('missing.csv', 'rb') as f:
reader = csv.reader(f)
counts = defaultdict(int)
for row in reader:
counts[row[3]] += 1
for k,v in counts.iteritems():
print k,v
writer = csv.writer(open("missingcounts.csv", 'wb+'))
for k,v in counts.iteritems():
writer.writerow([k ,v,codelist[k]])
print counts
json.dump(counts, open('dead.counts.json', 'w'))
with open('injured.csv', 'rb') as f:
reader = csv.reader(f)
counts = defaultdict(int)
for row in reader:
counts[row[3]] += 1
for k,v in counts.iteritems():
print k,v
writer = csv.writer(open("injuredcounts.csv", 'wb+'))
for k,v in counts.iteritems():
writer.writerow([k ,v,codelist[k]])
print counts
json.dump(counts, open('dead.counts.json', 'w'))
#g = geocoders.GoogleV3()
#place, (lat, lng) = g.geocode(row[3])
#print "%s: %.5f, %.5f" % (place, lat, lng)<|fim▁end|> | print codelist
for k,v in codelist.iteritems():
print k,v
|
<|file_name|>search-dao-queries.js<|end_file_name|><|fim▁begin|>/**
* @author Trilogis Srl
* @author Gustavo German Soria
*
* Search DAO queries module
*/
/**
* Import of the line model
* @type {exports}
*/
var line = require('./../models/line.js');
/**
* Import of the road model
* @type {exports}
*/
var road = require('./../models/road.js');
/**
* Import of the polygon model
* @type {exports}
*/
var polygon = require('./../models/polygon.js');
/**
* Import of the point model
* @type {exports}
*/
var point = require('./../models/point.js');
/**
* Import of the validation module
* @type {exports}
*/
var val = require('./../util/validator.js');
/**
* Import of the parameters module
* @type {exports}
*/
var params = require('./../util/params.js');
/**
* Internal use: it retrieves the correct table name (entity table) from the given entity type identifier stored in the callback object
* @param callback Callback object in which is stored the entity type identifier
* @returns {String} a table name
*/
var getTable = function(callback){
/*
validation of the entity type identifier
*/
val.assertType(callback);
/*
variable for the table name, initialized as undefined
*/
var table = undefined;
/*
select the correct value for the table variable
*/
switch (callback.params.type) {
case params.LINE :
{
table = line.model.table;
}
break;
case params.POLYGON :
{
table = polygon.model.table;
}
break;
case params.ROAD :
{
table = road.model.table;
}
break;
case params.POINT :
{
table = point.model.table;
}
break;
}
/*
validation of the table variable
*/
val.assertNotUndefined(table);
return table;
}
/**
* Internal use: it retrieves the correct table name (name table) from the given entity type identifier stored in the callback object
* @param callback Callback object in which is stored the entity type identifier
* @returns {String} a table name
*/
var getNameTable = function(callback){
/*
validation of the entity type identifier
*/
val.assertType(callback);
/*
variable for the table name, initialized as undefined
*/
var table = undefined;
/*
select the correct value for the table variable
*/
switch (callback.params.type) {
case params.LINE :
{
table = line.model.nameTable;
}<|fim▁hole|> }
break;
case params.ROAD :
{
table = road.model.nameTable;
}
break;
case params.POINT :
{
table = point.model.nameTable;
}
break;
}
/*
validation of the table variable
*/
val.assertNotUndefined(table);
return table;
}
/**
* Internal use: it retrieves the correct table name (name relationship table) from the given entity type identifier stored in the callback object
* @param callback Callback object in which is stored the entity type identifier
* @returns {String} a table name
*/
var getNameRelTable = function(callback){
/*
validation of the entity type identifier
*/
val.assertType(callback);
/*
variable for the table name, initialized as undefined
*/
var table = undefined;
/*
select the correct value for the table variable
*/
switch (callback.params.type) {
case params.LINE :
{
table = line.model.nameRelTable;
}
break;
case params.POLYGON :
{
table = polygon.model.nameRelTable;
}
break;
case params.ROAD :
{
table = road.model.nameRelTable;
}
break;
case params.POINT :
{
table = point.model.nameRelTable;
}
break;
}
/*
validation of the table variable
*/
val.assertNotUndefined(table);
return table;
}
/**
* Internal use: it retrieves the correct table name (style table) from the given entity type identifier stored in the callback object
* @param callback Callback object in which is stored the entity type identifier
* @returns {String} a table name
*/
var getStyleTable = function(callback){
/*
validation of the entity type identifier
*/
val.assertType(callback);
/*
variable for the table name, initialized as undefined
*/
var table = undefined;
/*
select the correct value for the table variable
*/
switch (callback.params.type) {
case params.LINE :
{
table = line.model.styleTable;
}
break;
case params.POLYGON :
{
table = polygon.model.styleTable;
}
break;
case params.ROAD :
{
table = road.model.styleTable;
}
break;
case params.POINT :
{
table = point.model.styleTable;
}
break;
}
/*
validation of the table variable
*/
val.assertNotUndefined(table);
return table;
}
var getByPartialName = function(callback){
/**
* Table names. They are retrieved from the entity type identifier stored in the callback object
* @type {String} the table name
*/
var table = getTable(callback);
var nameTable = getNameTable(callback);
var nameRelTable = getNameRelTable(callback);
var styleTable = getStyleTable(callback);
var _query = "" +
"SELECT osm_id, name, lod FROM "+table+" NATURAL JOIN "+styleTable+" WHERE is_deleted = false AND lod <= $1::integer AND osm_id IN (SELECT DISTINCT osm_id FROM "+nameRelTable+" WHERE name_id IN (SELECT name_id FROM "+nameTable+" WHERE name ILIKE $2::varchar)) ORDER BY lod";
return _query;
}
module.exports.getByPartialName = getByPartialName;<|fim▁end|> | break;
case params.POLYGON :
{
table = polygon.model.nameTable; |
<|file_name|>index.rs<|end_file_name|><|fim▁begin|>#![feature(test)]
extern crate test;
extern crate bloodhound;
use test::Bencher;
use std::path::PathBuf;
use bloodhound::Index;
#[bench]
fn bench_find(b: &mut Bencher) {<|fim▁hole|> let mut index = Index::new(PathBuf::from("."));
index.populate(None, false);
b.iter(|| index.find("match", 5));
}<|fim▁end|> | |
<|file_name|>arrayFrom.js<|end_file_name|><|fim▁begin|>/**
* Array.from ponyfill.
*
* @param {Object} iterable
*
* @returns {Array}<|fim▁hole|> */
export default function arrayFrom(iterable) {
const arr = [];
for (let i = 0; i < iterable.length; i += 1) {
arr.push(iterable[i]);
}
return arr;
}<|fim▁end|> | |
<|file_name|>template_test.go<|end_file_name|><|fim▁begin|>package template
import (
"bytes"
"io"
"io/ioutil"
"log"
"os"
"testing"
"text/template"
"github.com/k8sp/sextant/cloud-config-server/certgen"
"github.com/k8sp/sextant/clusterdesc"
"github.com/stretchr/testify/assert"
"github.com/topicai/candy"
"gopkg.in/yaml.v2"
)
func TestExecute(t *testing.T) {
out, err := ioutil.TempDir("", "")
candy.Must(err)
defer func() {
if e := os.RemoveAll(out); e != nil {
log.Printf("Generator.Gen failed deleting %s", out)
}
}()
caKey, caCrt := certgen.GenerateRootCA(out)
config := candy.WithOpened("./cluster-desc.sample.yaml", func(r io.Reader) interface{} {
b, e := ioutil.ReadAll(r)
candy.Must(e)
c := &clusterdesc.Cluster{}
assert.Nil(t, yaml.Unmarshal(b, &c))
return c
}).(*clusterdesc.Cluster)
tmpl, e := template.ParseFiles("cloud-config.template")
candy.Must(e)<|fim▁hole|> initialEtcdCluster := yml["coreos"].(map[interface{}]interface{})["etcd2"].(map[interface{}]interface{})["initial-cluster-token"]
assert.Equal(t, initialEtcdCluster, "etcd-cluster-1")
}<|fim▁end|> | var ccTmpl bytes.Buffer
Execute(tmpl, config, "00:25:90:c0:f7:80", caKey, caCrt, &ccTmpl)
yml := make(map[interface{}]interface{})
candy.Must(yaml.Unmarshal(ccTmpl.Bytes(), yml)) |
<|file_name|>simulation.py<|end_file_name|><|fim▁begin|>""" Define a simple framework for time-evolving a set of arbitrary agents and
monitoring their evolution.
"""
import numpy as np
def int_r(f):
""" Convert to nearest integer. """
return int(np.round(f))
class Simulation(object):
""" A class that manages the evolution of a set of agents.
This is a simple objects that essentially just keeps track of simulation time
and calls the `evolve(self, t, dt)` method on a set of agents, allowing them
to update their states.
There are a few bells and whistles. First of all, each agent can also have a
method `prepare(self, tmax, dt)`. If this method exists, it is called before
every `run` and can be used to prepare the agent for the simulation.
Typically the agents are run in the order in which they are given as arguments
to `__init__`. If, however, agents have a field called `order`, this is used
to identify their position in the running hierarchy. Agents that don't have
this field are assumed to have an order of 0.
Attributes
----------
agents: sequence
The sequence of agents in the simulation. This is ordered according to the
agents' `order` field (if it exists).
dt: float
Simulation time step.
"""
def __init__(self, *agents, **kwargs):
""" Initialize with a set of agents.
Arguments
---------
A1, A2, ...: agents
These are the agents to be used in the simulation. Each agent should
have a method `evolve(self, t, dt)` that is called for each time step.
If the agent further has a method `prepare(self, tmax, dt)`, this is
called before the simulation.
dt: float (default: 0.1)
Set the time step.
"""
order = [getattr(agent, 'order', 0) for agent in agents]
self.agents = [_[0] for _ in sorted(zip(agents, order), key=lambda x: x[1])]
self.dt = kwargs.pop('dt', 0.1)
if len(kwargs) > 0:
raise TypeError("Unexpected keyword argument '" + str(kwargs.keys()[0]) +
"'.")
def run(self, t):
""" Run the simulation for a time `t`. """
# cache some values, for speed
agents = self.agents
dt = self.dt
# prepare the agents that support it
for agent in self.agents:
if hasattr(agent, 'prepare'):
agent.prepare(t, dt)
# run the simulation
crt_t = 0.0
for i in xrange(int_r(t/dt)):
for agent in agents:
agent.evolve(crt_t, dt)
crt_t += dt
class EventMonitor(object):
""" A class that can be used to track agent 'events' -- effectively tracking a
boolean vector from the target object.
The `order` attribute for this class is set to 1 by default, so that it gets
executed after all the usual agents are executed (so that events can be
detected for the time step that just ended).
Attributes
----------
t: list
Times at which events were registered.
i: list
Indices of units that triggered the events. This is matched with `t`.
N: int
Number of units in agent that is being tracked.
agent:
Agent that is being tracked.
event: string
The agent attribute that is being monitored.
"""
def __init__(self, agent, event='spike'):
""" Create a monitor.
Arguments
---------
agent:
The agent whose events should be tracked.
event: string
Name of event to track. The agent should have an attribute with the name
given by `event`, and this should be a sequence with a consistent size
throughout the simulation.
"""
self.event = event
self.agent = agent
self.t = []
self.i = []
self.order = 10
def prepare(self, tmax, dt):
self.t = []
self.i = []
self.N = None
def evolve(self, t, dt):
events = getattr(self.agent, self.event)
if self.N is None:
self.N = len(events)
idxs = np.asarray(events).nonzero()[0]
n = len(idxs)
if n > 0:
self.t.extend([t]*n)
self.i.extend(idxs)
class StateMonitor(object):
""" A class that can be used to monitor the time evolution of an attribute of
an agent.
The `order` attribute for this class is set to 1 by default, so that it gets
executed after all the usual agents are executed. This means that it stores
the values of the state variables at the end of each time step.
Attributes
----------
t: array
Array of times where state has been monitored.
<var1>:
<var2>:
...
<varK>: array, size (N, n)
Values of monitored quantities. `N` is the number of units that are
targeted, and `n` is the number of time steps.
_agent:
Agent that is being targeted.
_interval: float
Time interval used for recording.
_targets: sequence of string
Quantities to be recorded.
"""
def __init__(self, agent, targets, interval=None):
""" Create a state monitor.
Arguments
---------
agent:
The agent whose attributes we're tracking.
targets: string or iterable of strings.
The names of the agent attribute(s) that should be tracked.
interval: float
If provided, the interval of time at which to record. This should be an
integer multiple of the simulation time step. If not provided, recording
is done at every time step.
"""
self._agent = agent
self._interval = interval
self._targets = [targets] if isinstance(targets, (str,unicode)) else targets
self.order = 10
def prepare(self, tmax, dt):
if self._interval is None:
self._interval = dt
self._step = int_r(self._interval/dt)
self.t = np.arange(0.0, tmax, self._step*dt)
self._n = 0
self._i = 0
self._first_record = True
def _prepare_buffers(self):
""" Create recording buffers. """
tgt_ptrs = []
for tname in self._targets:
target = getattr(self._agent, tname)
dtype = getattr(target, 'dtype', type(target))
# using Fortran ordering can make a huge difference in speed of monitoring
# (factor of 2 or 3)!
setattr(self, tname, np.zeros((np.size(target), len(self.t)), dtype=dtype,
order='F'))
# cache references to the targets, for faster access
tgt_ptrs.append(getattr(self, tname))
self._first_record = False
self._target_ptrs = tgt_ptrs
def evolve(self, t, dt):
if self._n % self._step == 0:
# make sure all buffers are the right size
if self._first_record:
self._prepare_buffers()<|fim▁hole|> for tname, storage in zip(self._targets, self._target_ptrs):
target = getattr(agent, tname)
storage[:, i] = target
self._i += 1
self._n += 1<|fim▁end|> |
agent = self._agent
i = self._i |
<|file_name|>regexp_test.cc<|end_file_name|><|fim▁begin|>// Copyright 2006 The RE2 Authors. All Rights Reserved.
// Use of this source code is governed by a BSD-style
// license that can be found in the LICENSE file.<|fim▁hole|>#include <vector>
#include "util/test.h"
#include "re2/regexp.h"
namespace re2 {
// Test that overflowed ref counts work.
TEST(Regexp, BigRef) {
Regexp* re;
re = Regexp::Parse("x", Regexp::NoParseFlags, NULL);
for (int i = 0; i < 100000; i++)
re->Incref();
for (int i = 0; i < 100000; i++)
re->Decref();
CHECK_EQ(re->Ref(), 1);
re->Decref();
}
// Test that very large Concats work.
// Depends on overflowed ref counts working.
TEST(Regexp, BigConcat) {
Regexp* x;
x = Regexp::Parse("x", Regexp::NoParseFlags, NULL);
vector<Regexp*> v(90000, x); // ToString bails out at 100000
for (int i = 0; i < v.size(); i++)
x->Incref();
CHECK_EQ(x->Ref(), 1 + v.size()) << x->Ref();
Regexp* re = Regexp::Concat(&v[0], v.size(), Regexp::NoParseFlags);
CHECK_EQ(re->ToString(), string(v.size(), 'x'));
re->Decref();
CHECK_EQ(x->Ref(), 1) << x->Ref();
x->Decref();
}
TEST(Regexp, NamedCaptures) {
Regexp* x;
RegexpStatus status;
x = Regexp::Parse(
"(?P<g1>a+)|(e)(?P<g2>w*)+(?P<g1>b+)", Regexp::PerlX, &status);
EXPECT_TRUE(status.ok());
EXPECT_EQ(4, x->NumCaptures());
const map<string, int>* have = x->NamedCaptures();
EXPECT_TRUE(have != NULL);
EXPECT_EQ(2, have->size()); // there are only two named groups in
// the regexp: 'g1' and 'g2'.
map<string, int> want;
want["g1"] = 1;
want["g2"] = 3;
EXPECT_EQ(want, *have);
x->Decref();
delete have;
}
TEST(Regexp, CaptureNames) {
Regexp* x;
RegexpStatus status;
x = Regexp::Parse(
"(?P<g1>a+)|(e)(?P<g2>w*)+(?P<g1>b+)", Regexp::PerlX, &status);
EXPECT_TRUE(status.ok());
EXPECT_EQ(4, x->NumCaptures());
const map<int, string>* have = x->CaptureNames();
EXPECT_TRUE(have != NULL);
EXPECT_EQ(3, have->size());
map<int, string> want;
want[1] = "g1";
want[3] = "g2";
want[4] = "g1";
EXPECT_EQ(want, *have);
x->Decref();
delete have;
}
} // namespace re2<|fim▁end|> |
// Test parse.cc, dump.cc, and tostring.cc.
#include <string> |
<|file_name|>logic.py<|end_file_name|><|fim▁begin|>from django.core.exceptions import PermissionDenied
from core.models import Author, Editor
def copy_author_to_submission(user, book):
author = Author(
first_name=user.first_name,
middle_name=user.profile.middle_name,
last_name=user.last_name,
salutation=user.profile.salutation,
institution=user.profile.institution,
department=user.profile.department,
country=user.profile.country,
author_email=user.email,
biography=user.profile.biography,
orcid=user.profile.orcid,
twitter=user.profile.twitter,
linkedin=user.profile.linkedin,
facebook=user.profile.facebook,
)
author.save()<|fim▁hole|>
def copy_editor_to_submission(user, book):
editor = Editor(
first_name=user.first_name,
middle_name=user.profile.middle_name,
last_name=user.last_name,
salutation=user.profile.salutation,
institution=user.profile.institution,
department=user.profile.department,
country=user.profile.country,
author_email=user.email,
biography=user.profile.biography,
orcid=user.profile.orcid,
twitter=user.profile.twitter,
linkedin=user.profile.linkedin,
facebook=user.profile.facebook,
)
editor.save()
book.editor.add(editor)
return editor
def check_stage(book, check):
if book.submission_stage >= check:
pass
elif book.submission_date:
raise PermissionDenied()
else:
raise PermissionDenied()
def handle_book_labels(post, book, kind):
for _file in book.files.all():
if _file.kind == kind and post.get("%s" % _file.id, None):
_file.label = post.get("%s" % _file.id)
_file.save()
def handle_copyedit_author_labels(post, copyedit, kind):
for _file in copyedit.author_files.all():
if _file.kind == kind and post.get("%s" % _file.id, None):
_file.label = post.get("%s" % _file.id)
_file.save()<|fim▁end|> | book.author.add(author)
return author |
<|file_name|>bitcoin_sk.ts<|end_file_name|><|fim▁begin|><?xml version="1.0" ?><!DOCTYPE TS><TS language="sk" version="2.0">
<defaultcodec>UTF-8</defaultcodec>
<context>
<name>AboutDialog</name>
<message>
<location filename="../forms/aboutdialog.ui" line="+14"/>
<source>About stripecoin</source>
<translation>O stripecoin</translation>
</message>
<message>
<location line="+39"/>
<source><b>stripecoin</b> version</source>
<translation><b>stripecoin</b> verzia</translation>
</message>
<message>
<location line="+57"/>
<source>
This is experimental software.
Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php.
This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young ([email protected]) and UPnP software written by Thomas Bernard.</source>
<translation type="unfinished"/>
</message>
<message>
<location filename="../aboutdialog.cpp" line="+14"/>
<source>Copyright</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source>The stripecoin developers</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>AddressBookPage</name>
<message>
<location filename="../forms/addressbookpage.ui" line="+14"/>
<source>Address Book</source>
<translation>Adresár</translation>
</message>
<message>
<location line="+19"/>
<source>Double-click to edit address or label</source>
<translation>Dvojklikom editovať adresu alebo popis</translation>
</message>
<message>
<location line="+27"/>
<source>Create a new address</source>
<translation>Vytvoriť novú adresu</translation>
</message>
<message>
<location line="+14"/>
<source>Copy the currently selected address to the system clipboard</source>
<translation>Kopírovať práve zvolenú adresu do systémového klipbordu</translation>
</message>
<message>
<location line="-11"/>
<source>&New Address</source>
<translation>&Nová adresa</translation>
</message>
<message>
<location filename="../addressbookpage.cpp" line="+63"/>
<source>These are your stripecoin addresses for receiving payments. You may want to give a different one to each sender so you can keep track of who is paying you.</source>
<translation>Toto sú Vaše stripecoin adresy pre prijímanie platieb. Môžete dať každému odosielateľovi inú rôznu adresu a tak udržiavať prehľad o platbách.</translation>
</message>
<message>
<location filename="../forms/addressbookpage.ui" line="+14"/>
<source>&Copy Address</source>
<translation>&Kopírovať adresu</translation>
</message>
<message>
<location line="+11"/>
<source>Show &QR Code</source>
<translation>Zobraz &QR Kód</translation>
</message>
<message>
<location line="+11"/>
<source>Sign a message to prove you own a stripecoin address</source>
<translation>Podpísať správu a dokázať že vlastníte túto adresu</translation>
</message>
<message>
<location line="+3"/>
<source>Sign &Message</source>
<translation>Podpísať &správu</translation>
</message>
<message>
<location line="+25"/>
<source>Delete the currently selected address from the list</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+27"/>
<source>Export the data in the current tab to a file</source>
<translation>Exportovať tento náhľad do súboru</translation>
</message>
<message>
<location line="+3"/>
<source>&Export</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-44"/>
<source>Verify a message to ensure it was signed with a specified stripecoin address</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>&Verify Message</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+14"/>
<source>&Delete</source>
<translation>&Zmazať</translation>
</message>
<message>
<location filename="../addressbookpage.cpp" line="-5"/>
<source>These are your stripecoin addresses for sending payments. Always check the amount and the receiving address before sending coins.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+13"/>
<source>Copy &Label</source>
<translation>Kopírovať &popis</translation>
</message>
<message>
<location line="+1"/>
<source>&Edit</source>
<translation>&Upraviť</translation>
</message>
<message>
<location line="+1"/>
<source>Send &Coins</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+260"/>
<source>Export Address Book Data</source>
<translation>Exportovať dáta z adresára</translation>
</message>
<message>
<location line="+1"/>
<source>Comma separated file (*.csv)</source>
<translation>Čiarkou oddelený súbor (*.csv)</translation>
</message>
<message>
<location line="+13"/>
<source>Error exporting</source>
<translation>Chyba exportu.</translation>
</message>
<message>
<location line="+0"/>
<source>Could not write to file %1.</source>
<translation>Nedalo sa zapisovať do súboru %1.</translation>
</message>
</context>
<context>
<name>AddressTableModel</name>
<message>
<location filename="../addresstablemodel.cpp" line="+144"/>
<source>Label</source>
<translation>Popis</translation>
</message>
<message>
<location line="+0"/>
<source>Address</source>
<translation>Adresa</translation>
</message>
<message>
<location line="+36"/>
<source>(no label)</source>
<translation>(bez popisu)</translation>
</message>
</context>
<context>
<name>AskPassphraseDialog</name>
<message>
<location filename="../forms/askpassphrasedialog.ui" line="+26"/>
<source>Passphrase Dialog</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+21"/>
<source>Enter passphrase</source>
<translation>Zadajte heslo</translation>
</message>
<message>
<location line="+14"/>
<source>New passphrase</source>
<translation>Nové heslo</translation>
</message>
<message>
<location line="+14"/>
<source>Repeat new passphrase</source>
<translation>Zopakujte nové heslo</translation>
</message>
<message>
<location filename="../askpassphrasedialog.cpp" line="+33"/>
<source>Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>.</source>
<translation>Zadajte nové heslo k peňaženke.<br/>Prosím použite heslo s dĺžkou aspon <b>10 alebo viac náhodných znakov</b>, alebo <b>8 alebo viac slov</b>.</translation>
</message>
<message>
<location line="+1"/>
<source>Encrypt wallet</source>
<translation>Zašifrovať peňaženku</translation>
</message>
<message>
<location line="+3"/>
<source>This operation needs your wallet passphrase to unlock the wallet.</source>
<translation>Táto operácia potrebuje heslo k vašej peňaženke aby ju mohla dešifrovať.</translation>
</message>
<message>
<location line="+5"/>
<source>Unlock wallet</source>
<translation>Odomknúť peňaženku</translation>
</message>
<message>
<location line="+3"/>
<source>This operation needs your wallet passphrase to decrypt the wallet.</source>
<translation>Táto operácia potrebuje heslo k vašej peňaženke na dešifrovanie peňaženky.</translation>
</message>
<message>
<location line="+5"/>
<source>Decrypt wallet</source>
<translation>Dešifrovať peňaženku</translation>
</message>
<message>
<location line="+3"/>
<source>Change passphrase</source>
<translation>Zmena hesla</translation>
</message>
<message>
<location line="+1"/>
<source>Enter the old and new passphrase to the wallet.</source>
<translation>Zadajte staré a nové heslo k peňaženke.</translation>
</message>
<message>
<location line="+46"/>
<source>Confirm wallet encryption</source>
<translation>Potvrďte šifrovanie peňaženky</translation>
</message>
<message>
<location line="+1"/>
<source>Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR LITECOINS</b>!</source>
<translation>Varovanie: Ak zašifrujete peňaženku a stratíte heslo, <b>STRATÍTE VŠETKY VAŠE LITECOINY</b>!⏎</translation>
</message>
<message>
<location line="+0"/>
<source>Are you sure you wish to encrypt your wallet?</source>
<translation>Ste si istí, že si želáte zašifrovať peňaženku?</translation>
</message>
<message>
<location line="+15"/>
<source>IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+100"/>
<location line="+24"/>
<source>Warning: The Caps Lock key is on!</source>
<translation>Varovanie: Caps Lock je zapnutý</translation>
</message>
<message>
<location line="-130"/>
<location line="+58"/>
<source>Wallet encrypted</source>
<translation>Peňaženka zašifrovaná</translation>
</message>
<message>
<location line="-56"/>
<source>stripecoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your litecoins from being stolen by malware infecting your computer.</source>
<translation>stripecoin sa teraz ukončí pre dokončenie procesu šifrovania. Pamätaj že šifrovanie peňaženky Ťa nemôže úplne ochrániť pred kráďežou litecoinov pomocou škodlivého software.</translation>
</message>
<message>
<location line="+13"/>
<location line="+7"/>
<location line="+42"/>
<location line="+6"/>
<source>Wallet encryption failed</source>
<translation>Šifrovanie peňaženky zlyhalo</translation>
</message>
<message>
<location line="-54"/>
<source>Wallet encryption failed due to an internal error. Your wallet was not encrypted.</source>
<translation>Šifrovanie peňaženky zlyhalo kôli internej chybe. Vaša peňaženka nebola zašifrovaná.</translation>
</message>
<message>
<location line="+7"/>
<location line="+48"/>
<source>The supplied passphrases do not match.</source>
<translation>Zadané heslá nesúhlasia.</translation>
</message>
<message>
<location line="-37"/>
<source>Wallet unlock failed</source>
<translation>Odomykanie peňaženky zlyhalo</translation>
</message>
<message>
<location line="+1"/>
<location line="+11"/>
<location line="+19"/>
<source>The passphrase entered for the wallet decryption was incorrect.</source>
<translation>Zadané heslo pre dešifrovanie peňaženky bolo nesprávne.</translation>
</message>
<message>
<location line="-20"/>
<source>Wallet decryption failed</source>
<translation>Zlyhalo šifrovanie peňaženky.</translation>
</message>
<message>
<location line="+14"/>
<source>Wallet passphrase was successfully changed.</source>
<translation>Heslo k peňaženke bolo úspešne zmenené.</translation>
</message>
</context>
<context>
<name>BitcoinGUI</name>
<message>
<location filename="../bitcoingui.cpp" line="+233"/>
<source>Sign &message...</source>
<translation>Podpísať &správu...</translation>
</message>
<message>
<location line="+280"/>
<source>Synchronizing with network...</source>
<translation>Synchronizácia so sieťou...</translation>
</message>
<message>
<location line="-349"/>
<source>&Overview</source>
<translation>&Prehľad</translation>
</message>
<message>
<location line="+1"/>
<source>Show general overview of wallet</source>
<translation>Zobraziť celkový prehľad o peňaženke</translation>
</message>
<message>
<location line="+20"/>
<source>&Transactions</source>
<translation>&Transakcie</translation>
</message>
<message>
<location line="+1"/>
<source>Browse transaction history</source>
<translation>Prechádzať históriu transakcií</translation>
</message>
<message>
<location line="+7"/>
<source>Edit the list of stored addresses and labels</source>
<translation>Editovať zoznam uložených adries a popisov</translation>
</message>
<message>
<location line="-14"/>
<source>Show the list of addresses for receiving payments</source>
<translation>Zobraziť zoznam adries pre prijímanie platieb.</translation>
</message>
<message>
<location line="+31"/>
<source>E&xit</source>
<translation>U&končiť</translation>
</message>
<message>
<location line="+1"/>
<source>Quit application</source>
<translation>Ukončiť program</translation>
</message>
<message>
<location line="+4"/>
<source>Show information about stripecoin</source>
<translation>Zobraziť informácie o stripecoin</translation>
</message>
<message>
<location line="+2"/>
<source>About &Qt</source>
<translation>O &Qt</translation>
</message>
<message>
<location line="+1"/>
<source>Show information about Qt</source>
<translation>Zobrazit informácie o Qt</translation>
</message>
<message>
<location line="+2"/>
<source>&Options...</source>
<translation>&Možnosti...</translation>
</message>
<message>
<location line="+6"/>
<source>&Encrypt Wallet...</source>
<translation>&Zašifrovať Peňaženku...</translation>
</message>
<message>
<location line="+3"/>
<source>&Backup Wallet...</source>
<translation>&Backup peňaženku...</translation>
</message>
<message>
<location line="+2"/>
<source>&Change Passphrase...</source>
<translation>&Zmena Hesla...</translation>
</message>
<message>
<location line="+285"/>
<source>Importing blocks from disk...</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Reindexing blocks on disk...</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-347"/>
<source>Send coins to a stripecoin address</source>
<translation>Poslať litecoins na adresu</translation>
</message>
<message>
<location line="+49"/>
<source>Modify configuration options for stripecoin</source>
<translation>Upraviť možnosti nastavenia pre stripecoin</translation>
</message>
<message>
<location line="+9"/>
<source>Backup wallet to another location</source>
<translation>Zálohovať peňaženku na iné miesto</translation>
</message>
<message>
<location line="+2"/>
<source>Change the passphrase used for wallet encryption</source>
<translation>Zmeniť heslo použité na šifrovanie peňaženky</translation>
</message>
<message>
<location line="+6"/>
<source>&Debug window</source>
<translation>&Okno pre ladenie</translation>
</message>
<message>
<location line="+1"/>
<source>Open debugging and diagnostic console</source>
<translation>Otvor konzolu pre ladenie a diagnostiku</translation>
</message>
<message>
<location line="-4"/>
<source>&Verify message...</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-165"/>
<location line="+530"/>
<source>stripecoin</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-530"/>
<source>Wallet</source>
<translation>Peňaženka</translation>
</message>
<message>
<location line="+101"/>
<source>&Send</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+7"/>
<source>&Receive</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+14"/>
<source>&Addresses</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+22"/>
<source>&About stripecoin</source>
<translation>&O stripecoin</translation>
</message>
<message>
<location line="+9"/>
<source>&Show / Hide</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Show or hide the main Window</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Encrypt the private keys that belong to your wallet</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+7"/>
<source>Sign messages with your stripecoin addresses to prove you own them</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Verify messages to ensure they were signed with specified stripecoin addresses</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+28"/>
<source>&File</source>
<translation>&Súbor</translation>
</message>
<message>
<location line="+7"/>
<source>&Settings</source>
<translation>&Nastavenia</translation>
</message>
<message>
<location line="+6"/>
<source>&Help</source>
<translation>&Pomoc</translation>
</message>
<message>
<location line="+9"/>
<source>Tabs toolbar</source>
<translation>Lišta záložiek</translation>
</message>
<message>
<location line="+17"/>
<location line="+10"/>
<source>[testnet]</source>
<translation>[testovacia sieť]</translation>
</message>
<message>
<location line="+47"/>
<source>stripecoin client</source>
<translation>stripecoin klient</translation>
</message>
<message numerus="yes">
<location line="+141"/>
<source>%n active connection(s) to stripecoin network</source>
<translation><numerusform>%n aktívne spojenie v stripecoin sieti</numerusform><numerusform>%n aktívne spojenia v stripecoin sieti</numerusform><numerusform>%n aktívnych spojení v Bitconi sieti</numerusform></translation>
</message>
<message>
<location line="+22"/>
<source>No block source available...</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+12"/>
<source>Processed %1 of %2 (estimated) blocks of transaction history.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+4"/>
<source>Processed %1 blocks of transaction history.</source>
<translation type="unfinished"/>
</message>
<message numerus="yes">
<location line="+20"/>
<source>%n hour(s)</source>
<translation type="unfinished"><numerusform></numerusform><numerusform></numerusform><numerusform></numerusform></translation>
</message>
<message numerus="yes">
<location line="+4"/>
<source>%n day(s)</source>
<translation type="unfinished"><numerusform></numerusform><numerusform></numerusform><numerusform></numerusform></translation>
</message>
<message numerus="yes">
<location line="+4"/>
<source>%n week(s)</source>
<translation type="unfinished"><numerusform></numerusform><numerusform></numerusform><numerusform></numerusform></translation>
</message>
<message>
<location line="+4"/>
<source>%1 behind</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+14"/>
<source>Last received block was generated %1 ago.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Transactions after this will not yet be visible.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+22"/>
<source>Error</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Warning</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Information</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+70"/>
<source>This transaction is over the size limit. You can still send it for a fee of %1, which goes to the nodes that process your transaction and helps to support the network. Do you want to pay the fee?</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-140"/>
<source>Up to date</source>
<translation>Aktualizovaný</translation>
</message>
<message>
<location line="+31"/>
<source>Catching up...</source>
<translation>Sťahujem...</translation>
</message>
<message>
<location line="+113"/>
<source>Confirm transaction fee</source>
<translation>Potvrď poplatok za transakciu.</translation>
</message>
<message>
<location line="+8"/>
<source>Sent transaction</source>
<translation>Odoslané transakcie</translation>
</message>
<message>
<location line="+0"/>
<source>Incoming transaction</source>
<translation>Prijaté transakcie</translation>
</message>
<message>
<location line="+1"/>
<source>Date: %1
Amount: %2
Type: %3
Address: %4
</source>
<translation>Dátum: %1
Suma: %2
Typ: %3
Adresa: %4</translation>
</message>
<message>
<location line="+33"/>
<location line="+23"/>
<source>URI handling</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-23"/>
<location line="+23"/>
<source>URI can not be parsed! This can be caused by an invalid stripecoin address or malformed URI parameters.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+17"/>
<source>Wallet is <b>encrypted</b> and currently <b>unlocked</b></source>
<translation>Peňaženka je <b>zašifrovaná</b> a momentálne <b>odomknutá</b></translation>
</message>
<message>
<location line="+8"/>
<source>Wallet is <b>encrypted</b> and currently <b>locked</b></source>
<translation>Peňaženka je <b>zašifrovaná</b> a momentálne <b>zamknutá</b></translation>
</message>
<message>
<location filename="../bitcoin.cpp" line="+111"/>
<source>A fatal error occurred. stripecoin can no longer continue safely and will quit.</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>ClientModel</name>
<message>
<location filename="../clientmodel.cpp" line="+104"/>
<source>Network Alert</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>EditAddressDialog</name>
<message>
<location filename="../forms/editaddressdialog.ui" line="+14"/>
<source>Edit Address</source>
<translation>Upraviť adresu</translation>
</message>
<message>
<location line="+11"/>
<source>&Label</source>
<translation>&Popis</translation>
</message>
<message>
<location line="+10"/>
<source>The label associated with this address book entry</source>
<translation>Popis priradený k tomuto záznamu v adresári</translation>
</message>
<message>
<location line="+7"/>
<source>&Address</source>
<translation>&Adresa</translation>
</message>
<message>
<location line="+10"/>
<source>The address associated with this address book entry. This can only be modified for sending addresses.</source>
<translation>Adresa spojená s týmto záznamom v adresári. Možno upravovať len pre odosielajúce adresy.</translation>
</message>
<message>
<location filename="../editaddressdialog.cpp" line="+21"/>
<source>New receiving address</source>
<translation>Nová adresa pre prijímanie</translation>
</message>
<message>
<location line="+4"/>
<source>New sending address</source>
<translation>Nová adresa pre odoslanie</translation>
</message>
<message>
<location line="+3"/>
<source>Edit receiving address</source>
<translation>Upraviť prijímacie adresy</translation>
</message>
<message>
<location line="+4"/>
<source>Edit sending address</source>
<translation>Upraviť odosielaciu adresu</translation>
</message>
<message>
<location line="+76"/>
<source>The entered address "%1" is already in the address book.</source>
<translation>Vložená adresa "%1" sa už nachádza v adresári.</translation>
</message>
<message>
<location line="-5"/>
<source>The entered address "%1" is not a valid stripecoin address.</source>
<translation>Vložená adresa "%1" nieje platnou adresou stripecoin.</translation>
</message>
<message>
<location line="+10"/>
<source>Could not unlock wallet.</source>
<translation>Nepodarilo sa odomknúť peňaženku.</translation>
</message>
<message>
<location line="+5"/>
<source>New key generation failed.</source>
<translation>Generovanie nového kľúča zlyhalo.</translation>
</message>
</context>
<context>
<name>GUIUtil::HelpMessageBox</name>
<message>
<location filename="../guiutil.cpp" line="+424"/>
<location line="+12"/>
<source>stripecoin-Qt</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-12"/>
<source>version</source>
<translation>verzia</translation>
</message>
<message>
<location line="+2"/>
<source>Usage:</source>
<translation>Použitie:</translation>
</message>
<message>
<location line="+1"/>
<source>command-line options</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+4"/>
<source>UI options</source>
<translation>UI možnosti</translation>
</message>
<message>
<location line="+1"/>
<source>Set language, for example "de_DE" (default: system locale)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Start minimized</source>
<translation>Spustiť minimalizované</translation>
</message>
<message>
<location line="+1"/>
<source>Show splash screen on startup (default: 1)</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>OptionsDialog</name>
<message>
<location filename="../forms/optionsdialog.ui" line="+14"/>
<source>Options</source>
<translation>Možnosti</translation>
</message>
<message>
<location line="+16"/>
<source>&Main</source>
<translation>&Hlavné</translation>
</message>
<message>
<location line="+6"/>
<source>Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+15"/>
<source>Pay transaction &fee</source>
<translation>Zaplatiť transakčné &poplatky</translation>
</message>
<message>
<location line="+31"/>
<source>Automatically start stripecoin after logging in to the system.</source>
<translation>Automaticky spustiť stripecoin po zapnutí počítača</translation>
</message>
<message>
<location line="+3"/>
<source>&Start stripecoin on system login</source>
<translation>&Spustiť stripecoin pri spustení systému správy okien</translation>
</message>
<message>
<location line="+35"/>
<source>Reset all client options to default.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>&Reset Options</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+13"/>
<source>&Network</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+6"/>
<source>Automatically open the stripecoin client port on the router. This only works when your router supports UPnP and it is enabled.</source>
<translation>Automaticky otvorit port pre stripecoin na routeri. Toto funguje len ak router podporuje UPnP a je táto podpora aktivovaná.</translation>
</message>
<message>
<location line="+3"/>
<source>Map port using &UPnP</source>
<translation>Mapovať port pomocou &UPnP</translation>
</message>
<message>
<location line="+7"/>
<source>Connect to the stripecoin network through a SOCKS proxy (e.g. when connecting through Tor).</source>
<translation>Pripojiť do siete stripecoin cez SOCKS proxy (napr. keď sa pripájate cez Tor)</translation>
</message>
<message>
<location line="+3"/>
<source>&Connect through SOCKS proxy:</source>
<translation>&Pripojiť cez SOCKS proxy:</translation>
</message>
<message>
<location line="+9"/>
<source>Proxy &IP:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+19"/>
<source>IP address of the proxy (e.g. 127.0.0.1)</source>
<translation>IP addresa proxy (napr. 127.0.0.1)</translation>
</message>
<message>
<location line="+7"/>
<source>&Port:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+19"/>
<source>Port of the proxy (e.g. 9050)</source>
<translation>Port proxy (napr. 9050)</translation>
</message>
<message>
<location line="+7"/>
<source>SOCKS &Version:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+13"/>
<source>SOCKS version of the proxy (e.g. 5)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+36"/>
<source>&Window</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+6"/>
<source>Show only a tray icon after minimizing the window.</source>
<translation>Zobraziť len ikonu na lište po minimalizovaní okna.</translation>
</message>
<message>
<location line="+3"/>
<source>&Minimize to the tray instead of the taskbar</source>
<translation>Zobraziť len ikonu na lište po minimalizovaní okna.</translation>
</message>
<message>
<location line="+7"/>
<source>Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu.</source>
<translation>Minimalizovat namiesto ukončenia aplikácie keď sa okno zavrie. Keď je zvolená táto možnosť, aplikácia sa zavrie len po zvolení Ukončiť v menu.</translation>
</message>
<message>
<location line="+3"/>
<source>M&inimize on close</source>
<translation>M&inimalizovať pri zavretí</translation>
</message>
<message>
<location line="+21"/>
<source>&Display</source>
<translation>&Displej</translation>
</message>
<message>
<location line="+8"/>
<source>User Interface &language:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+13"/>
<source>The user interface language can be set here. This setting will take effect after restarting stripecoin.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+11"/>
<source>&Unit to show amounts in:</source>
<translation>&Zobrazovať hodnoty v jednotkách:</translation>
</message>
<message>
<location line="+13"/>
<source>Choose the default subdivision unit to show in the interface and when sending coins.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+9"/>
<source>Whether to show stripecoin addresses in the transaction list or not.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>&Display addresses in transaction list</source>
<translation>&Zobraziť adresy zo zoznamu transakcií</translation>
</message>
<message>
<location line="+71"/>
<source>&OK</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+7"/>
<source>&Cancel</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+10"/>
<source>&Apply</source>
<translation type="unfinished"/>
</message>
<message>
<location filename="../optionsdialog.cpp" line="+53"/>
<source>default</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+130"/>
<source>Confirm options reset</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Some settings may require a client restart to take effect.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source>Do you want to proceed?</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+42"/>
<location line="+9"/>
<source>Warning</source>
<translation>Varovanie</translation>
</message>
<message>
<location line="-9"/>
<location line="+9"/>
<source>This setting will take effect after restarting stripecoin.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+29"/>
<source>The supplied proxy address is invalid.</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>OverviewPage</name>
<message>
<location filename="../forms/overviewpage.ui" line="+14"/>
<source>Form</source>
<translation>Forma</translation>
</message>
<message>
<location line="+50"/>
<location line="+166"/>
<source>The displayed information may be out of date. Your wallet automatically synchronizes with the stripecoin network after a connection is established, but this process has not completed yet.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-124"/>
<source>Balance:</source>
<translation>Zostatok:</translation>
</message>
<message>
<location line="+29"/>
<source>Unconfirmed:</source>
<translation>Nepotvrdené:</translation>
</message>
<message>
<location line="-78"/>
<source>Wallet</source>
<translation>Peňaženka</translation>
</message>
<message>
<location line="+107"/>
<source>Immature:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+13"/>
<source>Mined balance that has not yet matured</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+46"/>
<source><b>Recent transactions</b></source>
<translation><b>Nedávne transakcie</b></translation>
</message>
<message>
<location line="-101"/>
<source>Your current balance</source>
<translation>Váš súčasný zostatok</translation>
</message>
<message>
<location line="+29"/>
<source>Total of transactions that have yet to be confirmed, and do not yet count toward the current balance</source>
<translation>Suma transakcií ktoré ešte neboli potvrdené a nezapočítavaju sa do celkového zostatku.</translation>
</message>
<message>
<location filename="../overviewpage.cpp" line="+116"/>
<location line="+1"/>
<source>out of sync</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>PaymentServer</name>
<message>
<location filename="../paymentserver.cpp" line="+107"/>
<source>Cannot start stripecoin: click-to-pay handler</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>QRCodeDialog</name>
<message>
<location filename="../forms/qrcodedialog.ui" line="+14"/>
<source>QR Code Dialog</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+59"/>
<source>Request Payment</source>
<translation>Vyžiadať platbu</translation>
</message>
<message>
<location line="+56"/>
<source>Amount:</source>
<translation>Suma:</translation>
</message>
<message>
<location line="-44"/>
<source>Label:</source>
<translation>Popis:</translation>
</message>
<message>
<location line="+19"/>
<source>Message:</source>
<translation>Správa:</translation>
</message>
<message>
<location line="+71"/>
<source>&Save As...</source>
<translation>&Uložiť ako...</translation>
</message>
<message>
<location filename="../qrcodedialog.cpp" line="+62"/>
<source>Error encoding URI into QR Code.</source>
<translation>Chyba v zakódovaní URI do QR kódu</translation>
</message>
<message>
<location line="+40"/>
<source>The entered amount is invalid, please check.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+23"/>
<source>Resulting URI too long, try to reduce the text for label / message.</source>
<translation>Výsledné URI príliš dlhé, skráť text pre názov / správu.</translation>
</message>
<message>
<location line="+25"/>
<source>Save QR Code</source>
<translation>Ukladanie QR kódu</translation>
</message>
<message>
<location line="+0"/>
<source>PNG Images (*.png)</source>
<translation>PNG obrázky (*.png)</translation>
</message>
</context>
<context>
<name>RPCConsole</name>
<message>
<location filename="../forms/rpcconsole.ui" line="+46"/>
<source>Client name</source>
<translation>Meno klienta</translation>
</message>
<message>
<location line="+10"/>
<location line="+23"/>
<location line="+26"/>
<location line="+23"/>
<location line="+23"/>
<location line="+36"/>
<location line="+53"/>
<location line="+23"/>
<location line="+23"/>
<location filename="../rpcconsole.cpp" line="+339"/>
<source>N/A</source>
<translation>nie je k dispozícii</translation>
</message>
<message>
<location line="-217"/>
<source>Client version</source>
<translation>Verzia klienta</translation>
</message>
<message>
<location line="-45"/>
<source>&Information</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+68"/>
<source>Using OpenSSL version</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+49"/>
<source>Startup time</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+29"/>
<source>Network</source>
<translation>Sieť</translation>
</message>
<message>
<location line="+7"/>
<source>Number of connections</source>
<translation>Počet pripojení</translation>
</message>
<message>
<location line="+23"/>
<source>On testnet</source>
<translation>Na testovacej sieti</translation>
</message>
<message>
<location line="+23"/>
<source>Block chain</source>
<translation>Reťazec blokov</translation>
</message>
<message>
<location line="+7"/>
<source>Current number of blocks</source>
<translation>Aktuálny počet blokov</translation>
</message>
<message>
<location line="+23"/>
<source>Estimated total blocks</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+23"/>
<source>Last block time</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+52"/>
<source>&Open</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+16"/>
<source>Command-line options</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+7"/>
<source>Show the stripecoin-Qt help message to get a list with possible stripecoin command-line options.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>&Show</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+24"/>
<source>&Console</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-260"/>
<source>Build date</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-104"/>
<source>stripecoin - Debug window</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+25"/>
<source>stripecoin Core</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+279"/>
<source>Debug log file</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+7"/>
<source>Open the stripecoin debug log file from the current data directory. This can take a few seconds for large log files.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+102"/>
<source>Clear console</source>
<translation type="unfinished"/>
</message>
<message>
<location filename="../rpcconsole.cpp" line="-30"/>
<source>Welcome to the stripecoin RPC console.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Type <b>help</b> for an overview of available commands.</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>SendCoinsDialog</name>
<message>
<location filename="../forms/sendcoinsdialog.ui" line="+14"/>
<location filename="../sendcoinsdialog.cpp" line="+124"/>
<location line="+5"/>
<location line="+5"/>
<location line="+5"/>
<location line="+6"/>
<location line="+5"/>
<location line="+5"/>
<source>Send Coins</source><|fim▁hole|> <location line="+50"/>
<source>Send to multiple recipients at once</source>
<translation>Poslať viacerým príjemcom naraz</translation>
</message>
<message>
<location line="+3"/>
<source>Add &Recipient</source>
<translation>&Pridať príjemcu</translation>
</message>
<message>
<location line="+20"/>
<source>Remove all transaction fields</source>
<translation>Odobrať všetky políčka transakcie</translation>
</message>
<message>
<location line="+3"/>
<source>Clear &All</source>
<translation>Zmazať &všetko</translation>
</message>
<message>
<location line="+22"/>
<source>Balance:</source>
<translation>Zostatok:</translation>
</message>
<message>
<location line="+10"/>
<source>123.456 BTC</source>
<translation>123.456 BTC</translation>
</message>
<message>
<location line="+31"/>
<source>Confirm the send action</source>
<translation>Potvrďte odoslanie</translation>
</message>
<message>
<location line="+3"/>
<source>S&end</source>
<translation>&Odoslať</translation>
</message>
<message>
<location filename="../sendcoinsdialog.cpp" line="-59"/>
<source><b>%1</b> to %2 (%3)</source>
<translation><b>%1</b> do %2 (%3)</translation>
</message>
<message>
<location line="+5"/>
<source>Confirm send coins</source>
<translation>Potvrdiť odoslanie litecoins</translation>
</message>
<message>
<location line="+1"/>
<source>Are you sure you want to send %1?</source>
<translation>Ste si istí, že chcete odoslať %1?</translation>
</message>
<message>
<location line="+0"/>
<source> and </source>
<translation> a</translation>
</message>
<message>
<location line="+23"/>
<source>The recipient address is not valid, please recheck.</source>
<translation>Adresa príjemcu je neplatná, prosím, overte ju.</translation>
</message>
<message>
<location line="+5"/>
<source>The amount to pay must be larger than 0.</source>
<translation>Suma na úhradu musí byť väčšia ako 0.</translation>
</message>
<message>
<location line="+5"/>
<source>The amount exceeds your balance.</source>
<translation>Suma je vyššia ako Váš zostatok.</translation>
</message>
<message>
<location line="+5"/>
<source>The total exceeds your balance when the %1 transaction fee is included.</source>
<translation>Suma celkom prevyšuje Váš zostatok ak sú započítané %1 transakčné poplatky.</translation>
</message>
<message>
<location line="+6"/>
<source>Duplicate address found, can only send to each address once per send operation.</source>
<translation>Duplikát adresy objavený, je možné poslať na každú adresu len raz v jednej odchádzajúcej transakcii.</translation>
</message>
<message>
<location line="+5"/>
<source>Error: Transaction creation failed!</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+5"/>
<source>Error: The transaction was rejected. This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here.</source>
<translation>Chyba: Transakcia bola odmietnutá. Toto sa môže stať ak niektoré z mincí vo vašej peňaženke boli už utratené, napríklad ak používaš kópiu wallet.dat a mince označené v druhej kópií neboli označené ako utratené v tejto.</translation>
</message>
</context>
<context>
<name>SendCoinsEntry</name>
<message>
<location filename="../forms/sendcoinsentry.ui" line="+14"/>
<source>Form</source>
<translation>Forma</translation>
</message>
<message>
<location line="+15"/>
<source>A&mount:</source>
<translation>Su&ma:</translation>
</message>
<message>
<location line="+13"/>
<source>Pay &To:</source>
<translation>Zapla&tiť:</translation>
</message>
<message>
<location line="+34"/>
<source>The address to send the payment to (e.g. Ler4HNAEfwYhBmGXcFP2Po1NpRUEiK8km2)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+60"/>
<location filename="../sendcoinsentry.cpp" line="+26"/>
<source>Enter a label for this address to add it to your address book</source>
<translation>Vložte popis pre túto adresu aby sa pridala do adresára</translation>
</message>
<message>
<location line="-78"/>
<source>&Label:</source>
<translation>&Popis:</translation>
</message>
<message>
<location line="+28"/>
<source>Choose address from address book</source>
<translation>Zvoľte adresu z adresára</translation>
</message>
<message>
<location line="+10"/>
<source>Alt+A</source>
<translation>Alt+A</translation>
</message>
<message>
<location line="+7"/>
<source>Paste address from clipboard</source>
<translation>Vložiť adresu z klipbordu</translation>
</message>
<message>
<location line="+10"/>
<source>Alt+P</source>
<translation>Alt+P</translation>
</message>
<message>
<location line="+7"/>
<source>Remove this recipient</source>
<translation>Odstrániť tohto príjemcu</translation>
</message>
<message>
<location filename="../sendcoinsentry.cpp" line="+1"/>
<source>Enter a stripecoin address (e.g. Ler4HNAEfwYhBmGXcFP2Po1NpRUEiK8km2)</source>
<translation>Zadajte stripecoin adresu (napr. Ler4HNAEfwYhBmGXcFP2Po1NpRUEiK8km2)</translation>
</message>
</context>
<context>
<name>SignVerifyMessageDialog</name>
<message>
<location filename="../forms/signverifymessagedialog.ui" line="+14"/>
<source>Signatures - Sign / Verify a Message</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+13"/>
<source>&Sign Message</source>
<translation>&Podpísať Správu</translation>
</message>
<message>
<location line="+6"/>
<source>You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to.</source>
<translation>Môžete podpísať správy svojou adresou a dokázať, že ju vlastníte. Buďte opatrní a podpíšte len prehlásenia s ktorými plne súhlasíte, nakoľko útoky typu "phishing" Vás môžu lákať k ich podpísaniu.</translation>
</message>
<message>
<location line="+18"/>
<source>The address to sign the message with (e.g. Ler4HNAEfwYhBmGXcFP2Po1NpRUEiK8km2)</source>
<translation>Zadajte stripecoin adresu (napr. Ler4HNAEfwYhBmGXcFP2Po1NpRUEiK8km2)</translation>
</message>
<message>
<location line="+10"/>
<location line="+213"/>
<source>Choose an address from the address book</source>
<translation>Zvoľte adresu z adresára</translation>
</message>
<message>
<location line="-203"/>
<location line="+213"/>
<source>Alt+A</source>
<translation>Alt+A</translation>
</message>
<message>
<location line="-203"/>
<source>Paste address from clipboard</source>
<translation>Vložte adresu z klipbordu</translation>
</message>
<message>
<location line="+10"/>
<source>Alt+P</source>
<translation>Alt+P</translation>
</message>
<message>
<location line="+12"/>
<source>Enter the message you want to sign here</source>
<translation>Sem vložte správu ktorú chcete podpísať</translation>
</message>
<message>
<location line="+7"/>
<source>Signature</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+27"/>
<source>Copy the current signature to the system clipboard</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+21"/>
<source>Sign the message to prove you own this stripecoin address</source>
<translation>Podpíšte správu aby ste dokázali že vlastníte túto adresu</translation>
</message>
<message>
<location line="+3"/>
<source>Sign &Message</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+14"/>
<source>Reset all sign message fields</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<location line="+146"/>
<source>Clear &All</source>
<translation>Zmazať &všetko</translation>
</message>
<message>
<location line="-87"/>
<source>&Verify Message</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+6"/>
<source>Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+21"/>
<source>The address the message was signed with (e.g. Ler4HNAEfwYhBmGXcFP2Po1NpRUEiK8km2)</source>
<translation>Zadajte stripecoin adresu (napr. Ler4HNAEfwYhBmGXcFP2Po1NpRUEiK8km2)</translation>
</message>
<message>
<location line="+40"/>
<source>Verify the message to ensure it was signed with the specified stripecoin address</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Verify &Message</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+14"/>
<source>Reset all verify message fields</source>
<translation type="unfinished"/>
</message>
<message>
<location filename="../signverifymessagedialog.cpp" line="+27"/>
<location line="+3"/>
<source>Enter a stripecoin address (e.g. Ler4HNAEfwYhBmGXcFP2Po1NpRUEiK8km2)</source>
<translation>Zadajte stripecoin adresu (napr. Ler4HNAEfwYhBmGXcFP2Po1NpRUEiK8km2)</translation>
</message>
<message>
<location line="-2"/>
<source>Click "Sign Message" to generate signature</source>
<translation>Kliknite "Podpísať Správu" na získanie podpisu</translation>
</message>
<message>
<location line="+3"/>
<source>Enter stripecoin signature</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+82"/>
<location line="+81"/>
<source>The entered address is invalid.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-81"/>
<location line="+8"/>
<location line="+73"/>
<location line="+8"/>
<source>Please check the address and try again.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-81"/>
<location line="+81"/>
<source>The entered address does not refer to a key.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-73"/>
<source>Wallet unlock was cancelled.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+8"/>
<source>Private key for the entered address is not available.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+12"/>
<source>Message signing failed.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+5"/>
<source>Message signed.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+59"/>
<source>The signature could not be decoded.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<location line="+13"/>
<source>Please check the signature and try again.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source>The signature did not match the message digest.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+7"/>
<source>Message verification failed.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+5"/>
<source>Message verified.</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>SplashScreen</name>
<message>
<location filename="../splashscreen.cpp" line="+22"/>
<source>The stripecoin developers</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>[testnet]</source>
<translation>[testovacia sieť]</translation>
</message>
</context>
<context>
<name>TransactionDesc</name>
<message>
<location filename="../transactiondesc.cpp" line="+20"/>
<source>Open until %1</source>
<translation>Otvorené do %1</translation>
</message>
<message>
<location line="+6"/>
<source>%1/offline</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>%1/unconfirmed</source>
<translation>%1/nepotvrdené</translation>
</message>
<message>
<location line="+2"/>
<source>%1 confirmations</source>
<translation>%1 potvrdení</translation>
</message>
<message>
<location line="+18"/>
<source>Status</source>
<translation>Stav</translation>
</message>
<message numerus="yes">
<location line="+7"/>
<source>, broadcast through %n node(s)</source>
<translation type="unfinished"><numerusform></numerusform><numerusform></numerusform><numerusform></numerusform></translation>
</message>
<message>
<location line="+4"/>
<source>Date</source>
<translation>Dátum</translation>
</message>
<message>
<location line="+7"/>
<source>Source</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source>Generated</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+5"/>
<location line="+17"/>
<source>From</source>
<translation>od</translation>
</message>
<message>
<location line="+1"/>
<location line="+22"/>
<location line="+58"/>
<source>To</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-77"/>
<location line="+2"/>
<source>own address</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-2"/>
<source>label</source>
<translation>popis</translation>
</message>
<message>
<location line="+37"/>
<location line="+12"/>
<location line="+45"/>
<location line="+17"/>
<location line="+30"/>
<source>Credit</source>
<translation>Kredit</translation>
</message>
<message numerus="yes">
<location line="-102"/>
<source>matures in %n more block(s)</source>
<translation type="unfinished"><numerusform></numerusform><numerusform></numerusform><numerusform></numerusform></translation>
</message>
<message>
<location line="+2"/>
<source>not accepted</source>
<translation>neprijaté</translation>
</message>
<message>
<location line="+44"/>
<location line="+8"/>
<location line="+15"/>
<location line="+30"/>
<source>Debit</source>
<translation>Debet</translation>
</message>
<message>
<location line="-39"/>
<source>Transaction fee</source>
<translation>Transakčný poplatok</translation>
</message>
<message>
<location line="+16"/>
<source>Net amount</source>
<translation>Suma netto</translation>
</message>
<message>
<location line="+6"/>
<source>Message</source>
<translation>Správa</translation>
</message>
<message>
<location line="+2"/>
<source>Comment</source>
<translation>Komentár</translation>
</message>
<message>
<location line="+2"/>
<source>Transaction ID</source>
<translation>ID transakcie</translation>
</message>
<message>
<location line="+3"/>
<source>Generated coins must mature 120 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+7"/>
<source>Debug information</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+8"/>
<source>Transaction</source>
<translation>Transakcie</translation>
</message>
<message>
<location line="+3"/>
<source>Inputs</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+23"/>
<source>Amount</source>
<translation>Suma</translation>
</message>
<message>
<location line="+1"/>
<source>true</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source>false</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-209"/>
<source>, has not been successfully broadcast yet</source>
<translation>, ešte nebola úspešne odoslaná</translation>
</message>
<message numerus="yes">
<location line="-35"/>
<source>Open for %n more block(s)</source>
<translation type="unfinished"><numerusform></numerusform><numerusform></numerusform><numerusform></numerusform></translation>
</message>
<message>
<location line="+70"/>
<source>unknown</source>
<translation>neznámy</translation>
</message>
</context>
<context>
<name>TransactionDescDialog</name>
<message>
<location filename="../forms/transactiondescdialog.ui" line="+14"/>
<source>Transaction details</source>
<translation>Detaily transakcie</translation>
</message>
<message>
<location line="+6"/>
<source>This pane shows a detailed description of the transaction</source>
<translation>Táto časť obrazovky zobrazuje detailný popis transakcie</translation>
</message>
</context>
<context>
<name>TransactionTableModel</name>
<message>
<location filename="../transactiontablemodel.cpp" line="+225"/>
<source>Date</source>
<translation>Dátum</translation>
</message>
<message>
<location line="+0"/>
<source>Type</source>
<translation>Typ</translation>
</message>
<message>
<location line="+0"/>
<source>Address</source>
<translation>Adresa</translation>
</message>
<message>
<location line="+0"/>
<source>Amount</source>
<translation>Hodnota</translation>
</message>
<message numerus="yes">
<location line="+57"/>
<source>Open for %n more block(s)</source>
<translation type="unfinished"><numerusform></numerusform><numerusform></numerusform><numerusform></numerusform></translation>
</message>
<message>
<location line="+3"/>
<source>Open until %1</source>
<translation>Otvorené do %1</translation>
</message>
<message>
<location line="+3"/>
<source>Offline (%1 confirmations)</source>
<translation>Offline (%1 potvrdení)</translation>
</message>
<message>
<location line="+3"/>
<source>Unconfirmed (%1 of %2 confirmations)</source>
<translation>Nepotvrdené (%1 z %2 potvrdení)</translation>
</message>
<message>
<location line="+3"/>
<source>Confirmed (%1 confirmations)</source>
<translation>Potvrdené (%1 potvrdení)</translation>
</message>
<message numerus="yes">
<location line="+8"/>
<source>Mined balance will be available when it matures in %n more block(s)</source>
<translation type="unfinished"><numerusform></numerusform><numerusform></numerusform><numerusform></numerusform></translation>
</message>
<message>
<location line="+5"/>
<source>This block was not received by any other nodes and will probably not be accepted!</source>
<translation>Ten blok nebol prijatý žiadnou inou nódou a pravdepodobne nebude akceptovaný!</translation>
</message>
<message>
<location line="+3"/>
<source>Generated but not accepted</source>
<translation>Vypočítané ale neakceptované</translation>
</message>
<message>
<location line="+43"/>
<source>Received with</source>
<translation>Prijaté s</translation>
</message>
<message>
<location line="+2"/>
<source>Received from</source>
<translation>Prijaté od:</translation>
</message>
<message>
<location line="+3"/>
<source>Sent to</source>
<translation>Odoslané na</translation>
</message>
<message>
<location line="+2"/>
<source>Payment to yourself</source>
<translation>Platba sebe samému</translation>
</message>
<message>
<location line="+2"/>
<source>Mined</source>
<translation>Vyfárané</translation>
</message>
<message>
<location line="+38"/>
<source>(n/a)</source>
<translation>(n/a)</translation>
</message>
<message>
<location line="+199"/>
<source>Transaction status. Hover over this field to show number of confirmations.</source>
<translation>Status transakcie. Pohybujte myšou nad týmto poľom a zjaví sa počet potvrdení.</translation>
</message>
<message>
<location line="+2"/>
<source>Date and time that the transaction was received.</source>
<translation>Dátum a čas prijatia transakcie.</translation>
</message>
<message>
<location line="+2"/>
<source>Type of transaction.</source>
<translation>Typ transakcie.</translation>
</message>
<message>
<location line="+2"/>
<source>Destination address of transaction.</source>
<translation>Cieľová adresa transakcie.</translation>
</message>
<message>
<location line="+2"/>
<source>Amount removed from or added to balance.</source>
<translation>Suma pridaná alebo odobraná k zostatku.</translation>
</message>
</context>
<context>
<name>TransactionView</name>
<message>
<location filename="../transactionview.cpp" line="+52"/>
<location line="+16"/>
<source>All</source>
<translation>Všetko</translation>
</message>
<message>
<location line="-15"/>
<source>Today</source>
<translation>Dnes</translation>
</message>
<message>
<location line="+1"/>
<source>This week</source>
<translation>Tento týždeň</translation>
</message>
<message>
<location line="+1"/>
<source>This month</source>
<translation>Tento mesiac</translation>
</message>
<message>
<location line="+1"/>
<source>Last month</source>
<translation>Minulý mesiac</translation>
</message>
<message>
<location line="+1"/>
<source>This year</source>
<translation>Tento rok</translation>
</message>
<message>
<location line="+1"/>
<source>Range...</source>
<translation>Rozsah...</translation>
</message>
<message>
<location line="+11"/>
<source>Received with</source>
<translation>Prijaté s</translation>
</message>
<message>
<location line="+2"/>
<source>Sent to</source>
<translation>Odoslané na</translation>
</message>
<message>
<location line="+2"/>
<source>To yourself</source>
<translation>Samému sebe</translation>
</message>
<message>
<location line="+1"/>
<source>Mined</source>
<translation>Vyfárané</translation>
</message>
<message>
<location line="+1"/>
<source>Other</source>
<translation>Iné</translation>
</message>
<message>
<location line="+7"/>
<source>Enter address or label to search</source>
<translation>Vložte adresu alebo popis pre vyhľadávanie</translation>
</message>
<message>
<location line="+7"/>
<source>Min amount</source>
<translation>Min množstvo</translation>
</message>
<message>
<location line="+34"/>
<source>Copy address</source>
<translation>Kopírovať adresu</translation>
</message>
<message>
<location line="+1"/>
<source>Copy label</source>
<translation>Kopírovať popis</translation>
</message>
<message>
<location line="+1"/>
<source>Copy amount</source>
<translation>Kopírovať sumu</translation>
</message>
<message>
<location line="+1"/>
<source>Copy transaction ID</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Edit label</source>
<translation>Editovať popis</translation>
</message>
<message>
<location line="+1"/>
<source>Show transaction details</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+139"/>
<source>Export Transaction Data</source>
<translation>Exportovať transakčné dáta</translation>
</message>
<message>
<location line="+1"/>
<source>Comma separated file (*.csv)</source>
<translation>Čiarkou oddelovaný súbor (*.csv)</translation>
</message>
<message>
<location line="+8"/>
<source>Confirmed</source>
<translation>Potvrdené</translation>
</message>
<message>
<location line="+1"/>
<source>Date</source>
<translation>Dátum</translation>
</message>
<message>
<location line="+1"/>
<source>Type</source>
<translation>Typ</translation>
</message>
<message>
<location line="+1"/>
<source>Label</source>
<translation>Popis</translation>
</message>
<message>
<location line="+1"/>
<source>Address</source>
<translation>Adresa</translation>
</message>
<message>
<location line="+1"/>
<source>Amount</source>
<translation>Suma</translation>
</message>
<message>
<location line="+1"/>
<source>ID</source>
<translation>ID</translation>
</message>
<message>
<location line="+4"/>
<source>Error exporting</source>
<translation>Chyba exportu</translation>
</message>
<message>
<location line="+0"/>
<source>Could not write to file %1.</source>
<translation>Nedalo sa zapisovať do súboru %1.</translation>
</message>
<message>
<location line="+100"/>
<source>Range:</source>
<translation>Rozsah:</translation>
</message>
<message>
<location line="+8"/>
<source>to</source>
<translation>do</translation>
</message>
</context>
<context>
<name>WalletModel</name>
<message>
<location filename="../walletmodel.cpp" line="+193"/>
<source>Send Coins</source>
<translation>Poslať Litecoins</translation>
</message>
</context>
<context>
<name>WalletView</name>
<message>
<location filename="../walletview.cpp" line="+42"/>
<source>&Export</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Export the data in the current tab to a file</source>
<translation>Exportovať tento náhľad do súboru</translation>
</message>
<message>
<location line="+193"/>
<source>Backup Wallet</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source>Wallet Data (*.dat)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Backup Failed</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source>There was an error trying to save the wallet data to the new location.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+4"/>
<source>Backup Successful</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source>The wallet data was successfully saved to the new location.</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>bitcoin-core</name>
<message>
<location filename="../bitcoinstrings.cpp" line="+94"/>
<source>stripecoin version</source>
<translation>stripecoin verzia</translation>
</message>
<message>
<location line="+102"/>
<source>Usage:</source>
<translation>Použitie:</translation>
</message>
<message>
<location line="-29"/>
<source>Send command to -server or stripecoind</source>
<translation>Odoslať príkaz -server alebo stripecoind</translation>
</message>
<message>
<location line="-23"/>
<source>List commands</source>
<translation>Zoznam príkazov</translation>
</message>
<message>
<location line="-12"/>
<source>Get help for a command</source>
<translation>Dostať pomoc pre príkaz</translation>
</message>
<message>
<location line="+24"/>
<source>Options:</source>
<translation>Možnosti:</translation>
</message>
<message>
<location line="+24"/>
<source>Specify configuration file (default: stripecoin.conf)</source>
<translation>Určiť súbor s nastaveniami (predvolené: stripecoin.conf)</translation>
</message>
<message>
<location line="+3"/>
<source>Specify pid file (default: stripecoind.pid)</source>
<translation>Určiť súbor pid (predvolené: stripecoind.pid)</translation>
</message>
<message>
<location line="-1"/>
<source>Specify data directory</source>
<translation>Určiť priečinok s dátami</translation>
</message>
<message>
<location line="-9"/>
<source>Set database cache size in megabytes (default: 25)</source>
<translation>Veľkosť vyrovnávajúcej pamäte pre databázu v megabytoch (predvolené:25)</translation>
</message>
<message>
<location line="-28"/>
<source>Listen for connections on <port> (default: 33615 or testnet: 19333)</source>
<translation>Načúvať spojeniam na <port> (prednastavené: 33615 alebo testovacia sieť: 19333)</translation>
</message>
<message>
<location line="+5"/>
<source>Maintain at most <n> connections to peers (default: 125)</source>
<translation>Udržiavať maximálne <n> spojení (predvolené: 125)</translation>
</message>
<message>
<location line="-48"/>
<source>Connect to a node to retrieve peer addresses, and disconnect</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+82"/>
<source>Specify your own public address</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Threshold for disconnecting misbehaving peers (default: 100)</source>
<translation>Hranica pre odpojenie zle sa správajúcich peerov (predvolené: 100)</translation>
</message>
<message>
<location line="-134"/>
<source>Number of seconds to keep misbehaving peers from reconnecting (default: 86400)</source>
<translation>Počet sekúnd kedy sa zabráni zle sa správajúcim peerom znovupripojenie (predvolené: 86400)</translation>
</message>
<message>
<location line="-29"/>
<source>An error occurred while setting up the RPC port %u for listening on IPv4: %s</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+27"/>
<source>Listen for JSON-RPC connections on <port> (default: 33616 or testnet: 19332)</source>
<translation>Počúvať JSON-RPC spojeniam na <port> (predvolené: 33616 or testnet: 19332)</translation>
</message>
<message>
<location line="+37"/>
<source>Accept command line and JSON-RPC commands</source>
<translation>Prijímať príkazy z príkazového riadku a JSON-RPC</translation>
</message>
<message>
<location line="+76"/>
<source>Run in the background as a daemon and accept commands</source>
<translation>Bežať na pozadí ako démon a prijímať príkazy</translation>
</message>
<message>
<location line="+37"/>
<source>Use the test network</source>
<translation>Použiť testovaciu sieť</translation>
</message>
<message>
<location line="-112"/>
<source>Accept connections from outside (default: 1 if no -proxy or -connect)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-80"/>
<source>%s, you must set a rpcpassword in the configuration file:
%s
It is recommended you use the following random password:
rpcuser=litecoinrpc
rpcpassword=%s
(you do not need to remember this password)
The username and password MUST NOT be the same.
If the file does not exist, create it with owner-readable-only file permissions.
It is also recommended to set alertnotify so you are notified of problems;
for example: alertnotify=echo %%s | mail -s "stripecoin Alert" [email protected]
</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+17"/>
<source>An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Bind to given address and always listen on it. Use [host]:port notation for IPv6</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Cannot obtain a lock on data directory %s. stripecoin is probably already running.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+4"/>
<source>Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds!</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Execute command when a relevant alert is received (%s in cmd is replaced by message)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Execute command when a wallet transaction changes (%s in cmd is replaced by TxID)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+11"/>
<source>Set maximum size of high-priority/low-fee transactions in bytes (default: 27000)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+6"/>
<source>This is a pre-release test build - use at your own risk - do not use for mining or merchant applications</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+5"/>
<source>Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction.</source>
<translation>Varovanie: -paytxfee je nastavené veľmi vysoko. Toto sú transakčné poplatky ktoré zaplatíte ak odošlete transakciu.</translation>
</message>
<message>
<location line="+3"/>
<source>Warning: Displayed transactions may not be correct! You may need to upgrade, or other nodes may need to upgrade.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Warning: Please check that your computer's date and time are correct! If your clock is wrong stripecoin will not work properly.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+14"/>
<source>Attempt to recover private keys from a corrupt wallet.dat</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Block creation options:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+5"/>
<source>Connect only to the specified node(s)</source>
<translation>Pripojiť sa len k určenej nóde</translation>
</message>
<message>
<location line="+3"/>
<source>Corrupted block database detected</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Discover own IP address (default: 1 when listening and no -externalip)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Do you want to rebuild the block database now?</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Error initializing block database</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Error initializing wallet database environment %s!</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Error loading block database</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+4"/>
<source>Error opening block database</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Error: Disk space is low!</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Error: Wallet locked, unable to create transaction!</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Error: system error: </source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Failed to listen on any port. Use -listen=0 if you want this.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Failed to read block info</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Failed to read block</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Failed to sync block index</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Failed to write block index</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Failed to write block info</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Failed to write block</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Failed to write file info</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Failed to write to coin database</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Failed to write transaction index</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Failed to write undo data</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Find peers using DNS lookup (default: 1 unless -connect)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Generate coins (default: 0)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>How many blocks to check at startup (default: 288, 0 = all)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>How thorough the block verification is (0-4, default: 3)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+19"/>
<source>Not enough file descriptors available.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+8"/>
<source>Rebuild block chain index from current blk000??.dat files</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+16"/>
<source>Set the number of threads to service RPC calls (default: 4)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+26"/>
<source>Verifying blocks...</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Verifying wallet...</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-69"/>
<source>Imports blocks from external blk000??.dat file</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-76"/>
<source>Set the number of script verification threads (up to 16, 0 = auto, <0 = leave that many cores free, default: 0)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+77"/>
<source>Information</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Invalid -tor address: '%s'</source>
<translation>Neplatná adresa tor: '%s'</translation>
</message>
<message>
<location line="+1"/>
<source>Invalid amount for -minrelaytxfee=<amount>: '%s'</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Invalid amount for -mintxfee=<amount>: '%s'</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+8"/>
<source>Maintain a full transaction index (default: 0)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Maximum per-connection send buffer, <n>*1000 bytes (default: 1000)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Only accept block chain matching built-in checkpoints (default: 1)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Only connect to nodes in network <net> (IPv4, IPv6 or Tor)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Output extra debugging information. Implies all other -debug* options</source>
<translation>Produkovať extra ladiace informácie. Implies all other -debug* options</translation>
</message>
<message>
<location line="+1"/>
<source>Output extra network debugging information</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Prepend debug output with timestamp</source>
<translation>Pridať na začiatok ladiaceho výstupu časový údaj</translation>
</message>
<message>
<location line="+5"/>
<source>SSL options: (see the stripecoin Wiki for SSL setup instructions)</source>
<translation>SSL možnosť: (pozrite stripecoin Wiki pre návod na nastavenie SSL)</translation>
</message>
<message>
<location line="+1"/>
<source>Select the version of socks proxy to use (4-5, default: 5)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Send trace/debug info to console instead of debug.log file</source>
<translation>Odoslať trace/debug informácie na konzolu namiesto debug.info žurnálu</translation>
</message>
<message>
<location line="+1"/>
<source>Send trace/debug info to debugger</source>
<translation>Odoslať trace/debug informácie do ladiaceho programu</translation>
</message>
<message>
<location line="+5"/>
<source>Set maximum block size in bytes (default: 250000)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Set minimum block size in bytes (default: 0)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Shrink debug.log file on client startup (default: 1 when no -debug)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Signing transaction failed</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Specify connection timeout in milliseconds (default: 5000)</source>
<translation>Určiť aut spojenia v milisekundách (predvolené: 5000)</translation>
</message>
<message>
<location line="+4"/>
<source>System error: </source>
<translation type="unfinished"/>
</message>
<message>
<location line="+4"/>
<source>Transaction amount too small</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Transaction amounts must be positive</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Transaction too large</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+7"/>
<source>Use UPnP to map the listening port (default: 0)</source>
<translation>Skúsiť použiť UPnP pre mapovanie počúvajúceho portu (default: 0)</translation>
</message>
<message>
<location line="+1"/>
<source>Use UPnP to map the listening port (default: 1 when listening)</source>
<translation>Skúsiť použiť UPnP pre mapovanie počúvajúceho portu (default: 1 when listening)</translation>
</message>
<message>
<location line="+1"/>
<source>Use proxy to reach tor hidden services (default: same as -proxy)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Username for JSON-RPC connections</source>
<translation>Užívateľské meno pre JSON-RPC spojenia</translation>
</message>
<message>
<location line="+4"/>
<source>Warning</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Warning: This version is obsolete, upgrade required!</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>You need to rebuild the databases using -reindex to change -txindex</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>wallet.dat corrupt, salvage failed</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-50"/>
<source>Password for JSON-RPC connections</source>
<translation>Heslo pre JSON-rPC spojenia</translation>
</message>
<message>
<location line="-67"/>
<source>Allow JSON-RPC connections from specified IP address</source>
<translation>Povoliť JSON-RPC spojenia z určenej IP adresy.</translation>
</message>
<message>
<location line="+76"/>
<source>Send commands to node running on <ip> (default: 127.0.0.1)</source>
<translation>Poslať príkaz nóde bežiacej na <ip> (predvolené: 127.0.0.1)</translation>
</message>
<message>
<location line="-120"/>
<source>Execute command when the best block changes (%s in cmd is replaced by block hash)</source>
<translation>Vykonaj príkaz, ak zmeny v najlepšom bloku (%s v príkaze nahradí blok hash)</translation>
</message>
<message>
<location line="+147"/>
<source>Upgrade wallet to latest format</source>
<translation>Aktualizuj peňaženku na najnovší formát.</translation>
</message>
<message>
<location line="-21"/>
<source>Set key pool size to <n> (default: 100)</source>
<translation>Nastaviť zásobu adries na <n> (predvolené: 100)</translation>
</message>
<message>
<location line="-12"/>
<source>Rescan the block chain for missing wallet transactions</source>
<translation>Znovu skenovať reťaz blokov pre chýbajúce transakcie</translation>
</message>
<message>
<location line="+35"/>
<source>Use OpenSSL (https) for JSON-RPC connections</source>
<translation>Použiť OpenSSL (https) pre JSON-RPC spojenia</translation>
</message>
<message>
<location line="-26"/>
<source>Server certificate file (default: server.cert)</source>
<translation>Súbor s certifikátom servra (predvolené: server.cert)</translation>
</message>
<message>
<location line="+1"/>
<source>Server private key (default: server.pem)</source>
<translation>Súkromný kľúč servra (predvolené: server.pem)</translation>
</message>
<message>
<location line="-151"/>
<source>Acceptable ciphers (default: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH)</source>
<translation>Prijateľné šifry (predvolené: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH)</translation>
</message>
<message>
<location line="+165"/>
<source>This help message</source>
<translation>Táto pomocná správa</translation>
</message>
<message>
<location line="+6"/>
<source>Unable to bind to %s on this computer (bind returned error %d, %s)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-91"/>
<source>Connect through socks proxy</source>
<translation>Pripojenie cez socks proxy</translation>
</message>
<message>
<location line="-10"/>
<source>Allow DNS lookups for -addnode, -seednode and -connect</source>
<translation>Povoliť vyhľadávanie DNS pre pridanie nódy a spojenie</translation>
</message>
<message>
<location line="+55"/>
<source>Loading addresses...</source>
<translation>Načítavanie adries...</translation>
</message>
<message>
<location line="-35"/>
<source>Error loading wallet.dat: Wallet corrupted</source>
<translation>Chyba načítania wallet.dat: Peňaženka je poškodená</translation>
</message>
<message>
<location line="+1"/>
<source>Error loading wallet.dat: Wallet requires newer version of stripecoin</source>
<translation>Chyba načítania wallet.dat: Peňaženka vyžaduje novšiu verziu stripecoin</translation>
</message>
<message>
<location line="+93"/>
<source>Wallet needed to be rewritten: restart stripecoin to complete</source>
<translation>Bolo potrebné prepísať peňaženku: dokončite reštartovaním stripecoin</translation>
</message>
<message>
<location line="-95"/>
<source>Error loading wallet.dat</source>
<translation>Chyba načítania wallet.dat</translation>
</message>
<message>
<location line="+28"/>
<source>Invalid -proxy address: '%s'</source>
<translation>Neplatná adresa proxy: '%s'</translation>
</message>
<message>
<location line="+56"/>
<source>Unknown network specified in -onlynet: '%s'</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-1"/>
<source>Unknown -socks proxy version requested: %i</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-96"/>
<source>Cannot resolve -bind address: '%s'</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Cannot resolve -externalip address: '%s'</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+44"/>
<source>Invalid amount for -paytxfee=<amount>: '%s'</source>
<translation>Neplatná suma pre -paytxfee=<amount>: '%s'</translation>
</message>
<message>
<location line="+1"/>
<source>Invalid amount</source>
<translation>Neplatná suma</translation>
</message>
<message>
<location line="-6"/>
<source>Insufficient funds</source>
<translation>Nedostatok prostriedkov</translation>
</message>
<message>
<location line="+10"/>
<source>Loading block index...</source>
<translation>Načítavanie zoznamu blokov...</translation>
</message>
<message>
<location line="-57"/>
<source>Add a node to connect to and attempt to keep the connection open</source>
<translation>Pridať nód na pripojenie a pokus o udržanie pripojenia otvoreného</translation>
</message>
<message>
<location line="-25"/>
<source>Unable to bind to %s on this computer. stripecoin is probably already running.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+64"/>
<source>Fee per KB to add to transactions you send</source>
<translation>Poplatok za kB ktorý treba pridať k odoslanej transakcii</translation>
</message>
<message>
<location line="+19"/>
<source>Loading wallet...</source>
<translation>Načítavam peňaženku...</translation>
</message>
<message>
<location line="-52"/>
<source>Cannot downgrade wallet</source>
<translation>Nie je možné prejsť na nižšiu verziu peňaženky</translation>
</message>
<message>
<location line="+3"/>
<source>Cannot write default address</source>
<translation>Nie je možné zapísať predvolenú adresu.</translation>
</message>
<message>
<location line="+64"/>
<source>Rescanning...</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-57"/>
<source>Done loading</source>
<translation>Dokončené načítavanie</translation>
</message>
<message>
<location line="+82"/>
<source>To use the %s option</source>
<translation>Použiť %s možnosť.</translation>
</message>
<message>
<location line="-74"/>
<source>Error</source>
<translation>Chyba</translation>
</message>
<message>
<location line="-31"/>
<source>You must set rpcpassword=<password> in the configuration file:
%s
If the file does not exist, create it with owner-readable-only file permissions.</source>
<translation>Musíš nastaviť rpcpassword=<heslo> v konfiguračnom súbore:
%s
Ak súbor neexistuje, vytvor ho s oprávnením pre čítanie len vlastníkom (owner-readable-only)</translation>
</message>
</context>
</TS><|fim▁end|> | <translation>Poslať Litecoins</translation>
</message>
<message> |
<|file_name|>keyword-trait-as-identifier.rs<|end_file_name|><|fim▁begin|>// Copyright 2013 The Rust Project Developers. See the COPYRIGHT
// file at the top-level directory of this distribution and at
// http://rust-lang.org/COPYRIGHT.
//
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or<|fim▁hole|>// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
// option. This file may not be copied, modified, or distributed
// except according to those terms.
// compile-flags: -Z parse-only
// This file was auto-generated using 'src/etc/generate-keyword-tests.py trait'
fn main() {
let trait = "foo"; //~ error: ident
}<|fim▁end|> | |
<|file_name|>filter.py<|end_file_name|><|fim▁begin|>import os
import shutil
import unittest
import copy
from nvpy.nvpy import Config
from nvpy.notes_db import NotesDB
notes = {
'1': {
'modifydate': 1111111222,
'tags': [],
'createdate': 1111111111,
'syncdate': 0,
'content': 'active note 1',
'savedate': 0,
},
'2': {
'modifydate': 1111111222,
'tags': [],
'createdate': 1111111111,
'syncdate': 0,
'content': 'active note 2',
'savedate': 0,
},
'3': {
'modifydate': 1111111222,
'tags': ['foo'],
'createdate': 1111111111,
'syncdate': 0,
'content': 'active note 3',
'savedate': 0,
},
'4': {
'modifydate': 1111111222,
'tags': [],
'createdate': 1111111111,
'syncdate': 0,
'content': 'deleted note',
'savedate': 0,
'deleted': True,
}
}
class FilterGstyle(unittest.TestCase):
BASE_DIR = '/tmp/.nvpyUnitTests'
def setUp(self):
if os.path.isdir(self.BASE_DIR):
shutil.rmtree(self.BASE_DIR)
def __mock_config(self, notes_as_txt=False):
app_dir = os.path.abspath('nvpy')
mockConfig = Config(app_dir, [])
mockConfig.sn_username = ''
mockConfig.sn_password = ''
mockConfig.db_path = self.BASE_DIR
mockConfig.txt_path = self.BASE_DIR + '/notes'
mockConfig.simplenote_sync = 0
mockConfig.notes_as_txt = notes_as_txt
return mockConfig
def test_search_by_none_or_empty(self):
db = NotesDB(self.__mock_config())
db.notes = copy.deepcopy(notes)
filtered_notes, match_regexp, active_notes = db.filter_notes_gstyle()
self.assertEqual(len(filtered_notes), 3)
self.assertEqual(match_regexp, '')
self.assertEqual(active_notes, 3)
filtered_notes, match_regexp, active_notes = db.filter_notes_gstyle('')
self.assertEqual(len(filtered_notes), 3)
self.assertEqual(match_regexp, '')
self.assertEqual(active_notes, 3)
def test_search_by_tag(self):
db = NotesDB(self.__mock_config())
db.notes = copy.deepcopy(notes)
filtered_notes, match_regexp, active_notes = db.filter_notes_gstyle('tag:foo')
self.assertEqual(len(filtered_notes), 1)<|fim▁hole|> def test_search_by_single_words(self):
db = NotesDB(self.__mock_config())
db.notes = copy.deepcopy(notes)
filtered_notes, match_regexp, active_notes = db.filter_notes_gstyle('note 1 active')
self.assertEqual(len(filtered_notes), 1)
self.assertEqual(filtered_notes[0].note['content'], notes['1']['content'])
self.assertEqual(match_regexp, 'note|1|active') # Should ignore for tag pattern
self.assertEqual(active_notes, 3)
def test_search_by_multi_word(self):
db = NotesDB(self.__mock_config())
db.notes = copy.deepcopy(notes)
filtered_notes, match_regexp, active_notes = db.filter_notes_gstyle('"note 1" active')
self.assertEqual(len(filtered_notes), 1)
self.assertEqual(filtered_notes[0].note['content'], notes['1']['content'])
self.assertEqual(match_regexp, r'note\ 1|active') # Should ignore for tag pattern
self.assertEqual(active_notes, 3)
class FilterRegexp(unittest.TestCase):
BASE_DIR = '/tmp/.nvpyUnitTests'
def setUp(self):
if os.path.isdir(self.BASE_DIR):
shutil.rmtree(self.BASE_DIR)
def __mock_config(self, notes_as_txt=False):
app_dir = os.path.abspath('nvpy')
mockConfig = Config(app_dir, [])
mockConfig.sn_username = ''
mockConfig.sn_password = ''
mockConfig.db_path = self.BASE_DIR
mockConfig.txt_path = self.BASE_DIR + '/notes'
mockConfig.simplenote_sync = 0
mockConfig.notes_as_txt = notes_as_txt
return mockConfig
def test_search_by_none_or_empty(self):
db = NotesDB(self.__mock_config())
db.notes = copy.deepcopy(notes)
filtered_notes, match_regexp, active_notes = db.filter_notes_regexp()
self.assertEqual(len(filtered_notes), 3)
self.assertEqual(match_regexp, '')
self.assertEqual(active_notes, 3)
filtered_notes, match_regexp, active_notes = db.filter_notes_regexp('')
self.assertEqual(len(filtered_notes), 3)
self.assertEqual(match_regexp, '')
self.assertEqual(active_notes, 3)
def test_search_by_invalid_regexp(self):
db = NotesDB(self.__mock_config())
db.notes = copy.deepcopy(notes)
filtered_notes, match_regexp, active_notes = db.filter_notes_regexp('(deleted')
self.assertEqual(len(filtered_notes), 3)
self.assertEqual(match_regexp, '')
self.assertEqual(active_notes, 3)
def test_search_by_valid_regexp(self):
db = NotesDB(self.__mock_config())
db.notes = copy.deepcopy(notes)
filtered_notes, match_regexp, active_notes = db.filter_notes_regexp('foo| [12]')
self.assertEqual(len(filtered_notes), 3)
self.assertEqual(match_regexp, 'foo| [12]')
self.assertEqual(active_notes, 3)<|fim▁end|> | self.assertEqual(filtered_notes[0].note['content'], notes['3']['content'])
self.assertEqual(match_regexp, '') # Should ignore for tag pattern
self.assertEqual(active_notes, 3)
|
<|file_name|>body_test.go<|end_file_name|><|fim▁begin|>package middleware
import (
"io"
"net/http"
"testing"
"github.com/go-openapi/runtime"
"github.com/go-openapi/runtime/internal/testing/petstore"
"github.com/stretchr/testify/assert"
)
type eofReader struct {
}
func (r *eofReader) Read(b []byte) (int, error) {
return 0, io.EOF
}
func (r *eofReader) Close() error {
return nil
}
type rbn func(*http.Request, *MatchedRoute) error
func (b rbn) BindRequest(r *http.Request, rr *MatchedRoute) error {
return b(r, rr)
}
func TestBindRequest_BodyValidation(t *testing.T) {
spec, api := petstore.NewAPI(t)
ctx := NewContext(spec, api, nil)
api.DefaultConsumes = runtime.JSONMime
ctx.router = DefaultRouter(spec, ctx.api)
req, err := http.NewRequest("GET", "/pets", new(eofReader))
if assert.NoError(t, err) {
req.Header.Set("Content-Type", runtime.JSONMime)
ri, ok := ctx.RouteInfo(req)
if assert.True(t, ok) {
err := ctx.BindValidRequest(req, ri, rbn(func(r *http.Request, rr *MatchedRoute) error {
defer r.Body.Close()
var data interface{}
err := runtime.JSONConsumer().Consume(r.Body, &data)
_ = data
return err
}))
assert.Error(t, err)
assert.Equal(t, io.EOF, err)
}
}
}
func TestBindRequest_DeleteNoBody(t *testing.T) {
spec, api := petstore.NewAPI(t)
ctx := NewContext(spec, api, nil)
api.DefaultConsumes = runtime.JSONMime
ctx.router = DefaultRouter(spec, ctx.api)
req, err := http.NewRequest("DELETE", "/pets/123", new(eofReader))
if assert.NoError(t, err) {
req.Header.Set("Accept", "*/*")
ri, ok := ctx.RouteInfo(req)
if assert.True(t, ok) {
err := ctx.BindValidRequest(req, ri, rbn(func(r *http.Request, rr *MatchedRoute) error {
return nil
}))
assert.NoError(t, err)
//assert.Equal(t, io.EOF, err)
}
}
req, err = http.NewRequest("DELETE", "/pets/123", new(eofReader))
if assert.NoError(t, err) {
req.Header.Set("Accept", "*/*")
req.Header.Set("Content-Type", runtime.JSONMime)<|fim▁hole|> ri, ok := ctx.RouteInfo(req)
if assert.True(t, ok) {
err := ctx.BindValidRequest(req, ri, rbn(func(r *http.Request, rr *MatchedRoute) error {
defer r.Body.Close()
var data interface{}
err := runtime.JSONConsumer().Consume(r.Body, &data)
_ = data
return err
}))
assert.Error(t, err)
assert.Equal(t, io.EOF, err)
}
}
}<|fim▁end|> | req.ContentLength = 1
|
<|file_name|>convection.cpp<|end_file_name|><|fim▁begin|>#include "convection.h"
#include "sem.h"
using namespace mnl;
using namespace std;
deformedConvectionEvaluator::deformedConvectionEvaluator(const basics::matrixStack& G,
const basics::Matrix& D,
const basics::Vector& weight,
const basics::Field2<basics::Matrix>& u,
basics::Matrix& buffer,
basics::Matrix& buffer2) :
m_weight(weight), m_D(D), m_buffer(buffer), m_buffer2(buffer2), m_G(G), m_u(u)
{
}
void deformedConvectionEvaluator::evaluate(basics::Matrix& result, const basics::Matrix& u) const
{
/* ux */
basics::multTranspose(m_buffer, m_D,u,'N','N');
basics::multPointwise(m_buffer2,m_buffer,m_G[3]);
basics::multTranspose(m_buffer,u,m_D,'N','T');
basics::multPointwise(m_buffer2,m_buffer,m_G[2],1,-1);
basics::multPointwise(result,m_buffer2,m_u.X());
/* uy */
basics::multTranspose(m_buffer, u,m_D,'N','T');
basics::multPointwise(m_buffer2,m_buffer,m_G[0]);
basics::multTranspose(m_buffer,m_D,u,'N','N');
basics::multPointwise(m_buffer2,m_buffer,m_G[1],1,-1);
basics::multPointwise(result,m_buffer2,m_u.Y(),1,1);
result *= -1;
massReference(result,m_weight);
}
deformed3DConvectionEvaluator::
deformed3DConvectionEvaluator(const basics::matricesStack& G,
const basics::Matrix& D,
const basics::Vector& weight,
const basics::Field3<basics::Matrices>& u,
basics::Matrices& buffer,
basics::Matrices& buffer2) :
m_weight(weight), m_D(D), m_buffer(buffer), m_buffer2(buffer2), m_G(G), m_u(u)
{
}
void deformed3DConvectionEvaluator::evaluate(basics::Matrices& res,
const basics::Matrices& u) const
{
evaluateComponent(res,u,0);
basics::multPointwise(res,m_u.X());
evaluateComponent(m_buffer2,u,1);
basics::multPointwise(m_buffer2,m_u.Y());
res += m_buffer2;
evaluateComponent(m_buffer2,u,2);
basics::multPointwise(m_buffer2,m_u.Z());
res += m_buffer2;
res *= -1;
massReference(res,m_weight);
}
void deformed3DConvectionEvaluator::evaluateComponent(basics::Matrices& res,
const basics::Matrices& field,
int index) const
{<|fim▁hole|> for( int l=0;l<field.matrices();++l )
basics::multTranspose(m_buffer[l],m_D,field[l],'N','N');
basics::multPointwise(res,m_buffer,m_G[index]);
for( int l=0;l<field.matrices();++l )
basics::multTranspose(m_buffer[l],field[l],m_D,'N','T');
basics::multPointwise(m_buffer,m_G[index+3]);
res += m_buffer;
basics::applyLocalGlobal(m_buffer,field,m_D,'N','T');
basics::multPointwise(m_buffer,m_G[index+6]);
res += m_buffer;
}
convectionEvaluator::convectionEvaluator(const basics::geometryStack& geometry,
const basics::Matrix& D,
const basics::Vector& weight,
int rank, int size,
const basics::geometryStack3D* geometry3D) :
m_geometry(geometry), m_weight(weight),
m_D(D), m_rank(rank), m_size(size), m_view(NULL),
m_geometry3D(NULL), m_deformed(false), m_order(1)
{
if( geometry3D ) {
m_grid = geometry3D->getDivisionInfo(size);
m_geometry3D = geometry3D;
m_deformed = true;
m_view = new basics::componentView<basics::Matrices,basics::matricesStack>(m_geometry3D->getReferenceGeometryDerivatives());
}
else
m_grid = geometry.getDivisionInfo(size);
m_buffer = utilities::g_manager.aquireMatrixStack("convection buffer",D.rows(),D.cols(),m_grid[m_rank].elements.size());
m_buffer2 = utilities::g_manager.clone(*m_buffer);
m_buffer3 = utilities::g_manager.aquireMatricesStack("convection buffer3D",D.rows(),D.cols(),D.rows(),m_grid[m_rank].elements.size());
m_buffer4 = utilities::g_manager.clone(*m_buffer3);
}
convectionEvaluator::~convectionEvaluator()
{
delete m_view;
utilities::g_manager.unlock(m_buffer);
utilities::g_manager.unlock(m_buffer2);
utilities::g_manager.unlock(m_buffer3);
utilities::g_manager.unlock(m_buffer4);
}
void convectionEvaluator::evaluate(basics::matrixStack& res,
const basics::matrixStack& u) const
{
basics::Field2<basics::matrixStack>* field = (basics::Field2<basics::matrixStack>*)m_interp;
int max=u.size();
#pragma omp parallel for schedule(static)
for( int i=0;i<max;++i ) {
basics::Field2<basics::Matrix> foo(&field->X()[i],&field->Y()[i]);
deformedConvectionEvaluator eval(m_geometry[i].getGH().getGeometryDerivatives(),
m_D,m_weight,foo,(*m_buffer)[i],(*m_buffer2)[i]);
eval.evaluate(res[i],u[i]);
}
if( m_bc == SEMLaplacianEvaluator::PERIODIC ) {
m_geometry.periodicDssum(res);
m_geometry.invMassP(res);
} else {
m_geometry.dssum(res);
m_geometry.invMass(res);
m_geometry.mask(res);
}
}
void convectionEvaluator::evaluate(basics::matricesStack& res,
const basics::matricesStack& u)
{
if( m_deformed ) {
evaluateDeformed(res,u);
return;
}
/* extruded */
basics::Field3<basics::matricesStack>* field = (basics::Field3<basics::matricesStack>*)m_interp;
/* z */
int max=u.size();
#pragma omp parallel for schedule(static)
for( int n=0;n<max;++n ) {
basics::applyLocalGlobal((*m_buffer3)[n],u[n],m_D,'N','T',0,-Real(2)/m_geometry.m_Lz);
basics::multPointwise(res[n],(*m_buffer3)[n],field->Z()[n]);
}
m_geometry.mass(res,m_grid[m_rank].elements);
/* x and y */
for( int l=0;l<u[0].matrices();++l ) {
#pragma omp parallel for schedule(static)
for( int i=0;i<max;++i ) {
basics::Field2<basics::Matrix> foo(&field->X().at(l)[i],&field->Y().at(l)[i]);
deformedConvectionEvaluator
eval(m_geometry[m_grid[m_rank].elements[i]].getGH().getGeometryDerivatives(),
m_D,m_weight,foo,(*m_buffer)[i],(*m_buffer2)[i]);
eval.evaluate(m_buffer3->at(l)[i],u.at(l)[i]);
}
res.at(l).axpy(m_weight[l]*m_geometry.m_Lz/2,m_buffer3->at(l));
}
if( m_bc == SEMLaplacianEvaluator::PERIODIC ) {
m_geometry.periodicDssum(res);
m_geometry.invMassP(res);
} else {
dssum(res,m_geometry,m_rank,m_size);
m_geometry.invMass(res,m_grid[m_rank].elements);
mask(res,m_geometry,m_rank,m_size,m_bc);
}
}
void convectionEvaluator::evaluateDeformed(basics::matricesStack& res,
const basics::matricesStack& u)
{
basics::Field3<basics::matricesStack>* field = (basics::Field3<basics::matricesStack>*)m_interp;
int max=m_grid[m_rank].elements.size();
#pragma omp parallel for schedule(static)
for( int i=0;i<max;++i ) {
int elem=m_grid[m_rank].elements[i];
basics::Field3<basics::Matrices> foo(&field->X()[i],&field->Y()[i],&field->Z()[i]);
deformed3DConvectionEvaluator
eval((*m_view)[elem],m_D,m_weight,foo,(*m_buffer3)[i],(*m_buffer4)[i]);
eval.evaluate(res[i],u[i]);
}
dssum(res,*m_geometry3D,m_rank,m_size);
m_geometry3D->invMass(res,m_grid[m_rank].elements);
mask(res,*m_geometry3D,m_rank,m_size,m_bc);
}<|fim▁end|> | |
<|file_name|>__init__.py<|end_file_name|><|fim▁begin|>from . import errordocument
from . import recursive<|fim▁hole|>from . import static<|fim▁end|> | |
<|file_name|>context_processors.py<|end_file_name|><|fim▁begin|><|fim▁hole|>
def get_site_url(request, slash=False):
domain = Site.objects.get_current().domain
protocol = 'https' if request.is_secure() else 'http'
root = "%s://%s" % (protocol, domain)
if slash:
root += '/'
return root
def absolute(request):
urls = {
'ABSOLUTE_ROOT': request.build_absolute_uri('/')[:-1],
'ABSOLUTE_ROOT_URL': request.build_absolute_uri('/'),
}
if 'django.contrib.sites' in settings.INSTALLED_APPS:
urls['SITE_ROOT'] = get_site_url(request)
urls['SITE_ROOT_URL'] = get_site_url(request, True)
return urls<|fim▁end|> | # -*- coding: utf-8 -*-
from django.contrib.sites.models import Site
from django.conf import settings |
<|file_name|>list_container.js<|end_file_name|><|fim▁begin|>// Copyright 2014 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
import {assert, assertInstanceof, assertNotReached} from 'chrome://resources/js/assert.m.js';
import {dispatchSimpleEvent} from 'chrome://resources/js/cr.m.js';
import {List} from 'chrome://resources/js/cr/ui/list.m.js';
import {ListItem} from 'chrome://resources/js/cr/ui/list_item.m.js';
import {ListSelectionModel} from 'chrome://resources/js/cr/ui/list_selection_model.m.js';
import {ListSingleSelectionModel} from 'chrome://resources/js/cr/ui/list_single_selection_model.m.js';
import {queryRequiredElement} from 'chrome://resources/js/util.m.js';
import {DialogType} from '../../../common/js/dialog_type.js';
import {util} from '../../../common/js/util.js';
import {FileListModel} from '../file_list_model.js';
import {ListThumbnailLoader} from '../list_thumbnail_loader.js';
import {FileGrid} from './file_grid.js';
import {FileTable} from './file_table.js';
class TextSearchState {
constructor() {
/** @public {string} */
this.text = '';
/** @public {!Date} */
this.date = new Date();
}
}
/**
* List container for the file table and the grid view.
*/
export class ListContainer {
/**
* @param {!HTMLElement} element Element of the container.
* @param {!FileTable} table File table.
* @param {!FileGrid} grid File grid.
* @param {DialogType} type The type of the main dialog.
*/
constructor(element, table, grid, type) {
/**
* The container element of the file list.
* @type {!HTMLElement}
* @const
*/
this.element = element;
/**
* The file table.
* @type {!FileTable}
* @const
*/
this.table = table;
/**
* The file grid.
* @type {!FileGrid}
* @const
*/
this.grid = grid;
/**
* Current file list.
* @type {ListContainer.ListType}
*/
this.currentListType = ListContainer.ListType.UNINITIALIZED;
/**
* The input element to rename entry.
* @type {!HTMLInputElement}
* @const
*/
this.renameInput =
assertInstanceof(document.createElement('input'), HTMLInputElement);
this.renameInput.className = 'rename entry-name';
/**
* Spinner on file list which is shown while loading.
* @type {!HTMLElement}
* @const
*/
this.spinner =
queryRequiredElement('files-spinner.loading-indicator', element);
/**
* @type {FileListModel}
*/
this.dataModel = null;
/**
* @type {ListThumbnailLoader}
*/
this.listThumbnailLoader = null;
/**
* @type {ListSelectionModel|ListSingleSelectionModel}
*/
this.selectionModel = null;
/**
* Data model which is used as a placefolder in inactive file list.
* @type {FileListModel}
*/
this.emptyDataModel = null;
/**
* Selection model which is used as a placefolder in inactive file list.
* @type {!ListSelectionModel}
* @const
* @private
*/
this.emptySelectionModel_ = new ListSelectionModel();
/**
* @type {!TextSearchState}
* @const
*/
this.textSearchState = new TextSearchState();
/**
* Whtehter to allow or cancel a context menu event.
* @type {boolean}
* @private
*/
this.allowContextMenuByTouch_ = false;
// Overriding the default role 'list' to 'listbox' for better accessibility
// on ChromeOS.
this.table.list.setAttribute('role', 'listbox');
this.table.list.id = 'file-list';
this.grid.setAttribute('role', 'listbox');
this.grid.id = 'file-list';
this.element.addEventListener('keydown', this.onKeyDown_.bind(this));
this.element.addEventListener('keypress', this.onKeyPress_.bind(this));
this.element.addEventListener('mousemove', this.onMouseMove_.bind(this));
this.element.addEventListener(
'contextmenu', this.onContextMenu_.bind(this), /* useCapture */ true);
// Disables context menu by long-tap when at least one file/folder is
// selected, while still enabling two-finger tap.
this.element.addEventListener('touchstart', function(e) {
if (e.touches.length > 1) {
this.allowContextMenuByTouch_ = true;
}
}.bind(this), {passive: true});
this.element.addEventListener('touchend', function(e) {
if (e.touches.length == 0) {
// contextmenu event will be sent right after touchend.
setTimeout(function() {
this.allowContextMenuByTouch_ = false;
}.bind(this));
}
}.bind(this));
this.element.addEventListener('contextmenu', function(e) {
// Block context menu triggered by touch event unless it is right after
// multi-touch, or we are currently selecting a file.
if (this.currentList.selectedItem && !this.allowContextMenuByTouch_ &&
e.sourceCapabilities && e.sourceCapabilities.firesTouchEvents) {
e.stopPropagation();
}
}.bind(this), true);
// Ensure the list and grid are marked ARIA single select for save as.
if (type === DialogType.SELECT_SAVEAS_FILE) {
const list = table.querySelector('#file-list');
list.setAttribute('aria-multiselectable', 'false');
grid.setAttribute('aria-multiselectable', 'false');
}
}
/**
* @return {!FileTable|!FileGrid}
*/
get currentView() {
switch (this.currentListType) {
case ListContainer.ListType.DETAIL:
return this.table;
case ListContainer.ListType.THUMBNAIL:
return this.grid;
}
assertNotReached();
}
/**
* @return {!List}
*/
get currentList() {
switch (this.currentListType) {
case ListContainer.ListType.DETAIL:
return this.table.list;
case ListContainer.ListType.THUMBNAIL:
return this.grid;
}
assertNotReached();
}
/**
* Notifies beginning of batch update to the UI.
*/
startBatchUpdates() {
this.table.startBatchUpdates();
this.grid.startBatchUpdates();
}
/**
* Notifies end of batch update to the UI.
*/
endBatchUpdates() {
this.table.endBatchUpdates();
this.grid.endBatchUpdates();
}
/**
* Sets the current list type.
* @param {ListContainer.ListType} listType New list type.
*/
setCurrentListType(listType) {
assert(this.dataModel);
assert(this.selectionModel);
this.startBatchUpdates();
this.currentListType = listType;
this.element.classList.toggle(
'list-view', listType === ListContainer.ListType.DETAIL);
this.element.classList.toggle(
'thumbnail-view', listType === ListContainer.ListType.THUMBNAIL);
// TODO(dzvorygin): style.display and dataModel setting order shouldn't
// cause any UI bugs. Currently, the only right way is first to set display
// style and only then set dataModel.
// Always sharing the data model between the detail/thumb views confuses
// them. Instead we maintain this bogus data model, and hook it up to the
// view that is not in use.
switch (listType) {
case ListContainer.ListType.DETAIL:
this.table.dataModel = this.dataModel;
this.table.setListThumbnailLoader(this.listThumbnailLoader);
this.table.selectionModel = this.selectionModel;
this.table.hidden = false;
this.grid.hidden = true;
this.grid.selectionModel = this.emptySelectionModel_;
this.grid.setListThumbnailLoader(null);
this.grid.dataModel = this.emptyDataModel;
break;
case ListContainer.ListType.THUMBNAIL:
this.grid.dataModel = this.dataModel;
this.grid.setListThumbnailLoader(this.listThumbnailLoader);
this.grid.selectionModel = this.selectionModel;
this.grid.hidden = false;
this.table.hidden = true;
this.table.selectionModel = this.emptySelectionModel_;
this.table.setListThumbnailLoader(null);
this.table.dataModel = this.emptyDataModel;
break;
default:
assertNotReached();
break;
}
this.endBatchUpdates();
}
/**
* Clears hover highlighting in the list container until next mouse move.
*/
clearHover() {
this.element.classList.add('nohover');
}
/**
* Finds list item element from the ancestor node.
* @param {!HTMLElement} node
* @return {ListItem}
*/
findListItemForNode(node) {
const item = this.currentList.getListItemAncestor(node);
// TODO(serya): list should check that.
return item && this.currentList.isItem(item) ?
assertInstanceof(item, ListItem) :
null;
}
/**
* Focuses the active file list in the list container.
*/
focus() {
switch (this.currentListType) {
case ListContainer.ListType.DETAIL:
this.table.list.focus();
break;
case ListContainer.ListType.THUMBNAIL:
this.grid.focus();
break;
default:
assertNotReached();
break;
}
}
/**
* Check if our context menu has any items that can be activated
* @return {boolean} True if the menu has action item. Otherwise, false.
* @private
*/
contextMenuHasActions_() {
const menu = document.querySelector('#file-context-menu');
const menuItems = menu.querySelectorAll('cr-menu-item, hr');
for (const item of menuItems) {
if (!item.hasAttribute('hidden') && !item.hasAttribute('disabled') &&
(window.getComputedStyle(item).display != 'none')) {
return true;
}
}
return false;
}
/**
* Contextmenu event handler to prevent change of focus on long-tapping the
* header of the file list.
* @param {!Event} e Menu event.
* @private
*/
onContextMenu_(e) {
if (!this.allowContextMenuByTouch_ && e.sourceCapabilities &&
e.sourceCapabilities.firesTouchEvents) {
this.focus();
}
}
/**
* KeyDown event handler for the div#list-container element.
* @param {!Event} event Key event.
* @private
*/
onKeyDown_(event) {
// Ignore keydown handler in the rename input box.
if (event.srcElement.tagName == 'INPUT') {
event.stopImmediatePropagation();
return;
}
switch (event.key) {
case 'Home':
case 'End':
case 'ArrowUp':
case 'ArrowDown':
case 'ArrowLeft':
case 'ArrowRight':
// When navigating with keyboard we hide the distracting mouse hover
// highlighting until the user moves the mouse again.
this.clearHover();
break;
}
}
/**
* KeyPress event handler for the div#list-container element.
* @param {!Event} event Key event.
* @private
*/
onKeyPress_(event) {
// Ignore keypress handler in the rename input box.
if (event.srcElement.tagName == 'INPUT' || event.ctrlKey || event.metaKey ||
event.altKey) {
event.stopImmediatePropagation();
return;
}
const now = new Date();
const character = String.fromCharCode(event.charCode).toLowerCase();
const text =
now - this.textSearchState.date > 1000 ? '' : this.textSearchState.text;
this.textSearchState.text = text + character;
this.textSearchState.date = now;
if (this.textSearchState.text) {
dispatchSimpleEvent(this.element, ListContainer.EventType.TEXT_SEARCH);
}
}
/**
* Mousemove event handler for the div#list-container element.
* @param {Event} event Mouse event.
* @private
*/
onMouseMove_(event) {
// The user grabbed the mouse, restore the hover highlighting.
this.element.classList.remove('nohover');
}
}
/**
* @enum {string}
* @const
*/
ListContainer.EventType = {
TEXT_SEARCH: 'textsearch'
};
/**
* @enum {string}
* @const
*/
ListContainer.ListType = {
UNINITIALIZED: 'uninitialized',
DETAIL: 'detail',<|fim▁hole|> * Keep the order of this in sync with FileManagerListType in
* tools/metrics/histograms/enums.xml.
* The array indices will be recorded in UMA as enum values. The index for each
* root type should never be renumbered nor reused in this array.
*
* @type {Array<ListContainer.ListType>}
* @const
*/
ListContainer.ListTypesForUMA = Object.freeze([
ListContainer.ListType.UNINITIALIZED,
ListContainer.ListType.DETAIL,
ListContainer.ListType.THUMBNAIL,
]);
console.assert(
Object.keys(ListContainer.ListType).length ===
ListContainer.ListTypesForUMA.length,
'Members in ListTypesForUMA do not match those in ListType.');<|fim▁end|> | THUMBNAIL: 'thumb'
};
/** |
<|file_name|>bobserver.py<|end_file_name|><|fim▁begin|>import socketserver, os
from configparser import ConfigParser
"""
Byte
[1] = Action 255 items
"""
class BOBServer(socketserver.BaseRequestHandler):
"""
The request handler class for our server.
It is instantiated once per connection to the server, and must
override the handle() method to implement communication to the
client.
"""
config_filename = 'bobsrv-config.ini'
def handle(self):
# self.request is the TCP socket connected to the client
self.data = self.request.recv(1024)
print("{} wrote:".format(self.client_address[0]))
print(self.data)
# just send back the same data, but upper-cased
self.request.sendall(self.data)
def crete_init_configfile():
config = ConfigParser()
config['Server'] = {'port': 7766,
'host': "localhost"}
with open(BOBServer.config_filename, 'w') as configfile:
config.write(configfile)
config.read_file(open(BOBServer.config_filename))
return config
"""
Load's the server config file. If it cannot find one, it will create a basic one
"""
def load_config_file():
config = ConfigParser()
try:
config.read_file(open(BOBServer.config_filename))
return config
except FileNotFoundError:
return BOBServer.crete_init_configfile();
if __name__ == "__main__":
"""<|fim▁hole|>
# Create the server, binding to localhost on port 9999
with socketserver.TCPServer((HOST, PORT), BOBServer) as server:
# Activate the server; this will keep running until you
# interrupt the program with Ctrl-C
server.serve_forever()<|fim▁end|> | Let's setup the configuration
"""
config = loadConfigFile()
HOST, PORT = config['server']['host'], config['server']['port'] |
<|file_name|>Text.js<|end_file_name|><|fim▁begin|>define(["require", "exports", '../../has', "../dom/form/Text"], function (require, exports, has) {
var Text;
if (has('host-browser')) {
Text = require('../dom/form/Text');
}
return Text;<|fim▁hole|><|fim▁end|> | });
//# sourceMappingURL=../../_debug/ui/form/Text.js.map |
<|file_name|>TestOpenOrderImpl.java<|end_file_name|><|fim▁begin|>/*
* The MIT License (MIT)
*
* Copyright (c) 2015 Gareth Jon Lynch
*
* 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,<|fim▁hole|> * copies or substantial portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS
* FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR
* COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER
* IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN
* CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
*/
package com.gazbert.bxbot.exchanges.trading.api.impl;
import static org.junit.Assert.assertEquals;
import static org.junit.Assert.assertNotEquals;
import static org.junit.Assert.assertNull;
import com.gazbert.bxbot.trading.api.OrderType;
import java.math.BigDecimal;
import java.util.Date;
import org.junit.Test;
/**
* Tests the Open Order impl behaves as expected.
*
* @author gazbert
*/
public class TestOpenOrderImpl {
private static final String ID = "abc_123_def_456_ghi_789";
private static final Date CREATION_DATE = new Date();
private static final String MARKET_ID = "BTC_USD";
private static final BigDecimal PRICE = new BigDecimal("671.91");
private static final BigDecimal ORIGINAL_QUANTITY = new BigDecimal("0.01433434");
private static final BigDecimal TOTAL = PRICE.multiply(ORIGINAL_QUANTITY);
private static final BigDecimal QUANTITY =
ORIGINAL_QUANTITY.subtract(new BigDecimal("0.00112112"));
@Test
public void testOpenOrderIsInitialisedAsExpected() {
final OpenOrderImpl openOrder =
new OpenOrderImpl(
ID,
CREATION_DATE,
MARKET_ID,
OrderType.SELL,
PRICE,
QUANTITY,
ORIGINAL_QUANTITY,
TOTAL);
assertEquals(ID, openOrder.getId());
assertEquals(CREATION_DATE, openOrder.getCreationDate());
assertEquals(MARKET_ID, openOrder.getMarketId());
assertEquals(OrderType.SELL, openOrder.getType());
assertEquals(PRICE, openOrder.getPrice());
assertEquals(QUANTITY, openOrder.getQuantity());
assertEquals(ORIGINAL_QUANTITY, openOrder.getOriginalQuantity());
assertEquals(TOTAL, openOrder.getTotal());
}
@Test
public void testSettersWorkAsExpected() {
final OpenOrderImpl openOrder =
new OpenOrderImpl(null, null, null, null, null, null, null, null);
assertNull(openOrder.getId());
assertNull(openOrder.getCreationDate());
assertNull(openOrder.getMarketId());
assertNull(openOrder.getType());
assertNull(openOrder.getPrice());
assertNull(openOrder.getQuantity());
assertNull(openOrder.getOriginalQuantity());
assertNull(openOrder.getTotal());
openOrder.setId(ID);
assertEquals(ID, openOrder.getId());
openOrder.setCreationDate(CREATION_DATE);
assertEquals(CREATION_DATE, openOrder.getCreationDate());
openOrder.setMarketId(MARKET_ID);
assertEquals(MARKET_ID, openOrder.getMarketId());
openOrder.setType(OrderType.BUY);
assertEquals(OrderType.BUY, openOrder.getType());
openOrder.setPrice(PRICE);
assertEquals(PRICE, openOrder.getPrice());
openOrder.setQuantity(QUANTITY);
assertEquals(QUANTITY, openOrder.getQuantity());
openOrder.setOriginalQuantity(ORIGINAL_QUANTITY);
assertEquals(ORIGINAL_QUANTITY, openOrder.getOriginalQuantity());
openOrder.setTotal(TOTAL);
assertEquals(TOTAL, openOrder.getTotal());
}
@Test
public void testEqualsWorksAsExpected() {
final OpenOrderImpl openOrder1 =
new OpenOrderImpl(
ID,
CREATION_DATE,
MARKET_ID,
OrderType.SELL,
PRICE,
QUANTITY,
ORIGINAL_QUANTITY,
TOTAL);
final OpenOrderImpl openOrder2 =
new OpenOrderImpl(
"different-id",
CREATION_DATE,
MARKET_ID,
OrderType.SELL,
PRICE,
QUANTITY,
ORIGINAL_QUANTITY,
TOTAL);
final OpenOrderImpl openOrder3 =
new OpenOrderImpl(
ID,
CREATION_DATE,
"diff-market",
OrderType.SELL,
PRICE,
QUANTITY,
ORIGINAL_QUANTITY,
TOTAL);
final OpenOrderImpl openOrder4 =
new OpenOrderImpl(
ID, CREATION_DATE, MARKET_ID, OrderType.BUY, PRICE, QUANTITY, ORIGINAL_QUANTITY, TOTAL);
assertEquals(openOrder1, openOrder1);
assertNotEquals(openOrder1, openOrder2);
assertNotEquals(openOrder1, openOrder3);
assertNotEquals(openOrder1, openOrder4);
}
}<|fim▁end|> | * subject to the following conditions:
*
* The above copyright notice and this permission notice shall be included in all |
<|file_name|>weakset_test.cpp<|end_file_name|><|fim▁begin|>#include "weakset_test.h"
#include "weakset.h"
CPPUNIT_TEST_SUITE_REGISTRATION(WeaksetTest);
template <typename T>
uint weak_set_size(weak_set<T>& w) {
uint c = 0;
for (typename weak_set<T>::iterator i = w.begin();
i != w.end(); ++i) {
++c;
}
return c;
}
void WeaksetTest::test_insertion() {
boost::shared_ptr<int> n(new int(8));
boost::shared_ptr<int> m(new int(1));
weak_set<int> s;
s.insert(n);
s.insert(m);
CPPUNIT_ASSERT_EQUAL(2U, weak_set_size(s));
}
void WeaksetTest::test_garbage_collection() {
weak_set<int> s;
boost::shared_ptr<int> u(new int(37));
s.insert(u);
{
boost::shared_ptr<int> m(new int(1));
s.insert(m);
}
boost::shared_ptr<int> n(new int(8));
s.insert(n);
CPPUNIT_ASSERT_EQUAL(2U, weak_set_size(s));
}
void WeaksetTest::test_get() {
weak_set<int> s;
boost::shared_ptr<int> n(new int(42));
s.insert(n);
CPPUNIT_ASSERT_EQUAL(42, *s.begin());
}
void WeaksetTest::test_empty() {
weak_set<int> s;
<|fim▁hole|> {
boost::shared_ptr<int> m(new int(37));
s.insert(m);
}
CPPUNIT_ASSERT_EQUAL(0U, weak_set_size(s));
}<|fim▁end|> | |
<|file_name|>conf.py<|end_file_name|><|fim▁begin|># -*- coding: utf-8 -*-
#
# RedPipe documentation build configuration file, created by
# sphinx-quickstart on Wed Apr 19 13:22:45 2017.
#
# This file is execfile()d with the current directory set to its
# containing dir.
#
# Note that not all possible configuration values are present in this
# autogenerated file.
#
# All configuration values have a default; values that are commented out
# serve to show the default.
# If extensions (or modules to document with autodoc) are in another directory,
# add these directories to sys.path here. If the directory is relative to the
# documentation root, use os.path.abspath to make it absolute, like shown here.
#
# import os
# import sys
# sys.path.insert(0, os.path.abspath('.'))
# -- General configuration ------------------------------------------------
# If your documentation needs a minimal Sphinx version, state it here.
#
# needs_sphinx = '1.0'
# Add any Sphinx extension module names here, as strings. They can be
# extensions coming with Sphinx (named 'sphinx.ext.*') or your custom
# ones.
import os
import sys
from os import path
ROOTDIR = path.abspath(os.path.dirname(os.path.dirname(__file__)))
sys.path.insert(0, ROOTDIR)
import redpipe # noqa
extensions = [
'alabaster',
'sphinx.ext.autodoc',
'sphinx.ext.intersphinx',
'sphinx.ext.viewcode',
'sphinx.ext.napoleon',
]
# Add any paths that contain templates here, relative to this directory.
templates_path = ['_templates']
# The suffix(es) of source filenames.
# You can specify multiple suffix as a list of string:
#
# source_suffix = ['.rst', '.md']
source_suffix = '.rst'
# The master toctree document.
master_doc = 'index'
# General information about the project.
project = u'RedPipe'
copyright = u'2017, John Loehrer'
author = u'John Loehrer'
# The version info for the project you're documenting, acts as replacement for
# |version| and |release|, also used in various other places throughout the
# built documents.
#
# The short X.Y version.
version = redpipe.__version__
# The full version, including alpha/beta/rc tags.
release = redpipe.__version__
# The language for content autogenerated by Sphinx. Refer to documentation
# for a list of supported languages.
#
# This is also used if you do content translation via gettext catalogs.
# Usually you set "language" from the command line for these cases.
language = None
# List of patterns, relative to source directory, that match files and
# directories to ignore when looking for source files.
# This patterns also effect to html_static_path and html_extra_path
exclude_patterns = ['_build', 'Thumbs.db', '.DS_Store']
# The name of the Pygments (syntax highlighting) style to use.
pygments_style = 'sphinx'
# If true, `todo` and `todoList` produce output, else they produce nothing.
todo_include_todos = False
# -- Options for HTML output ----------------------------------------------
# The theme to use for HTML and HTML Help pages. See the documentation for
# a list of builtin themes.
#
html_theme = 'alabaster'
# Theme options are theme-specific and customize the look and feel of a theme
# further. For a list of options available for each theme, see the
# documentation.
#
html_theme_options = {
'logo': 'redpipe-logo.gif',
'github_banner': True,
'github_user': '72squared',
'github_repo': 'redpipe',
'travis_button': True,
'analytics_id': 'UA-98626018-1',
}
html_sidebars = {
'**': [
'about.html',
'navigation.html',
'relations.html',
'searchbox.html',
]
}
# Add any paths that contain custom static files (such as style sheets) here,
# relative to this directory. They are copied after the builtin static files,
# so a file named "default.css" will overwrite the builtin "default.css".
html_static_path = ['_static']
# -- Options for HTMLHelp output ------------------------------------------
# Output file base name for HTML help builder.
htmlhelp_basename = 'RedPipedoc'
# -- Options for LaTeX output ---------------------------------------------
latex_elements = {
# The paper size ('letterpaper' or 'a4paper').
#
# 'papersize': 'letterpaper',
# The font size ('10pt', '11pt' or '12pt').
#
# 'pointsize': '10pt',
# Additional stuff for the LaTeX preamble.
#
# 'preamble': '',
# Latex figure (float) alignment
#
# 'figure_align': 'htbp',
}
# Grouping the document tree into LaTeX files. List of tuples
# (source start file, target name, title,
# author, documentclass [howto, manual, or own class]).
latex_documents = [
(master_doc, 'RedPipe.tex', u'%s Documentation' % project,
u'John Loehrer', 'manual'),
]
# -- Options for manual page output ---------------------------------------
# One entry per manual page. List of tuples
# (source start file, name, description, authors, manual section).
man_pages = [
(master_doc, project, u'%s Documentation' % project,
[author], 1)
]
# -- Options for Texinfo output -------------------------------------------
# Grouping the document tree into Texinfo files. List of tuples
# (source start file, target name, title, author,
# dir menu entry, description, category)
texinfo_documents = [
(master_doc, project, u'%s Documentation' % project,
author, project, 'making redis pipelines easy in python',
'Miscellaneous'),<|fim▁hole|><|fim▁end|> | ]
suppress_warnings = ['image.nonlocal_uri'] |
<|file_name|>ship-6-alien.py<|end_file_name|><|fim▁begin|>#!/usr/bin/python
import pyglet
from pyglet.gl import *
from pyglet.window import key
import math
import random
window = pyglet.window.Window(fullscreen=True)
pyglet.resource.path.append('./images')
pyglet.resource.reindex()
center_x = int(window.width/2)
center_y = int(window.height/2)
def center_anchor(img):
img.anchor_x = img.width // 2
img.anchor_y = img.height // 2
def wrap(value, width):
if width == 0:
return 0
while value > width:
value -= width
while value < 0:
value += width
return value
radians_in_circle = math.pi * 2
def to_radians(degrees):
return math.pi * degrees / 180.0
def to_degrees(radians):
return (180 * radians) / math.pi
def make_vec(xxx_todo_changeme, xxx_todo_changeme1):
"""distance and angle from (x1,y1) to (x2,y2)"""
(x1, y1) = xxx_todo_changeme
(x2, y2) = xxx_todo_changeme1
dx = x1 - x2
dy = y1 - y2
distance = math.sqrt(dx**2 + dy**2)
if distance == 0:
return (0,0)
angle = math.acos(float(dx) / distance)
if dy < 0:
angle = 2*math.pi - angle
return (distance, angle)
def vec_to_xy(distance, angle):
x = distance * math.cos(angle)
y = distance * math.sin(angle)
return (x,y)
def dist_vec_to(source, target):
return make_vec(
(source.x, source.y),
(target.x, target.y))
def degree_angle_diff(angle1, angle2):
# assumes degrees
diff = wrap(angle1 - angle2, 360.)
if diff > 180:
diff = 360.0 - diff
return diff
planet_image = pyglet.resource.image('mars.png')
center_anchor(planet_image)
ship_image = pyglet.resource.image('ship.png')
center_anchor(ship_image)
ship_image_on = pyglet.resource.image('ship_on.png')
center_anchor(ship_image_on)
bullet_image = pyglet.resource.image('bullet.png')
center_anchor(bullet_image)
alien_image = pyglet.resource.image('alien.png')
center_anchor(alien_image)
class Planet(pyglet.sprite.Sprite):
def __init__(self, image, x=0, y=0, batch=None):
super(Planet, self).__init__(image, x, y, batch=batch)
self.x = x
self.y = y
self.mass = 5000000 # experiment!
self.scale = 1.0
self.radius = self.scale * (self.image.height + self.image.width) / 4
def force_on(self, target):
G = 1 # experiment!
distance, angle = dist_vec_to(self, target)
return ((G * self.mass) / (distance**2), angle)
def update(self, dt):
# Check collisions
distance, angle = dist_vec_to(self, ship)
if distance <= ship.radius + self.radius:
ship.reset()
ship.alive = False
# Gravity!
force, angle = self.force_on(ship)
force_x = force * math.cos(angle) * dt
force_y = force * math.sin(angle) * dt
ship.dx += force_x
ship.dy += force_y
class Ship(pyglet.sprite.Sprite, key.KeyStateHandler):
def __init__(self, image, x=0, y=0, dx=0, dy=0, rotv=0, batch=None):
super(Ship, self).__init__(image, x, y, batch=batch)
self.x = x
self.y = y
self.dx = dx
self.dy = dy
self.rotation = rotv
self.thrust = 150.0
self.rot_spd = 100.0
self.alive = True
self.radius = self.image.width / 2
self.max_speed = 100
self.shot_timer = 0.2
self.reload_timer = self.shot_timer
self.bullets = []
self.score = 0
def reset(self):
ship.life_timer = 2.0 # seconds until respawn
self.x = center_x + 300; self.y = center_y
self.dx = 0; self.dy = 150
self.rotation = -90
def update(self, dt):
self.image = ship_image
score.text = "Score: %d" % self.score
if not self.alive:
#print "Dead! Respawn in %s" % self.life_timer
self.life_timer -= dt
if self.life_timer > 0:
return
else:
self.reset()
self.score -= 100
self.alive = True
# Update rotation
if self[key.LEFT]:
self.rotation -= self.rot_spd * dt
if self[key.RIGHT]:
self.rotation += self.rot_spd * dt
self.rotation = wrap(self.rotation, 360.)
# Get x/y components of orientation
# Pyglet and python math angles don't correspond, but reversing the x axis fixes that
rotation_x = math.cos(to_radians(self.rotation))
rotation_y = math.sin(to_radians(-self.rotation))<|fim▁hole|> self.dx += self.thrust * rotation_x * dt
self.dy += self.thrust * rotation_y * dt
# Shoot bullets
if self.reload_timer > 0:
self.reload_timer -= dt
if self[key.SPACE]:
if self.reload_timer <= 0:
self.bullets.append(Bullet(self.x, self.y, rotation_x*500+self.dx, rotation_y*500+self.dy, bullets))
self.reload_timer = self.shot_timer
self.x += self.dx * dt
self.y += self.dy * dt
self.x = wrap(self.x, window.width)
self.y = wrap(self.y, window.height)
class Bullet(pyglet.sprite.Sprite):
def __init__(self, x=0, y=0, dx=0, dy=0, batch=None):
super(Bullet, self).__init__(bullet_image, x, y, batch=batch)
self.x = x
self.y = y
self.dx = dx
self.dy = dy
self.radius = self.image.width / 2
self.timer = 1.5
def update(self, dt):
self.x += self.dx * dt
self.y += self.dy * dt
self.x = wrap(self.x, window.width)
self.y = wrap(self.y, window.height)
self.timer -= dt
# collide with planet, or remove after 5 seconds
distance, angle = dist_vec_to(planet, self)
if distance <= planet.radius or self.timer < 0:
ship.bullets.remove(self)
return
# check collision with Alien
dist, angle = dist_vec_to(self, alien)
if dist < alien.radius:
# hit alien
alien.reset()
alien.alive = False
ship.bullets.remove(self)
ship.score += 100
return
class Alien(pyglet.sprite.Sprite):
def __init__(self, image, x=0, y=0, dx=0, dy=0, batch=None):
super(Alien, self).__init__(image, x, y, batch=batch)
self.x = x
self.y = y
self.dx = dx
self.dy = dy
self.radius = self.image.width / 2
self.life_timer = 2.0
self.accel_spd = 200.0
self.max_spd = 400.0
self.alive = True
self.AI = "FTANG!"
def reset(self):
self.alive = True
self.life_timer = 2.0 # seconds until respawn
self.x = random.random() * window.width
self.y = random.random() * window.height
self.dx = random.random() * (self.max_spd/2)
self.dy = random.random() * (self.max_spd/2)
def update(self, dt):
if not self.alive:
self.life_timer -= dt
if self.life_timer > 0:
return
else:
self.reset()
# movement - random acceleration
if random.random() < 0.2:
accel_dir = random.random() * math.pi*2
accel_amt = random.random() * self.accel_spd
accel_x, accel_y = vec_to_xy(accel_amt, accel_dir)
self.dx += accel_x
self.dy += accel_y
# limit the alien's speed to max_spd
self.dx = min(self.dx, self.max_spd)
self.dx = max(self.dx, -self.max_spd)
self.dy = min(self.dy, self.max_spd)
self.dy = max(self.dy, -self.max_spd)
self.x += self.dx * dt
self.y += self.dy * dt
self.x = wrap(self.x, window.width)
self.y = wrap(self.y, window.height)
# check collisions with the player
player_dist, player_angle = dist_vec_to(self, ship)
if player_dist < (ship.radius + self.radius) * 0.75:
# BANG! got the player
self.reset()
self.alive = False
ship.reset()
ship.alive = False
# take potshots at the player
# Ship is not affected by gravity, doesn't hit the planet
# TODO: lead the target, ie. calculate where the player is going to be and shoot there
planet = Planet(planet_image, center_x, center_y)
bullets = pyglet.graphics.Batch()
ship = Ship(ship_image)
ship.reset()
alien = Alien(alien_image)
alien.reset()
score = pyglet.text.Label('Speed: 0',
font_name='Arial',
font_size=36,
x=10, y=10,
anchor_x='left', anchor_y='bottom')
score.color = (255, 255, 255, 255)
@window.event
def on_draw():
window.clear()
planet.draw()
if alien.alive:
alien.draw()
bullets.draw()
if ship.alive:
ship.draw()
score.draw()
# Call update 60 times a second
def update(dt):
planet.update(dt)
alien.update(dt)
for bullet in ship.bullets:
bullet.update(dt)
ship.update(dt)
window.push_handlers(ship)
pyglet.clock.schedule_interval(update, 1/60.0)
pyglet.app.run()<|fim▁end|> |
# Update velocity
if self[key.UP]:
self.image = ship_image_on |
<|file_name|>VoiceSend.java<|end_file_name|><|fim▁begin|>package com.yunpian.sdk.model;
/**
* Created by bingone on 15/11/8.<|fim▁hole|>public class VoiceSend extends BaseInfo {
}<|fim▁end|> | */ |
<|file_name|>client.py<|end_file_name|><|fim▁begin|># -*- coding: utf-8 -*-
'''
Specto Add-on
Copyright (C) 2015 lambda
This program is free software: you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation, either version 3 of the License, 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 General Public License for more details.
You should have received a copy of the GNU General Public License
along with this program. If not, see <http://www.gnu.org/licenses/>.
'''
import re,sys,cookielib,urllib,urllib2,urlparse,gzip,StringIO,HTMLParser,time,random,base64
from resources.lib.libraries import cache
from resources.lib.libraries import control
from resources.lib.libraries import workers
def shrink_host(url):
u = urlparse.urlparse(url)[1].split('.')
u = u[-2] + '.' + u[-1]
return u.encode('utf-8')
IE_USER_AGENT = 'Mozilla/5.0 (Windows NT 6.1; WOW64; Trident/7.0; AS; rv:11.0) like Gecko'
FF_USER_AGENT = 'Mozilla/5.0 (Windows NT 6.3; rv:36.0) Gecko/20100101 Firefox/36.0'
OPERA_USER_AGENT = 'Mozilla/5.0 (Windows NT 6.1; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/47.0.2526.111 Safari/537.36 OPR/34.0.2036.50'
IOS_USER_AGENT = 'Mozilla/5.0 (iPhone; CPU iPhone OS 6_0 like Mac OS X) AppleWebKit/536.26 (KHTML, like Gecko) Version/6.0 Mobile/10A5376e Safari/8536.25'
ANDROID_USER_AGENT = 'Mozilla/5.0 (Linux; Android 4.4.2; Nexus 4 Build/KOT49H) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/34.0.1847.114 Mobile Safari/537.36'
#SMU_USER_AGENT = 'URLResolver for Kodi/%s' % (addon_version)
def request(url, close=True, redirect=True, error=False, proxy=None, post=None, headers=None, mobile=False, limit=None, referer=None, cookie=None, compression=True, output='', timeout='30', XHR=False):
try:
#control.log('@@@@@@@@@@@@@@ - URL:%s POST:%s' % (url, post))
handlers = []
if not proxy == None:
handlers += [urllib2.ProxyHandler({'http':'%s' % (proxy)}), urllib2.HTTPHandler]
opener = urllib2.build_opener(*handlers)
opener = urllib2.install_opener(opener)
if output == 'cookie' or output == 'extended' or not close == True:
cookies = cookielib.LWPCookieJar()
handlers += [urllib2.HTTPHandler(), urllib2.HTTPSHandler(), urllib2.HTTPCookieProcessor(cookies)]
opener = urllib2.build_opener(*handlers)
opener = urllib2.install_opener(opener)
if (2, 7, 9) <= sys.version_info < (2, 7, 11):
try:
import ssl; ssl_context = ssl.create_default_context()
ssl_context.check_hostname = False
ssl_context.verify_mode = ssl.CERT_NONE
handlers += [urllib2.HTTPSHandler(context=ssl_context)]
opener = urllib2.build_opener(*handlers)
opener = urllib2.install_opener(opener)
except:
pass
if url.startswith('//'): url = 'http:' + url
try: headers.update(headers)
except: headers = {}
if 'User-Agent' in headers:
pass
elif not mobile == True:
#headers['User-Agent'] = agent()
headers['User-Agent'] = cache.get(randomagent, 1)
else:
headers['User-Agent'] = 'Apple-iPhone/701.341'
headers['User-Agent'] = 'Mozilla/5.0 (Linux; U; Android 4.0.3; ko-kr; LG-L160L Build/IML74K) AppleWebkit/534.30 (KHTML, like Gecko) Version/4.0 Mobile Safari/534.30'
if 'Referer' in headers:
pass
elif referer == None:
headers['Referer'] = '%s://%s/' % (urlparse.urlparse(url).scheme, urlparse.urlparse(url).netloc)
else:
headers['Referer'] = referer
if not 'Accept-Language' in headers:
headers['Accept-Language'] = 'en-US'
if 'X-Requested-With' in headers:
pass
elif XHR == True:
headers['X-Requested-With'] = 'XMLHttpRequest'
if 'Cookie' in headers:
pass
elif not cookie == None:
headers['Cookie'] = cookie
if 'Accept-Encoding' in headers:
pass
elif compression and limit is None:
headers['Accept-Encoding'] = 'gzip'
if redirect == False:
class NoRedirection(urllib2.HTTPErrorProcessor):
def http_response(self, request, response): return response
opener = urllib2.build_opener(NoRedirection)
opener = urllib2.install_opener(opener)
try: del headers['Referer']
except: pass
if isinstance(post, dict):
post = urllib.urlencode(post)
request = urllib2.Request(url, data=post, headers=headers)
try:
response = urllib2.urlopen(request, timeout=int(timeout))
except urllib2.HTTPError as response:
if response.code == 503:
cf_result = response.read(5242880)
try: encoding = response.info().getheader('Content-Encoding')
except: encoding = None
if encoding == 'gzip':
cf_result = gzip.GzipFile(fileobj=StringIO.StringIO(cf_result)).read()
if 'cf-browser-verification' in cf_result:
netloc = '%s://%s' % (urlparse.urlparse(url).scheme, urlparse.urlparse(url).netloc)
ua = headers['User-Agent']
cf = cache.get(cfcookie().get, 168, netloc, ua, timeout)
headers['Cookie'] = cf
request = urllib2.Request(url, data=post, headers=headers)
response = urllib2.urlopen(request, timeout=int(timeout))
elif error == False:
return
elif error == False:
return
if output == 'cookie':
try: result = '; '.join(['%s=%s' % (i.name, i.value) for i in cookies])
except: pass
try: result = cf
except: pass
if close == True: response.close()
return result
elif output == 'geturl':
result = response.geturl()
if close == True: response.close()
return result
elif output == 'headers':
result = response.headers
if close == True: response.close()
return result
elif output == 'chunk':
try: content = int(response.headers['Content-Length'])
except: content = (2049 * 1024)
if content < (2048 * 1024): return
result = response.read(16 * 1024)
if close == True: response.close()
return result
if limit == '0':
result = response.read(224 * 1024)
elif not limit == None:
result = response.read(int(limit) * 1024)
else:
result = response.read(5242880)
try: encoding = response.info().getheader('Content-Encoding')
except: encoding = None
if encoding == 'gzip':
result = gzip.GzipFile(fileobj=StringIO.StringIO(result)).read()
if 'sucuri_cloudproxy_js' in result:
su = sucuri().get(result)
headers['Cookie'] = su
request = urllib2.Request(url, data=post, headers=headers)
response = urllib2.urlopen(request, timeout=int(timeout))
if limit == '0':
result = response.read(224 * 1024)
elif not limit == None:
result = response.read(int(limit) * 1024)
else:
result = response.read(5242880)
try: encoding = response.info().getheader('Content-Encoding')
except: encoding = None
if encoding == 'gzip':
result = gzip.GzipFile(fileobj=StringIO.StringIO(result)).read()
if 'Blazingfast.io' in result and 'xhr.open' in result:
netloc = '%s://%s' % (urlparse.urlparse(url).scheme, urlparse.urlparse(url).netloc)
ua = headers['User-Agent']
headers['Cookie'] = cache.get(bfcookie().get, 168, netloc, ua, timeout)
<|fim▁hole|> response_code = str(response.code)
try: cookie = '; '.join(['%s=%s' % (i.name, i.value) for i in cookies])
except: pass
try: cookie = cf
except: pass
if close == True: response.close()
return (result, response_code, response_headers, headers, cookie)
else:
if close == True: response.close()
return result
except Exception as e:
control.log('Client connect url:%s Error %s' % (url,e))
return
def source(url, close=True, error=False, proxy=None, post=None, headers=None, mobile=False, safe=False, referer=None, cookie=None, output='', timeout='30'):
return request(url, close, error, proxy, post, headers, mobile, safe, referer, cookie, output, timeout)
def parseDOM(html, name=u"", attrs={}, ret=False):
# Copyright (C) 2010-2011 Tobias Ussing And Henrik Mosgaard Jensen
if attrs is None: attrs = {}
if isinstance(html, str):
try:
html = [html.decode("utf-8")] # Replace with chardet thingy
except:
try:
html = [html.decode("utf-8", "replace")]
except:
html = [html]
elif isinstance(html, unicode):
html = [html]
elif not isinstance(html, list):
return ''
if not name.strip():
return ''
if not isinstance(attrs, dict):
return ''
ret_lst = []
for item in html:
for match in re.findall('(<[^>]*\n[^>]*>)', item):
item = item.replace(match, match.replace('\n', ' ').replace('\r', ' '))
if not attrs:
pattern = '(<%s(?: [^>]*>|/?>))' % (name)
this_list = re.findall(pattern, item, re.M | re.S | re.I)
else:
last_list = None
for key in attrs:
pattern = '''(<%s [^>]*%s=['"]%s['"][^>]*>)''' % (name, key, attrs[key])
this_list = re.findall(pattern, item, re.M | re. S | re.I)
if not this_list and ' ' not in attrs[key]:
pattern = '''(<%s [^>]*%s=%s[^>]*>)''' % (name, key, attrs[key])
this_list = re.findall(pattern, item, re.M | re. S | re.I)
if last_list is None:
last_list = this_list
else:
last_list = [item for item in this_list if item in last_list]
this_list = last_list
lst = this_list
if isinstance(ret, str):
lst2 = []
for match in lst:
pattern = '''<%s[^>]* %s\s*=\s*(?:(['"])(.*?)\\1|([^'"].*?)(?:>|\s))''' % (name, ret)
results = re.findall(pattern, match, re.I | re.M | re.S)
lst2 += [result[1] if result[1] else result[2] for result in results]
lst = lst2
else:
lst2 = []
for match in lst:
end_str = "</%s" % (name)
start_str = '<%s' % (name)
start = item.find(match)
end = item.find(end_str, start)
pos = item.find(start_str, start + 1)
while pos < end and pos != -1: # Ignore too early </endstr> return
tend = item.find(end_str, end + len(end_str))
if tend != -1:
end = tend
pos = item.find(start_str, pos + 1)
if start == -1 and end == -1:
result = ''
elif start > -1 and end > -1:
result = item[start + len(match):end]
elif end > -1:
result = item[:end]
elif start > -1:
result = item[start + len(match):]
else:
result = ''
if ret:
endstr = item[end:item.find(">", item.find(end_str)) + 1]
result = match + result + endstr
result = result.strip()
item = item[item.find(result, item.find(match)):]
lst2.append(result)
lst = lst2
ret_lst += lst
return ret_lst
def replaceHTMLCodes(txt):
txt = re.sub("(&#[0-9]+)([^;^0-9]+)", "\\1;\\2", txt)
txt = HTMLParser.HTMLParser().unescape(txt)
txt = txt.replace(""", "\"")
txt = txt.replace("&", "&")
txt = txt.strip()
return txt
def cleanHTMLCodes(txt):
txt = txt.replace("'", "")
txt = re.sub("(&#[0-9]+)([^;^0-9]+)", "\\1;\\2", txt)
txt = HTMLParser.HTMLParser().unescape(txt)
txt = txt.replace(""", "\"")
txt = txt.replace("&", "&")
return txt
def agent():
return cache.get(randomagent, 24)
def randomagent():
BR_VERS = [
['%s.0' % i for i in xrange(18, 50)],
['37.0.2062.103', '37.0.2062.120', '37.0.2062.124', '38.0.2125.101', '38.0.2125.104', '38.0.2125.111', '39.0.2171.71', '39.0.2171.95', '39.0.2171.99',
'40.0.2214.93', '40.0.2214.111',
'40.0.2214.115', '42.0.2311.90', '42.0.2311.135', '42.0.2311.152', '43.0.2357.81', '43.0.2357.124', '44.0.2403.155', '44.0.2403.157', '45.0.2454.101',
'45.0.2454.85', '46.0.2490.71',
'46.0.2490.80', '46.0.2490.86', '47.0.2526.73', '47.0.2526.80', '48.0.2564.116', '49.0.2623.112', '50.0.2661.86', '51.0.2704.103', '52.0.2743.116',
'53.0.2785.143', '54.0.2840.71'],
['11.0'],
['8.0', '9.0', '10.0', '10.6']]
WIN_VERS = ['Windows NT 10.0', 'Windows NT 7.0', 'Windows NT 6.3', 'Windows NT 6.2', 'Windows NT 6.1', 'Windows NT 6.0', 'Windows NT 5.1', 'Windows NT 5.0']
FEATURES = ['; WOW64', '; Win64; IA64', '; Win64; x64', '']
RAND_UAS = ['Mozilla/5.0 ({win_ver}{feature}; rv:{br_ver}) Gecko/20100101 Firefox/{br_ver}',
'Mozilla/5.0 ({win_ver}{feature}) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/{br_ver} Safari/537.36',
'Mozilla/5.0 ({win_ver}{feature}; Trident/7.0; rv:{br_ver}) like Gecko',
'Mozilla/5.0 (compatible; MSIE {br_ver}; {win_ver}{feature}; Trident/6.0)']
index = random.randrange(len(RAND_UAS))
return RAND_UAS[index].format(win_ver=random.choice(WIN_VERS), feature=random.choice(FEATURES), br_ver=random.choice(BR_VERS[index]))
def googletag(url):
quality = re.compile('itag=(\d*)').findall(url)
quality += re.compile('=m(\d*)$').findall(url)
try: quality = quality[0]
except: return []
#control.log('<><><><><><><><><><><><> %s <><><><><><><><><>' % quality)
if quality in ['37', '137', '299', '96', '248', '303', '46']:
return [{'quality': u'1080p', 'url': url}]
elif quality in ['22', '84', '136', '298', '120', '95', '247', '302', '45', '102']:
return [{'quality': u'HD', 'url': url}]
elif quality in ['35', '44', '135', '244', '94', '59']:
return [{'quality': u'SD', 'url': url}]
elif quality in ['18', '34', '43', '82', '100', '101', '134', '243', '93']:
return [{'quality': u'SD', 'url': url}]
elif quality in ['5', '6', '36', '83', '133', '242', '92', '132']:
return [{'quality': u'SD', 'url': url}]
else:
return [{'quality': u'HD', 'url': url}]
def file_quality_openload(url):
try:
if '1080' in url:
return {'quality': '1080p'}
elif '720' in url:
return {'quality': 'HD'}
else:
return {'quality': 'SD'}
except:
return {'quality': 'SD', 'url': url}
class cfcookie:
def __init__(self):
self.cookie = None
def get(self, netloc, ua, timeout):
threads = []
for i in range(0, 15): threads.append(workers.Thread(self.get_cookie, netloc, ua, timeout))
[i.start() for i in threads]
for i in range(0, 30):
if not self.cookie == None: return self.cookie
time.sleep(1)
def get_cookie(self, netloc, ua, timeout):
try:
headers = {'User-Agent': ua}
request = urllib2.Request(netloc, headers=headers)
try:
response = urllib2.urlopen(request, timeout=int(timeout))
except urllib2.HTTPError as response:
result = response.read(5242880)
try: encoding = response.info().getheader('Content-Encoding')
except: encoding = None
if encoding == 'gzip':
result = gzip.GzipFile(fileobj=StringIO.StringIO(result)).read()
jschl = re.findall('name="jschl_vc" value="(.+?)"/>', result)[0]
init = re.findall('setTimeout\(function\(\){\s*.*?.*:(.*?)};', result)[-1]
builder = re.findall(r"challenge-form\'\);\s*(.*)a.v", result)[0]
decryptVal = self.parseJSString(init)
lines = builder.split(';')
for line in lines:
if len(line) > 0 and '=' in line:
sections=line.split('=')
line_val = self.parseJSString(sections[1])
decryptVal = int(eval(str(decryptVal)+sections[0][-1]+str(line_val)))
answer = decryptVal + len(urlparse.urlparse(netloc).netloc)
query = '%s/cdn-cgi/l/chk_jschl?jschl_vc=%s&jschl_answer=%s' % (netloc, jschl, answer)
if 'type="hidden" name="pass"' in result:
passval = re.findall('name="pass" value="(.*?)"', result)[0]
query = '%s/cdn-cgi/l/chk_jschl?pass=%s&jschl_vc=%s&jschl_answer=%s' % (netloc, urllib.quote_plus(passval), jschl, answer)
time.sleep(6)
cookies = cookielib.LWPCookieJar()
handlers = [urllib2.HTTPHandler(), urllib2.HTTPSHandler(), urllib2.HTTPCookieProcessor(cookies)]
opener = urllib2.build_opener(*handlers)
opener = urllib2.install_opener(opener)
try:
request = urllib2.Request(query, headers=headers)
response = urllib2.urlopen(request, timeout=int(timeout))
except:
pass
cookie = '; '.join(['%s=%s' % (i.name, i.value) for i in cookies])
if 'cf_clearance' in cookie: self.cookie = cookie
except:
pass
def parseJSString(self, s):
try:
offset=1 if s[0]=='+' else 0
val = int(eval(s.replace('!+[]','1').replace('!![]','1').replace('[]','0').replace('(','str(')[offset:]))
return val
except:
pass
class bfcookie:
def __init__(self):
self.COOKIE_NAME = 'BLAZINGFAST-WEB-PROTECT'
def get(self, netloc, ua, timeout):
try:
headers = {'User-Agent': ua, 'Referer': netloc}
result = _basic_request(netloc, headers=headers, timeout=timeout)
match = re.findall('xhr\.open\("GET","([^,]+),', result)
if not match:
return False
url_Parts = match[0].split('"')
url_Parts[1] = '1680'
url = urlparse.urljoin(netloc, ''.join(url_Parts))
match = re.findall('rid=([0-9a-zA-Z]+)', url_Parts[0])
if not match:
return False
headers['Cookie'] = 'rcksid=%s' % match[0]
result = _basic_request(url, headers=headers, timeout=timeout)
return self.getCookieString(result, headers['Cookie'])
except:
return
# not very robust but lazieness...
def getCookieString(self, content, rcksid):
vars = re.findall('toNumbers\("([^"]+)"', content)
value = self._decrypt(vars[2], vars[0], vars[1])
cookie = "%s=%s;%s" % (self.COOKIE_NAME, value, rcksid)
return cookie
def _decrypt(self, msg, key, iv):
from binascii import unhexlify, hexlify
import pyaes
msg = unhexlify(msg)
key = unhexlify(key)
iv = unhexlify(iv)
if len(iv) != 16: return False
decrypter = pyaes.Decrypter(pyaes.AESModeOfOperationCBC(key, iv))
plain_text = decrypter.feed(msg)
plain_text += decrypter.feed()
f = hexlify(plain_text)
return f
class sucuri:
def __init__(self):
self.cookie = None
def get(self, result):
try:
s = re.compile("S\s*=\s*'([^']+)").findall(result)[0]
s = base64.b64decode(s)
s = s.replace(' ', '')
s = re.sub('String\.fromCharCode\(([^)]+)\)', r'chr(\1)', s)
s = re.sub('\.slice\((\d+),(\d+)\)', r'[\1:\2]', s)
s = re.sub('\.charAt\(([^)]+)\)', r'[\1]', s)
s = re.sub('\.substr\((\d+),(\d+)\)', r'[\1:\1+\2]', s)
s = re.sub(';location.reload\(\);', '', s)
s = re.sub(r'\n', '', s)
s = re.sub(r'document\.cookie', 'cookie', s)
cookie = '' ; exec(s)
self.cookie = re.compile('([^=]+)=(.*)').findall(cookie)[0]
self.cookie = '%s=%s' % (self.cookie[0], self.cookie[1])
return self.cookie
except:
pass
def parseJSString(s):
try:
offset=1 if s[0]=='+' else 0
val = int(eval(s.replace('!+[]','1').replace('!![]','1').replace('[]','0').replace('(','str(')[offset:]))
return val
except:
pass
def googlepass(url):
try:
try:
headers = dict(urlparse.parse_qsl(url.rsplit('|', 1)[1]))
except:
headers = None
url = url.split('|')[0].replace('\\', '')
url = request(url, headers=headers, output='geturl')
if 'requiressl=yes' in url:
url = url.replace('http://', 'https://')
else:
url = url.replace('https://', 'http://')
if headers: url += '|%s' % urllib.urlencode(headers)
return url
except:
return<|fim▁end|> | result = _basic_request(url, headers=headers, timeout=timeout, limit=limit)
if output == 'extended':
response_headers = response.headers |
<|file_name|>anonymity.rs<|end_file_name|><|fim▁begin|><|fim▁hole|> F: Fn() {
f();
}
fn main() {
let x = 7;
// 捕获的 `x` 成为一个匿名类型并为它实现 `Fn`。
// 将它存储到 `print` 中。
let print = || println!("{}", x);
apply(print);
}<|fim▁end|> | // `F` 必须针对一个没有输入参数和返回值的闭包实现 `Fn`
// —— 确切地讲是 `print` 要求的类型。
fn apply<F>(f: F) where |
<|file_name|>__init__.py<|end_file_name|><|fim▁begin|><|fim▁hole|>import fetchopenfmri.fetch<|fim▁end|> | |
<|file_name|>osext.go<|end_file_name|><|fim▁begin|>// Copyright 2012 The Go Authors. All rights reserved.
// Use of this source code is governed by a BSD-style
// license that can be found in the LICENSE file.
// Extensions to the standard "os" package.
package osext // import "github.com/kardianos/osext"
import "path/filepath"
// Executable returns an absolute path that can be used to
// re-invoke the current program.
// It may not be valid after the current program exits.
func Executable() (string, error) {
p, err := executable()
return filepath.Clean(p), err
}
// Returns same path as Executable, returns just the folder
// path. Excludes the executable name.
func ExecutableFolder() (string, error) {
p, err := Executable()
if err != nil {<|fim▁hole|> folder, _ := filepath.Split(p)
return folder, nil
}<|fim▁end|> | return "", err
} |
<|file_name|>treap_bst.py<|end_file_name|><|fim▁begin|># https://en.wikipedia.org/wiki/Treap
import random
import time
class Treap:
def __init__(self, key):
self.key = key
self.prio = random.randint(0, 1000000000)
self.size = 1
self.left = None
self.right = None
def update(self):
self.size = 1 + size(self.left) + size(self.right)
def size(treap):
return 0 if treap is None else treap.size
def split(root, minRight):
if root is None:
return None, None
if root.key >= minRight:
left, right = split(root.left, minRight)
root.left = right
root.update()
return left, root
else:
left, right = split(root.right, minRight)
root.right = left
root.update()
return root, right
def merge(left, right):
if left is None:
return right
if right is None:
return left
if left.prio > right.prio:<|fim▁hole|> right.left = merge(left, right.left)
right.update()
return right
def insert(root, key):
left, right = split(root, key)
return merge(merge(left, Treap(key)), right)
def remove(root, key):
left, right = split(root, key)
return merge(left, split(right, key + 1)[1])
def kth(root, k):
if k < size(root.left):
return kth(root.left, k)
elif k > size(root.left):
return kth(root.right, k - size(root.left) - 1)
return root.key
def print_treap(root):
def dfs_print(root):
if root is None:
return
dfs_print(root.left)
print(str(root.key) + ' ', end='')
dfs_print(root.right)
dfs_print(root)
print()
def test():
start = time.time()
treap = None
s = set()
for i in range(100000):
key = random.randint(0, 10000)
if random.randint(0, 1) == 0:
if key in s:
treap = remove(treap, key)
s.remove(key)
elif key not in s:
treap = insert(treap, key)
s.add(key)
assert len(s) == size(treap)
for i in range(size(treap)):
assert kth(treap, i) in s
print(time.time() - start)
test()<|fim▁end|> | left.right = merge(left.right, right)
left.update()
return left
else: |
<|file_name|>plot_montage.py<|end_file_name|><|fim▁begin|># -*- coding: utf-8 -*-
"""
.. _plot_montage:
Plotting sensor layouts of EEG systems
======================================
This example illustrates how to load all the EEG system montages
shipped in MNE-python, and display it on fsaverage template.
""" # noqa: D205, D400
# Authors: Alexandre Gramfort <[email protected]>
# Joan Massich <[email protected]>
#
# License: BSD Style.
import os.path as op
import mne
from mne.channels.montage import get_builtin_montages
from mne.datasets import fetch_fsaverage
from mne.viz import set_3d_title, set_3d_view
###############################################################################
# Check all montages against a sphere
for current_montage in get_builtin_montages():
montage = mne.channels.make_standard_montage(current_montage)
info = mne.create_info(
ch_names=montage.ch_names, sfreq=100., ch_types='eeg')
info.set_montage(montage)
sphere = mne.make_sphere_model(r0='auto', head_radius='auto', info=info)
fig = mne.viz.plot_alignment(
# Plot options
show_axes=True, dig='fiducials', surfaces='head',
bem=sphere, info=info)
set_3d_view(figure=fig, azimuth=135, elevation=80)
set_3d_title(figure=fig, title=current_montage)
###############################################################################
# Check all montages against fsaverage
subjects_dir = op.dirname(fetch_fsaverage())
for current_montage in get_builtin_montages():
montage = mne.channels.make_standard_montage(current_montage)<|fim▁hole|> # Create dummy info
info = mne.create_info(
ch_names=montage.ch_names, sfreq=100., ch_types='eeg')
info.set_montage(montage)
fig = mne.viz.plot_alignment(
# Plot options
show_axes=True, dig='fiducials', surfaces='head', mri_fiducials=True,
subject='fsaverage', subjects_dir=subjects_dir, info=info,
coord_frame='mri',
trans='fsaverage', # transform from head coords to fsaverage's MRI
)
set_3d_view(figure=fig, azimuth=135, elevation=80)
set_3d_title(figure=fig, title=current_montage)<|fim▁end|> | |
<|file_name|>protractor.js<|end_file_name|><|fim▁begin|>var addressBar = element(by.css("#addressBar")),
url = 'http://www.example.com/base/ratingList.html#!/path?a=b#h';
it("should show fake browser info on load", function(){
expect(addressBar.getAttribute('value')).toBe(url);
expect(element(by.binding('$location.protocol()')).getText()).toBe('http');
expect(element(by.binding('$location.host()')).getText()).toBe('www.example.com');
expect(element(by.binding('$location.port()')).getText()).toBe('80');
expect(element(by.binding('$location.path()')).getText()).toBe('/path');
expect(element(by.binding('$location.search()')).getText()).toBe('{"a":"b"}');
expect(element(by.binding('$location.hash()')).getText()).toBe('h');
});
it("should change $location accordingly", function(){
var navigation = element.all(by.css("#navigation a"));
navigation.get(0).click();
expect(addressBar.getAttribute('value')).toBe("http://www.example.com/base/ratingList.html#!/first?a=b");
expect(element(by.binding('$location.protocol()')).getText()).toBe('http');
expect(element(by.binding('$location.host()')).getText()).toBe('www.example.com');
expect(element(by.binding('$location.port()')).getText()).toBe('80');
expect(element(by.binding('$location.path()')).getText()).toBe('/first');
expect(element(by.binding('$location.search()')).getText()).toBe('{"a":"b"}');<|fim▁hole|>
expect(addressBar.getAttribute('value')).toBe("http://www.example.com/base/ratingList.html#!/sec/ond?flag#hash");
expect(element(by.binding('$location.protocol()')).getText()).toBe('http');
expect(element(by.binding('$location.host()')).getText()).toBe('www.example.com');
expect(element(by.binding('$location.port()')).getText()).toBe('80');
expect(element(by.binding('$location.path()')).getText()).toBe('/sec/ond');
expect(element(by.binding('$location.search()')).getText()).toBe('{"flag":true}');
expect(element(by.binding('$location.hash()')).getText()).toBe('hash');
});<|fim▁end|> | expect(element(by.binding('$location.hash()')).getText()).toBe('');
navigation.get(1).click(); |
<|file_name|>win_pkg.py<|end_file_name|><|fim▁begin|># -*- encoding: utf-8 -*-
'''
:maintainer: HubbleStack
:maturity: 2016.7.0
:platform: Windows
:requires: SaltStack
'''
from __future__ import absolute_import
import copy
import fnmatch
import logging
import salt.utils
import salt.utils.platform
from salt.exceptions import CommandExecutionError
from distutils.version import LooseVersion
log = logging.getLogger(__name__)
__virtualname__ = 'win_pkg'
def __virtual__():
if not salt.utils.platform.is_windows():
return False, 'This audit module only runs on windows'
return True
def apply_labels(__data__, labels):
'''
Filters out the tests whose label doesn't match the labels given when running audit and returns a new data structure with only labelled tests.
'''
labelled_data = {}
if labels:
labelled_data[__virtualname__] = {}
for topkey in ('blacklist', 'whitelist'):
if topkey in __data__.get(__virtualname__, {}):
labelled_test_cases=[]
for test_case in __data__[__virtualname__].get(topkey, []):
# each test case is a dictionary with just one key-val pair. key=test name, val=test data, description etc
if isinstance(test_case, dict) and test_case:
test_case_body = test_case.get(next(iter(test_case)))
if set(labels).issubset(set(test_case_body.get('labels',[]))):
labelled_test_cases.append(test_case)
labelled_data[__virtualname__][topkey]=labelled_test_cases
else:
labelled_data = __data__
return labelled_data
def audit(data_list, tags, labels, debug=False, **kwargs):
'''
Runs auditpol on the local machine and audits the return data
with the CIS yaml processed by __virtual__
'''
__data__ = {}
try:
__pkgdata__ = __salt__['pkg.list_pkgs']()
except CommandExecutionError:
__salt__['pkg.refresh_db']()
__pkgdata__ = __salt__['pkg.list_pkgs']()
for profile, data in data_list:
_merge_yaml(__data__, data, profile)
__data__ = apply_labels(__data__, labels)
__tags__ = _get_tags(__data__)
if debug:
log.debug('package audit __data__:')
log.debug(__data__)
log.debug('package audit __tags__:')
log.debug(__tags__)
ret = {'Success': [], 'Failure': [], 'Controlled': []}
for tag in __tags__:
if fnmatch.fnmatch(tag, tags):
for tag_data in __tags__[tag]:
if 'control' in tag_data:
ret['Controlled'].append(tag_data)
continue
name = tag_data['name']
audit_type = tag_data['type']
match_output = tag_data['match_output'].lower()
# Blacklisted audit (do not include)
if 'blacklist' in audit_type:
if name not in __pkgdata__:
ret['Success'].append(tag_data)
else:
tag_data['failure_reason'] = "Blacklisted package '{0}' is installed " \
"on the system".format(name)
ret['Failure'].append(tag_data)
# Whitelisted audit (must include)
if 'whitelist' in audit_type:
if name in __pkgdata__:
audit_value = __pkgdata__[name]
tag_data['found_value'] = audit_value
secret = _translate_value_type(audit_value, tag_data['value_type'], match_output)
if secret:
ret['Success'].append(tag_data)
else:
tag_data['failure_reason'] = "Version '{0}({1}) of the requisite" \
" package '{2}' is not installed on" \
" the system".format(match_output,
tag_data['value_type'],
name)
ret['Failure'].append(tag_data)
else:
tag_data['failure_reason'] = "Version '{0}({1}) of the requisite package" \
" '{2}' is not installed on the system" \
.format(match_output, tag_data['value_type'], name)
ret['Failure'].append(tag_data)
return ret
def _merge_yaml(ret, data, profile=None):
'''
Merge two yaml dicts together at the secedit:blacklist and
secedit:whitelist level
'''
if __virtualname__ not in ret:
ret[__virtualname__] = {}
for topkey in ('blacklist', 'whitelist'):
if topkey in data.get(__virtualname__, {}):
if topkey not in ret[__virtualname__]:
ret[__virtualname__][topkey] = []
for key, val in data[__virtualname__][topkey].iteritems():
if profile and isinstance(val, dict):
val['nova_profile'] = profile
ret[__virtualname__][topkey].append({key: val})
return ret
def _get_tags(data):
'''
Retrieve all the tags for this distro from the yaml
'''
ret = {}
distro = __grains__.get('osfullname')
for toplist, toplevel in data.get(__virtualname__, {}).iteritems():
# secedit:whitelist
for audit_dict in toplevel:
for audit_id, audit_data in audit_dict.iteritems():
# secedit:whitelist:PasswordComplexity
tags_dict = audit_data.get('data', {})
# secedit:whitelist:PasswordComplexity:data
tags = None
for osfinger in tags_dict:
if osfinger == '*':
continue
osfinger_list = [finger.strip() for finger in osfinger.split(',')]
for osfinger_glob in osfinger_list:
if fnmatch.fnmatch(distro, osfinger_glob):
tags = tags_dict.get(osfinger)
break
if tags is not None:
break
# If we didn't find a match, check for a '*'
if tags is None:
tags = tags_dict.get('*', [])
# secedit:whitelist:PasswordComplexity:data:Windows 2012
if isinstance(tags, dict):
# malformed yaml, convert to list of dicts
tmp = []
for name, tag in tags.iteritems():
tmp.append({name: tag})
tags = tmp
for item in tags:<|fim▁hole|> if isinstance(tag, dict):
tag_data = copy.deepcopy(tag)
tag = tag_data.pop('tag')
if tag not in ret:
ret[tag] = []
formatted_data = {'name': name,
'tag': tag,
'module': 'win_auditpol',
'type': toplist}
formatted_data.update(tag_data)
formatted_data.update(audit_data)
formatted_data.pop('data')
ret[tag].append(formatted_data)
return ret
def _translate_value_type(current, value, evaluator):
if 'equal' in value.lower() and LooseVersion(current) == LooseVersion(evaluator):
return True
if 'less' in value.lower() and LooseVersion(current) <= LooseVersion(evaluator):
return True
if 'more' in value.lower() and LooseVersion(current) >= LooseVersion(evaluator):
return True
return False<|fim▁end|> | for name, tag in item.iteritems():
tag_data = {}
# Whitelist could have a dictionary, not a string |
<|file_name|>cmp9.component.spec.ts<|end_file_name|><|fim▁begin|>import {NO_ERRORS_SCHEMA} from '@angular/core';
import {async, ComponentFixture, TestBed} from '@angular/core/testing';
import {ReactiveFormsModule} from '@angular/forms';
import {MatButtonModule, MatCardModule, MatInputModule, MatRadioModule, MatSelectModule,} from '@angular/material';
import {NoopAnimationsModule} from '@angular/platform-browser/animations';
<|fim▁hole|>describe('Cmp9Component', () => {
let component: Cmp9Component;
let fixture: ComponentFixture<Cmp9Component>;
beforeEach(async(() => {
TestBed
.configureTestingModule({
declarations: [Cmp9Component],
imports: [
NoopAnimationsModule,
ReactiveFormsModule,
MatButtonModule,
MatCardModule,
MatInputModule,
MatRadioModule,
MatSelectModule,
],
schemas: [NO_ERRORS_SCHEMA]
})
.compileComponents();
}));
beforeEach(() => {
fixture = TestBed.createComponent(Cmp9Component);
component = fixture.componentInstance;
fixture.detectChanges();
});
// Make the test more realistic by doing lots of assertions
for (let i = 0; i < 50; i++) {
it('should compile', () => {
expect(component).toBeTruthy();
});
}
});<|fim▁end|> | import {Cmp9Component} from './cmp9.component';
|
<|file_name|>PublisherMapper.java<|end_file_name|><|fim▁begin|>package com.example.dao;
import com.example.model.Publisher;
import org.apache.ibatis.annotations.Mapper;
import org.apache.ibatis.annotations.Select;
import java.util.List;<|fim▁hole|>@Mapper
public interface PublisherMapper {
@Select("SELECT *, PHONE as phoneNumber from PUBLISHERS") //SQL
List<Publisher> findAll();
// === DB ===
// CREATE TABLE IF NOT EXISTS PUBLISHERS (
// ID INT NOT NULL AUTO_INCREMENT PRIMARY KEY
// ,NAME VARCHAR(255) NOT NULL CONSTRAINT PUBLISHERS_NAME_UC UNIQUE
// ,PHONE VARCHAR(30));
// === Model ===
// public class Publisher {
// private Integer id ;
// private String name;
// private String phoneNumber;
}<|fim▁end|> | |
<|file_name|>instance_scarlet_monastery.cpp<|end_file_name|><|fim▁begin|>/**
* ScriptDev2 is an extension for mangos providing enhanced features for
* area triggers, creatures, game objects, instances, items, and spells beyond
* the default database scripting in mangos.
*
* Copyright (C) 2006-2013 ScriptDev2 <http://www.scriptdev2.com/>
*
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation; either version 2 of the License, 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 General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program; if not, write to the Free Software
* Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
*
* World of Warcraft, and all World of Warcraft or Warcraft art, images,
* and lore are copyrighted by Blizzard Entertainment, Inc.
*/
/**
* ScriptData
* SDName: Instance_Scarlet_Monastery
* SD%Complete: 50
* SDComment: None
* SDCategory: Scarlet Monastery
* EndScriptData
*/
#include "precompiled.h"
#include "scarlet_monastery.h"
instance_scarlet_monastery::instance_scarlet_monastery(Map* pMap) : ScriptedInstance(pMap)
{
Initialize();
}
void instance_scarlet_monastery::Initialize()
{
memset(&m_auiEncounter, 0, sizeof(m_auiEncounter));
}
void instance_scarlet_monastery::OnCreatureCreate(Creature* pCreature)
{
switch (pCreature->GetEntry())
{
case NPC_MOGRAINE:
case NPC_WHITEMANE:
case NPC_VORREL:
m_mNpcEntryGuidStore[pCreature->GetEntry()] = pCreature->GetObjectGuid();
break;
}
}
void instance_scarlet_monastery::OnCreatureDeath(Creature* pCreature)
{
if (pCreature->GetEntry() == NPC_INTERROGATOR_VISHAS)
{
// Any other actions to do with Vorrel? setStandState?
if (Creature* pVorrel = GetSingleCreatureFromStorage(NPC_VORREL))
{
DoScriptText(SAY_TRIGGER_VORREL, pVorrel);
}
}
}
void instance_scarlet_monastery::OnObjectCreate(GameObject* pGo)
{
if (pGo->GetEntry() == GO_WHITEMANE_DOOR)
{
m_mGoEntryGuidStore[GO_WHITEMANE_DOOR] = pGo->GetObjectGuid();
}
}
void instance_scarlet_monastery::SetData(uint32 uiType, uint32 uiData)
{
if (uiType == TYPE_MOGRAINE_AND_WHITE_EVENT)
{
if (uiData == IN_PROGRESS)
{
DoUseDoorOrButton(GO_WHITEMANE_DOOR);
}
if (uiData == FAIL)
{
DoUseDoorOrButton(GO_WHITEMANE_DOOR);
}
m_auiEncounter[0] = uiData;
}
}
uint32 instance_scarlet_monastery::GetData(uint32 uiData) const
{
if (uiData == TYPE_MOGRAINE_AND_WHITE_EVENT)
{<|fim▁hole|> }
return 0;
}
InstanceData* GetInstanceData_instance_scarlet_monastery(Map* pMap)
{
return new instance_scarlet_monastery(pMap);
}
void AddSC_instance_scarlet_monastery()
{
Script* pNewScript;
pNewScript = new Script;
pNewScript->Name = "instance_scarlet_monastery";
pNewScript->GetInstanceData = &GetInstanceData_instance_scarlet_monastery;
pNewScript->RegisterSelf();
}<|fim▁end|> | return m_auiEncounter[0]; |
<|file_name|>table.go<|end_file_name|><|fim▁begin|>// generated by go run gen.go; DO NOT EDIT
package publicsuffix
const version = "publicsuffix.org's effective_tld_names.dat, hg revision e5572fc5c754 (2014-04-02)"
const (
nodesBitsChildren = 9
nodesBitsICANN = 1
nodesBitsTextOffset = 15
nodesBitsTextLength = 6
childrenBitsWildcard = 1
childrenBitsNodeType = 2
childrenBitsHi = 14
childrenBitsLo = 14
)
const (
nodeTypeNormal = 0
nodeTypeException = 1
nodeTypeParentOnly = 2
)
// numTLD is the number of top level domains.
const numTLD = 639
// Text is the combined text of all labels.
const text = "bieszczadygeyachiyodavvenjargalsaarlandnpaleobihirosakikamijimab" +
"ievat-band-campaniabifukagawatch-and-clockarumaintenancemrbihoro" +
"logyonaguniversityumenaval-d-aosta-valleyoriikasaokamiokamiminer" +
"s3-website-ap-southeast-2bikedavvesiidazaifuchukotkakudamatsueno" +
"harabilbaogakievenassisibenikihokumakogengerdalaskanittedalvdali" +
"ndesnes3-website-eu-west-1billustrationavigationavuotnakatsugawa" +
"biobirabirdartdecoalinkz-2birkenesoddtangenoamishirasatodayukiit" +
"atebayashichinohekinannestadpalermomasvuotnakatombetsupplyukuhas" +
"himogosenavyatkananporoceanographics3-website-sa-east-1birthplac" +
"epilepsyzranzanpachigasakids3-website-us-east-1bjarkoyurihonjoce" +
"anographiquevents3-website-us-gov-west-1bjerkreimmobilienvironme" +
"ntalconservationayorohtawaramotoineppulmemergencyberlevagangavii" +
"karugaulardalinzaiiyamanobeeldengeluidrangedalipetskashibatakasa" +
"kiyosemitevje-og-hornnes3-website-us-west-1bjugnikkoebenhavnikol" +
"aevenes3-website-us-west-2bluexeterbmdrobakrehamninohembygdsforb" +
"undyndns-blogdnsakuhokksundyndns-freemasonryusuharabomloabathsak" +
"uragawabonninomiyakonojournalismolenskashiharabostonakijinsekiko" +
"genovarabotanicalgardenirasakindianapolis-a-bloggerbotanicgarden" +
"ishiawakurabotanycareersakuraindianmarketingliwicexhibitionishia" +
"zaindustriesteamsterdamberkeleyusuisservebbsakyotanabellevuedati" +
"nglobalatinabeauxartsandcraftsalangenishigomuraboutiquebecargojo" +
"mediabozentsujiiexposeducatorahimeshimageandsoundandvisionishiha" +
"rabrandywinevalleyuulsandoyuzawabrasiljan-mayenishiizunazukinfog" +
"giabremangerbresciabrindisiciliabristolgamvikashiwarabritish-lib" +
"raryazanconagawakkanaibetsubamericanartanddesignieznodawarakkest" +
"adultarnobrzegloboknowsitallivornomutashinaintelligencexpressexy" +
"zgorabritishcolumbialowiezachpomorskienishikatakatsukinternation" +
"al-library-scotlandyndns-homeftpaccessalatarumizusawabroadcastle" +
"asejnynysabaerobaticarrierbroke-itatarstanishikatsuraginuyamanou" +
"chikuhokuryugasakitchenishikawazukanazawabrokerbronnoysundyndns-" +
"ipalmspringsakerbrumunddaloppadoval-daostavalleyuzhno-sakhalinsk" +
"ashiwazakiyosumitakaginozawaonsenishimerabrunelblagdenesnaaseral" +
"ingenkainanaejrietiendaburyatiamallamadridvrdnsdojobojis-a-bulls" +
"-fanishinomiyashironoslomzaporizhzhiabrusselsaltdalorenskoglogow" +
"halingloppenzamamidsundyndns-mailosangelesalvadordalikescandyndn" +
"s-at-workinggroupowiatateyamabruxellesjamalborkdaloteneis-a-cand" +
"idatebryanskjervoyageometre-experts-comptablesalzburgminakamichi" +
"gangwonishinoomotegostrodabrynewhampshireggio-emilia-romagnahari" +
"mangodoesntexisteingeekasukabeerbuyshousesamegawabuzenishinoshim" +
"abuzzgorzeleccollectionishiokoppegardyndns-office-on-the-webcamb" +
"ridgeorgiabvalle-aostationishitosashimizunaminamiawajikis-a-cate" +
"rerbwhoswholdingsmolajollanbibaidarbzhitomirkutskleppanamacitych" +
"yllestadcivilaviationcivilisationcivilizationcivilwarmiamibuildi" +
"ngroks-thisayamanashichikashukujukuriyamaritimodellingrongaclean" +
"ingrossetouchijiwadelmenhorstalbansnasafetydalutskatsushikabeiar" +
"nrtgoryclintonoshoesannohemnesantabarbaraclothingroundhandlingro" +
"znycloudcontrolledogawarabikomaezakirunorfolkebiblebesbyglandclo" +
"udfrontariodejaneiromskoguchikuzencntjeldsundcollegersundcologne" +
"wportlligatewaycolonialwilliamsburgrparmacoloradoplateaukraanghk" +
"emerovodkagoshimalopolskanlandcolumbusantiquesantacruzhgorodoyco" +
"mobaracompanycompute-1computerhistoryofscience-fictioncondoshibu" +
"yachtsantafederationconferenceconstructionconsuladontexistmein-t" +
"he-bandaiwafunewspaperconsultanthropologyconsultingvolluxembourg" +
"ruecontemporaryartgalleryggeelvinckatsuyamashikizunokunimilitary" +
"contractorskenconventureshinodesashibetsuikinkobayashijonawatele" +
"visioncookingujorpelandcoolbia-tempio-olbiatempioolbialystokkeco" +
"oppdaluxurycopenhagencyclopedicasertaitogakushimotoganewmexicody" +
"naliascoli-picenonoichikawamisatobishimallorcabruzzoologicalabam" +
"agasakishimabarahkkeravjudaicaarborteaches-yogasawaragusartsarit" +
"synishiwakis-a-celticsfanissedalouvreportatsunostrolekaneyamazoe" +
"corporationcorvettexascolipicenord-aurdaluzerncosenzagannakadoma" +
"ri-elasticbeanstalkaufencostumedicaltanissettaiwanaip6boneat-url" +
"evangerhcloudcontrolappalace-burg12000councilvivalle-d-aostavang" +
"ercqhachijoshkar-olancashirepair-traffic-controlleycranbrookuwan" +
"amizuhobby-sitextileborkautokeinocremonashorokanaiecrewithgoogle" +
"apisa-hockeynutjomelhusdecorativeartsanukis-a-democratoyokawacri" +
"meacrotonewyorkshireggioemiliaromagnakamagayahabaghdadcruisesaot" +
"omeiwamatsunoculturalcentertainmentoyonakagyokutomobellunordkapp" +
"gulencuneocupcakecxjeonnamerikawauefhskazimierz-dolnyfhvalerfiel" +
"dfiguerest-le-patrondheiminamiechizenfilateliafilminamifuranofin" +
"eartsaratovalle-daostavernfinlandfinnoyfirenzefirminamiiserniafi" +
"shingorgets-itoyonezawafitjarchitecturennebudapest-a-la-maisondr" +
"e-landfitnessettlementoyonofjalerdalflekkefjordflesbergenflights" +
"ardegnaklodzkodairaflogisticsardiniafloraflorencefloridaflorista" +
"nohatajiris-a-designerflorovigorlicefndfolldalfooshikamaishiksha" +
"cknetnedalfor-better-thanawafor-ourfor-somedio-campidano-medioca" +
"mpidanomediofor-thedmarkhangelskazoologyforgotdnsarpsborguovdage" +
"aidnulvikazunoforli-cesena-forlicesenaforlikes-piedmonticellodin" +
"genforsandasuolombardiamondsarufutsunomiyawakasaikaitakoelnfortm" +
"issoulan-udegreefortworthachinoheguris-a-doctorforuminamiizukami" +
"sunagawafosnesasayamafotoyookanzakiyosatokamachildrensgardenfred" +
"rikstadaokagakiryuoharussiafreiburgushikamifuranoshiroofreightoy" +
"osatomskchristiansburgwangjurfribourgxn--1qqw23afriuli-v-giuliaf" +
"riuli-ve-giuliafriuli-vegiuliafriuli-venezia-giuliafriuli-venezi" +
"agiuliafriuli-vgiuliafriuliv-giuliafriulive-giuliafriulivegiulia" +
"friulivenezia-giuliafriuliveneziagiuliafriulivgiuliafrogansasebo" +
"ltoyotaris-a-financialadvisor-aurdalfrognfrolandfrom-akunemurora" +
"nkoshigayabukicks-assedicastresistancefrom-alfrom-arqldfrom-azje" +
"tztoyotomiyazakis-a-geekgzlgfrom-cagliaridagawatchandclockhabaro" +
"vskhakassiafrom-coffeedbackharkivguernseyfrom-ctoyotsukaidofrom-" +
"dcateringebuildersamnangerfrom-dell-ogliastrakhanamigawafrom-fla" +
"kstadtoyourafrom-gausdalfrom-hichisodegaurafrom-iafrom-idfrom-il" +
"from-incheonfrom-ksaskatchewanfrom-kyotobetsuwanouchikushinonsen" +
"nanbungotakadafrom-lahppiacenzakopanefrom-maniwakuratefrom-mdfro" +
"m-medizinhistorischesassaris-a-greenfrom-midoris-a-gurunjargafro" +
"m-mnfrom-modalenfrom-msatxn--3bst00minamimakis-a-hard-workerfrom" +
"-mtoystre-slidrettozawafrom-nchattanooganordreisa-geekasumigaura" +
"wa-mazowszexchangetmyiparachutingqcartoonarteducationalchikugoka" +
"seljeffersoniigataishinomakikugawawildlifedjelenia-gorafrom-ndfr" +
"om-nefrom-nhkharkovhachiojiyaitakamoriokamchatkameokameyamashina" +
"tsukigatakanabedzin-addrammenuernbergfrom-njevnakerfrom-nminamim" +
"inowafrom-nvalleaostavropolkowicefrom-nyfrom-ohdafrom-oketohmann" +
"osegawafrom-orlandfrom-pacificheltenham-radio-operaunitelekommun" +
"ikationisshinguidepotherokusslattumemorialowiczest-a-la-masioniy" +
"odogawafrom-praxis-a-anarchistoirehabikinokawaircraftozsdefrom-r" +
"is-a-hunterfrom-scbgfrom-sdfrom-tnfrom-txn--3ds443gfrom-utazunsa" +
"kakinokis-a-knightrainingfrom-vacationsaudafrom-vtranarashinofro" +
"m-wafrom-wielunnerfrom-wvalled-aostaketomisatokyotangofrom-wyfro" +
"sinonefrostalowa-wolawafroyahikobearalvahkikuchikumagayagawalesu" +
"ndfsteinkjerusalembetsukuis-a-landscaperugiafujiiderafujikawaguc" +
"hikonefujiminohkurafujinomiyadafujiokayamansionsauheradfujisatos" +
"honairforceofujisawafujishiroishidakabiratoridellogliastraderfuj" +
"iyoshidafukayabeardudinkakegawallonieruchomoscienceandindustrynf" +
"ukuchiyamadafukudominichelyabinskodjejuifminamidaitomandalucania" +
"fukuis-a-lawyerfukumitsukefukuokazakisarazure-mobilegnicahcesuol" +
"ocalhistorybnikahokutoeigersundfukuroishigakishiwadafukusakisofu" +
"kushimantovadsoftwarendalenvikingatlantakahamanxn--3e0b707efukuy" +
"amagatakaharunzenfunabashiriuchinadafunagatakahashimamakisosakit" +
"agatakahatakaishimofusagaeroclubindallaspeziafunahashikamiamakus" +
"atsumasendaisenfundaciofuoiskujitawarafuosskoczowloclawekhersonf" +
"urnitureisenfurubiraquariuminamiogunionfurudonostiafurukawaharaf" +
"usogndalfussagamiharafutabayamaguchinomigawafutboldlygoingnowher" +
"e-for-moregontrailroadfuttsunanjolsterfvgfylkesbiblackfridayfyre" +
"sdalhakuis-a-liberalhakusandnessjoenhaldenhalsaikitakamiizumisan" +
"oksnesaves-the-whalessandria-trani-barletta-andriatranibarlettaa" +
"ndriahammarfeastafricamerakershuscountryestateshinanomachippubet" +
"subetsugaruhrhamurakamigoris-a-libertarianhangglidinghannanmokui" +
"zumodenakasatsunairlinedre-eikerhannoverhallangevagsoyhanyuzenha" +
"pmirumarumorimachidahappoutsystemscloudappartis-a-linux-useranis" +
"hiaritabashiibahccavuotnagasakikonaioirasecnghareidsbergbauernha" +
"rstadharvestcelebrationhasamarahasaminami-alpschlesischesavonams" +
"osnowiecherkasydneyhasudahasvikhmelnitskiyamashikokuchuohatogaya" +
"izuwakamatsubushikusakadogawahatoyamazakitakatakaokamikitayamato" +
"takadahatsukaichiharahattfjelldalhaustevollhawaiijimarylandhayas" +
"himamotobunkyonanaoshimabariaketrzynhazuminobusenetranbyhemsedal" +
"heroyhigashichichibusheyhigashihiroshimanehigashiizumozakitamoto" +
"sumidatlantichernigovernmentattoolsztynsettlersanfranciscoldwars" +
"zawahigashikagawahigashikagurasoedahigashikawakitaaikitanakagusu" +
"kumodernhigashikurumeeresayokkaichirurgiens-dentisteschoenbrunnh" +
"igashimatsushimarylhurstjohnhigashimatsuyamakitaakitadaitoigawah" +
"igashimurayamalatvuopmifunehigashinarusells-for-usgardenhigashin" +
"ehigashiomihachimanagementrani-andria-barletta-trani-andriahigas" +
"hiosakasayamamotorcycleschokoladenhigashishirakawamatakarazukami" +
"koaniikappugliahigashisumiyoshikawaminamiaikitashiobarahigashits" +
"unohigashiurausukitaurayasudahigashiyamatokoriyamanakakogawahiga" +
"shiyodogawahigashiyoshinogaris-a-llamasfjordenhiraizumisatohnosh" +
"oohirakatashinagawahiranairportland-4-salernogatagajoetsuruokafj" +
"ordhirarahiratsukagawahirayakagehistorichouseschoolhitachiomiyag" +
"inowaniihamatamakawajimarburghitachiotagoshikiminokamoenairguard" +
"hitoyoshimihamadahitradinghjartdalhjelmelandholeckobierzyceholid" +
"ayhomelinuxn--45brj9chernihivanovosibirskydivingretajimakanegasa" +
"kitahatakamatsukawahomesaverdehomeunixn--45q11chernivtsicilyngen" +
"lsangostrowiecasadelamonedahonefosschuleirvikhmelnytskyivalledao" +
"stakinouehongotembaixadahonjyoichiropractichernovtsykkylvenetogi" +
"tsuldaluccapebretonamiastarnbergrimstadyndns-webhoparaglidingrip" +
"escaravantaahornindalhorsells-itraniandriabarlettatraniandriahor" +
"tendofinternetranoyhoteledatabaseballangenhoyangerhoylandetroitr" +
"ansportrapaniizahumanitieschweizhevskhvallee-aosteroyhurdalhurum" +
"ajis-a-musicianhyugawaraiwatarailwayiwateiwatsukiyonojgorajpnkos" +
"eis-a-patsfankoshimizumakis-a-personaltrainerkoshunantokashikis-" +
"a-photographerokuappspotenzaporizhzhelsinkitakyushuaiakostromaha" +
"borovnotairesharis-a-playerkosugekotohiradomainsurancekotourakou" +
"hokutamakis-a-republicankounosumypetshellaskoyabenord-fronkouyam" +
"assa-carrara-massacarraramassabuskerudinewjerseykouzushimasudako" +
"zagawakozakis-a-rockstarachowicekrageroticampobassociatesherbroo" +
"kegawakrakowritesthisblogspotrentino-sudtirolkrasnoyarskomaganek" +
"redkristiansandefjordkristiansundkrodsheradkrokstadelvaksdalkrym" +
"inamiuonumatsusakahogithubusercontentrentino-sued-tirolkumatorin" +
"okumejimatsumaebashikaois-a-socialistjordalshalsenkumenanyokaich" +
"ibaikaliszkola-speziakunisakis-a-soxfankunitachiaraisaijosoyroku" +
"nitomigusukukis-a-studentravellinokunneppulawykunstsammlungkunst" +
"unddesignkurepbodyndns-at-homednswedenkurgankurobelaugustowadaej" +
"eonbukomakis-a-nursellsyourhomeipartnersciencecentersciencehisto" +
"rykurogimimatakashimatsumotofukekuroisognekuromatsunairtraffichi" +
"ryukyuragifudaigonohejis-a-conservativefsnillfjordyndns-wikirken" +
"esanjournalistor-elvdalucernekurotakikawasakis-a-teacherkassykur" +
"skomatsushimasoykushirogawakustanaishobaravennagarakusunndalkutc" +
"handakutnokuzbassnoasaintlouis-a-bookkeeperminamiyamashirokawana" +
"belgorodeokuzumakis-a-techietipsiellakasamatsudovre-eikerkvafjor" +
"dkvalsundkvamurskiptveterinairecipesaro-urbino-pesarourbinopesar" +
"omagnitkagaminogiessenebakkeshibechambagricultureklambulancertif" +
"icationlineueshimoichinosekigaharakvanangenkvinesdalkvinnheradkv" +
"iteseidskogkvitsoykwroclawtchitachinakagawakyowariasahikawamisco" +
"nfusedmishimatsushigemissileikangermisugitokigawamitakeharamitou" +
"risminanomitoyoakemiuramiyazurewebsiteshikagamiishikarikaturinda" +
"lmiyotamanomjondalenmombetsupportrentino-suedtirolmonmouthadanot" +
"ogawamontrealestateofdelawaremarkermonza-brianzamonza-e-della-br" +
"ianzamonzabrianzamonzaebrianzamonzaedellabrianzamordoviajessheim" +
"incommunitysvardomoriyamatsuuramoriyoshiokamitondabayashiogamago" +
"riziamormoneyagawamoroyamatsuzakis-an-actresscientistorenburgmos" +
"cowtfarsundmoseushistorymosjoenmoskeneshimojis-an-anarchistorica" +
"lsocietysnescrapper-sitemosreggio-calabriamosshimokawamosvikomfo" +
"rballooningjerdrumbone164movalleeaosteigenmuenstermugivestbyklea" +
"singleshimokitayamamuikamitsuemukochikuseihigashiagatsumagoizumi" +
"zakitamidtre-gauldalmulhouseminemunakatanemuncieszynmuosattemurm" +
"anskomitamamuramurotorcraftrentinoa-adigemusashimurayamatta-varj" +
"jatrentinoaadigemusashinoharamuseetrentinoalto-adigemuseumvereni" +
"gingmutsuzawamyphotoshimamytis-a-bruinsfanpaviapharmacienshimoni" +
"tayanagis-an-artistockholmestrandpharmacymruovatmpasadenakhodkam" +
"ogawaphiladelphiaareadmyblogsitephilatelyphoenixn--54b7fta0cchit" +
"osetogooglecodespotaruis-a-cpaderbornrwilliamhillukowindmilluroy" +
"photographyogoris-an-engineeringerikepictureshimonosekikawapiemo" +
"ntepilotshimosuwalkis-an-entertainerpinkommunalforbundpippustkar" +
"asjokommunepiszpassenger-associationpittsburghofastlypkomonoplan" +
"etariuminnesotaketakasugais-a-therapistoiaplantationplantshimots" +
"ukeplazaplchocolatelemarkasuyamegurostrowwlkparisor-fronplondone" +
"tskomorotsukamishihoronobeokaminokawanishiaizubangeplumbingpmnpo" +
"dhaleirfjordpodlasiedlcepodzonepoltavald-aostarostwodzislawwwpom" +
"orzeszowpordenoneporsangerporsanguitarshimotsumaporsgrunnanposts" +
"-and-telecommunicationshinichinanpoznanprdpreservationpresidiopr" +
"incipeprivneprochowiceproductionshinjoyoitakasagotsukitagawaprof" +
"auskedsmokorsetagayasells-for-lessapporoprojectrentinoaltoadigep" +
"ropertieshinjukumanopruszkowprzeworskogptzwpvtrentinos-tirolpwpz" +
"qponqsldshiratakahagis-foundationshishikuis-goneshisojashisuifue" +
"lverumisakis-an-accountantrdshitaramashizukuishimodateshizuokano" +
"njis-into-animeetreeshowashriramusementrentinostirolsienamsskoga" +
"neis-into-carscrappingsigdalsimbirskomvuxn--4gbriminingsimple-ur" +
"lsirdalslgslupskovanylvenicesnzsolarssonsolognesolundsolutionshi" +
"nkamigotoyohashimotokuyamasomasomnapleshinshinotsurgutsiracusait" +
"amatsukuris-bytomakomaibarasoosopotrentinosud-tirolsor-odalsor-v" +
"arangersorfoldsorreisahayakawakamiichikaiseiyokoshibahikariwanum" +
"atakazakis-into-cartoonserveftpartservegame-servercellillehammer" +
"fest-mon-blogueursortlandsorumisasaguris-an-actorsouthcarolinaza" +
"wasouthwesterniiminamiashigarasowaspace-to-rentalstahaugesundspb" +
"alsanagochihayaakasakawagoebetsukubahcavuotnagareyamalselvendrel" +
"lillesandiegouvicenzaokinawashirosatobamaizurubtsovskjaknoluokta" +
"ikibichuozudmurtiaurskog-holandebudejjuedischesapeakebayerndigit" +
"alezajsk-uralsk12spiegelspjelkavikonantanangerspydebergsquarezzo" +
"srvaomoriguchiharamlierneustargardstorfjordstpetersburgstuff-4-s" +
"aleksvikongsbergstuttgartrentinosudtirolsusakis-into-gamessinash" +
"ikiwakunigamiharuslivinghistorysusonosuzakanrasuzukanumazurysuzu" +
"kis-leetrentino-a-adigesvalbardurhamburgsveiosvelvikongsvingersv" +
"izzeraswidnicapitalswiebodzinderoyswinoujscienceandhistorysxn--5" +
"5qw42gtroandinosaureviewshinshirotrogstadtromsaitokorozawatromso" +
"kndaltrusteetrysilkoninjaworznotulaquilapyatigorskonskowolanshak" +
"otankokonoeturystykarasjohkaminoyamatsuris-lostfoldtuscanytuvald" +
"aostathelleltverdalvaroyvbalsfjordivttasvuotnakaniikawatanagurau" +
"stinnaturalhistorymuseumcentervchofunatorissadollsannanvdonskony" +
"velombardynathomebuiltrentino-sud-tirolvegaskvollvenneslaskerver" +
"onaritakurashikis-not-certifiedverranversailleshintokushimavestf" +
"oldvestneshintomikasaharavestre-slidreamhostershinyoshitomiokani" +
"epcevestre-totenris-savedvestvagoyvevelstadvibo-valentiavibovale" +
"ntiavideovillasmatartcenterprisesakijogaszczytnord-odalvinnicarb" +
"onia-iglesias-carboniaiglesiascarboniavinnytsiavirginiavirtualvi" +
"rtuelviterbolzanordlandvladikavkazanvladimirvladivostokaizukaras" +
"uyamashikevlogvoldavolgogradvolkenkunderseaportrentinosuedtirolv" +
"ologdanskooris-a-painteractivegarsheiheijis-a-nascarfanvolyngdal" +
"voronezhytomyrvossevangenvotevotingvotottoris-slicklabusinesseby" +
"dgoszczecincinnationalheritagematsubarakawachinaganoharaogashima" +
"dachicagobodoes-itrentino-aadigevrnxn--80adxhkshiojirishirifujie" +
"daxn--80ao21axn--80asehdbaltimore-og-romsdalimanowarudaustraliae" +
"roportalaheadjudygarlandgcadaques3-ap-northeast-1xn--80aswgxn--9" +
"0a3academykolaivano-frankivskiervaapsteiermarkopervikolobrzegypt" +
"iannefrankfurtrentino-stirolxn--9dbhblg6dielddanuorrittoguraxn--" +
"andy-iraxn--aroport-byanaizuwajimaxn--asky-iraxn--aurskog-hland-" +
"jnbambleangaviikakamigaharaustrheimatunduhrennesoygardenglandire" +
"ctoryokamikawanehonbetsurugildeskalmykiagrinetworkangerimo-i-ran" +
"agahamaroyerotikadenagaivuotnagaokakyotambabia-goraholtalendofth" +
"einternetcmwegrowestfalenativeamericanantiques3-ap-southeast-1xn" +
"--avery-yuasakatakayamaxn--b-5gaxn--bdddj-mrabdxn--bearalvhki-y4" +
"axn--berlevg-jxaxn--bhcavuotna-s4axn--bhccavuotna-k7axn--bidr-5n" +
"achikatsuuraxn--bievt-0qaxn--bjarky-fyaotsurreyxn--bjddar-ptamay" +
"ufuettertdasnetzxn--blt-elaborxn--bmlo-grajewolominamatakkofuefu" +
"kihabmerxn--bod-2naroyxn--brnny-wuaccident-preventionjukudoyamac" +
"eratabusebastopologyeongbukoryolkuszminamitanexn--brnnysund-m8ac" +
"honangopocznore-og-uvdalusterxn--brum-voagatrentonsbergxn--btsfj" +
"ord-9zaxn--c1avgxn--cg4bkis-uberleetrentino-alto-adigexn--ciqpnx" +
"n--clchc0ea0b2g2a9gcdxn--comunicaes-v6a2oxn--correios-e-telecomu" +
"nicaes-ghc29axn--czr694barcelonagasukesennumalvikariyaltaijibest" +
"adlugolekamakurazakirauthordalandiscountysfjordiscoveryekaterinb" +
"urgdyniagroks-theaternopilawakembuchikujobs3-ap-southeast-2xn--c" +
"zrs0trevisokanoyakutiaxn--czru2dxn--czrw28bargainstitutechnology" +
"okosukareliautomotivelandivtasvuodnakamuratajimicrolightinggfarm" +
"equipmentarantomaritimekeepingjemnes3-eu-west-1xn--d1acj3barreau" +
"dnedalnaturalsciencesnaturelles3-us-gov-west-1xn--davvenjrga-y4a" +
"xn--dnna-grandrapidshioyanagawaxn--drbak-wuaxn--dyry-iraxn--even" +
"i-0qa01gaxn--finny-yuaxn--fiq228c5hshirahamatonbetsurnadalxn--fi" +
"q64barrel-of-knowledgemologicaliforniautoscanadagestangeiseiroum" +
"uencheniwaizumiotsukumiyamazonaws3-fips-us-gov-west-1xn--fiqs8sh" +
"irakoenigxn--fiqz9shiranukanmakiyokawaraxn--fjord-lraxn--fl-ziax" +
"n--flor-jraxn--fpcrj9c3dxn--frde-granexn--frna-woarais-very-bada" +
"ddjamisongdalenxn--frya-hraxn--fzc2c9e2choseikaluganskaszubyxn--" +
"gecrj9choshibukawaxn--ggaviika-8ya47hadselfiparochesterxn--gilde" +
"skl-g0axn--givuotna-8yaroslavlaanderenxn--gjvik-wuaxn--gls-elaca" +
"ixaxn--gmq050is-very-evillagentservicesettsurgeonshalloffameldal" +
"xn--gmqw5axn--h-2failxn--h1aeghaebaruminamisanrikubetsuppliesava" +
"nnahgaxn--h2brj9choyodonnakaiwamizawaxn--hbmer-xqaxn--hcesuolo-7" +
"ya35barrell-of-knowledgeologyokotebinagisobetsuliguriavocatanzar" +
"owfarmerseine12xn--hery-iraxn--hgebostad-g3axn--hmmrfeasta-s4ach" +
"ristmasakimobetsurutaharaxn--hnefoss-q1axn--hobl-iraxn--holtlen-" +
"hxaxn--hpmir-xqaxn--hyanger-q1axn--hylandet-54axn--i1b6b1a6a2exn" +
"--indery-fyasakaiminatownxn--io0a7is-very-gooddaxn--j1amhagaxn--" +
"j6w193gxn--jlster-byasugis-very-nicexn--jrpeland-54axn--karmy-yu" +
"axn--kfjord-iuaxn--klbu-woaxn--koluokta-7ya57hagebostadxn--kprw1" +
"3dxn--kpry57dxn--kput3is-very-sweetrentino-altoadigexn--krager-g" +
"yasuokaratexn--kranghke-b0axn--krdsherad-m8axn--krehamn-dxaxn--k" +
"rjohka-hwab49jewelryxn--ksnes-uuaxn--kvfjord-nxaxn--kvitsy-fyato" +
"minamibosohuissier-justicexn--kvnangen-k0axn--l-1familyxn--l1acc" +
"ident-investigationxn--laheadju-7yatsukaratsuginamikatagamilanox" +
"n--langevg-jxaxn--lcvr32dxn--ldingen-q1axn--leagaviika-52baselbu" +
"rgjerstadotsurugashimarcheapalanakayamavoues3-sa-east-1xn--lesun" +
"d-huaxn--lgbbat1ad8jewishartrentino-s-tirollagrarboretumbriaxn--" +
"lgrd-poachtraeumtgeradefenseljordyndns-workshoparliamentaxis-a-c" +
"ubicle-slaveroykenxn--lhppi-xqaxn--linds-pratoyakokamisatohobole" +
"slawiechungbukatowicexn--lns-qlarvikosaigawaxn--loabt-0qaxn--lrd" +
"al-sraxn--lrenskog-54axn--lt-liachungnamdalseidfjordyroyrviknaka" +
"nojohanamakinoharaxn--lten-granvindafjordxn--lury-iraxn--mely-ir" +
"axn--merker-kuaxn--mgb2ddeshiraois-certifiedunethnologyxn--mgb9a" +
"wbfcasinordre-landyndns-picsiroroskolebtimnetzgradyndns-remotegi" +
"nankokubunjis-a-chefarmsteadyndns-serverbaniaxn--mgba3a4f16axn--" +
"mgba3a4franarusawaxn--mgbaam7a8haibarakitahiroshimarugame-hostre" +
"-totenkawaxn--mgbab2bdxn--mgbayh7gpaduaxn--mgbbh1a71exn--mgbc0a9" +
"azcgxn--mgberp4a5d4a87gxn--mgberp4a5d4arxn--mgbqly7c0a67fbchurch" +
"arterxn--mgbqly7cvafranziskanerimarinexn--mgbtf8flandershiraokan" +
"namihokkaidoomdnsaliasiaxn--mgbx4cd0abashkiriaxastronomyokohamam" +
"atsudaegubalestrandabergamoarekepnorddalewismillerxn--mjndalen-6" +
"4axn--mk0axis-with-thebandoxn--mlatvuopmi-s4axn--mli-tlavagiskex" +
"n--mlselv-iuaxn--moreke-juaxn--mosjen-eyatsushiroxn--mot-tlavang" +
"enxn--mre-og-romsdal-qqbasilicataniaxn--msy-ula0hakatanotteroyxn" +
"--mtta-vrjjat-k7afermochizukirovogradoyxn--muost-0qaxn--mxtq1mis" +
"awaxn--ngbc5azdxn--nmesjevuemie-tcbajddarchaeologyeongnamegawaku" +
"yachimatainaikawabadajozoraumagazinebraskaunbieidsvollxn--nnx388" +
"axn--nodessakegawaxn--nqv7fs00emaxn--nry-yla5gxn--nttery-byaeseo" +
"ullensakerxn--nvuotna-hwaxn--o3cw4hakodatexn--od0algxn--od0aq3ba" +
"tochigiftargibigawaxn--ogbpf8flatangerxn--oppegrd-ixaxn--ostery-" +
"fyawaraxn--osyro-wuaxn--p1acferraraxn--p1aisleofmanchesterxn--pg" +
"bs0dhakonexn--porsgu-sta26fetsundxn--q9jyb4chuvashiaxn--rady-ira" +
"xn--rdal-poaxn--rde-ulazioxn--rdy-0nabarisshikiwienxn--rennesy-v" +
"1axn--rhkkervju-01afgunmarnardalxn--rholt-mragoworse-thandsondri" +
"oxn--rhqv96gxn--risa-5narutokonamegatakatorissmarterthanyouthach" +
"irogatakanezawaxn--risr-iraxn--rland-uuaxn--rlingen-mxaxn--rmsko" +
"g-byawatahamaxn--rros-gratangenxn--rskog-uuaxn--rst-0narviikanag" +
"awaxn--rsta-francaiseharaxn--ryken-vuaxn--ryrvik-byaxn--s-1farea" +
"stcoastaldefencexn--s9brj9cimperiaxn--sandnessjen-ogbatsfjordnep" +
"ropetrovskarlsoyokozebinorilskarmoyomitanobanazawaxn--sandy-yuax" +
"n--seral-lraxn--ses554gxn--sgne-grazxn--skierv-utazasnesoddenmar" +
"ketplacexn--skjervy-v1axn--skjk-soaxn--sknit-yqaxn--sknland-fxax" +
"n--slat-5narvikosakaerodromedecinemailxn--slt-elabourxn--smla-hr" +
"axn--smna-graxn--snase-nraxn--sndre-land-0cbeneventochiokinoshim" +
"amurogawashingtondcards3-us-west-1xn--snes-poaxn--snsa-roaxn--sr" +
"-aurdal-l8axn--sr-fron-q1axn--sr-odal-q1axn--sr-varanger-ggbeppu" +
"bolognagatorockartuzyonabarullensvangjesdalimitednipropetrovskar" +
"paczeladz-1xn--srfold-byaxn--srreisa-q1axn--srum-graxn--stfold-9" +
"xaxn--stjrdal-s1axn--stjrdalshalsen-sqberlincolnaturbruksgymnatu" +
"rhistorisches3-us-west-2xn--stre-toten-zcbernuorokunohealthruher" +
"ecreationatuurwetenschappenaumburgjovikaruizawaxn--tjme-hraxn--t" +
"n0agrigentomologyeonggiehtavuoatnaamesjevuemielnoboribetsuitachi" +
"kawakayamagadancechirebungoonomichinomiyakeisenbahnxn--tnsberg-q" +
"1axn--trany-yuaxn--trgstad-r1axn--trna-woaxn--troms-zuaxn--tysvr" +
"-vraxn--uc0atvedestrandxn--uc0ay4axn--unjrga-rtambovaresearchaeo" +
"logicalxn--unup4yxn--vads-jraxn--vard-jraxn--vegrshei-c0axn--ves" +
"tvgy-ixa6oxn--vg-yiabeskidyn-o-saurlandes3-website-ap-northeast-" +
"1xn--vgan-qoaxn--vgsy-qoa0jfkmsevastopoleitungsenxn--vhquvarggat" +
"rentinosued-tirolxn--vler-qoaxn--vre-eiker-k8axn--vrggt-xqadxn--" +
"vry-yla5gxn--wcvs22dxn--wgbh1circuscultureggiocalabriaxn--wgbl6a" +
"xn--xhq521betainaboxfordeatnuremberglassassinationalfirearms3-we" +
"bsite-ap-southeast-1xn--xkc2al3hye2axn--xkc2dl3a5ee0hakubanxn--y" +
"er-znasushiobaraxn--yfro4i67oxn--ygarden-p1axn--ygbi2ammxn--55qx" +
"5dxn--ystre-slidre-ujbielawassamukawatarikuzentakatairaxn--zf0ao" +
"64axn--zf0avxn--6frz82gxn--zfr164biellaakesvuemieleccebizenakano" +
"toddenaustdalimolisembokumamotoyamateramoldehimejiheyakumodumelo" +
"yalistordalindaskimitsubatamiasakuchinotsuchiurakawalbrzychampio" +
"nshiphopenair-surveillancembroideryonagoyaxxxn--6qq986b3xlxz"
// nodes is the list of nodes. Each node is represented as a uint32, which
// encodes the node's children, wildcard bit and node type (as an index into
// the children array), ICANN bit and text.
//
// In the //-comment after each node's data, the nodes indexes of the children
// are formatted as (n0x1234-n0x1256), with * denoting the wildcard bit. The
// nodeType is printed as + for normal, ! for exception, and o for parent-only
// nodes that have children but don't match a domain label in their own right.
// An I denotes an ICANN domain.
//
// The layout within the uint32, from MSB to LSB, is:
// [ 1 bits] unused
// [ 9 bits] children index
// [ 1 bits] ICANN bit
// [15 bits] text index
// [ 6 bits] text length
var nodes = [...]uint32{
0x01a00342, // n0x0000 c0x0006 (n0x027f-n0x0285) + I ac
0x002fc0c7, // n0x0001 c0x0000 (---------------) + I academy
0x00236145, // n0x0002 c0x0000 (---------------) + I actor
0x01e001c2, // n0x0003 c0x0007 (n0x0285-n0x0286) + I ad
0x0220e002, // n0x0004 c0x0008 (n0x0286-n0x028d) + I ae
0x0261c2c4, // n0x0005 c0x0009 (n0x028d-n0x02e6) + I aero
0x02a14682, // n0x0006 c0x000a (n0x02e6-n0x02eb) + I af
0x02e01602, // n0x0007 c0x000b (n0x02eb-n0x02f0) + I ag
0x00238446, // n0x0008 c0x0000 (---------------) + I agency
0x03201b82, // n0x0009 c0x000c (n0x02f0-n0x02f4) + I ai
0x0026f0c8, // n0x000a c0x0000 (---------------) + I airforce
0x03600742, // n0x000b c0x000d (n0x02f4-n0x02fa) + I al
0x00200e02, // n0x000c c0x0000 (---------------) + I am
0x03a00902, // n0x000d c0x000e (n0x02fa-n0x02fe) + I an
0x03e02742, // n0x000e c0x000f (n0x02fe-n0x0304) + I ao
0x002784c2, // n0x000f c0x0000 (---------------) + I aq
0x04200682, // n0x0010 c0x0010 (n0x0304-n0x030c) + I ar
0x002476c5, // n0x0011 c0x0000 (---------------) + I archi
0x00324e44, // n0x0012 c0x0000 (---------------) + I army
0x04b55f84, // n0x0013 c0x0012 (n0x030d-n0x0313) + I arpa
0x04e02b82, // n0x0014 c0x0013 (n0x0313-n0x0314) + I as
0x0033a504, // n0x0015 c0x0000 (---------------) + I asia
0x002a4bca, // n0x0016 c0x0000 (---------------) + I associates
0x052010c2, // n0x0017 c0x0014 (n0x0314-n0x031b) + I at
0x05a0c142, // n0x0018 c0x0016 (n0x031c-n0x032f) + I au
0x00315945, // n0x0019 c0x0000 (---------------) + I autos
0x06a01682, // n0x001a c0x001a (n0x033e-n0x033f) + I aw
0x00268382, // n0x001b c0x0000 (---------------) + I ax
0x0033ab43, // n0x001c c0x0000 (---------------) + I axa
0x06e03982, // n0x001d c0x001b (n0x033f-n0x034b) + I az
0x07201182, // n0x001e c0x001c (n0x034b-n0x0355) + I ba
0x0022d883, // n0x001f c0x0000 (---------------) + I bar
0x0030fa88, // n0x0020 c0x0000 (---------------) + I bargains
0x002e2d46, // n0x0021 c0x0000 (---------------) + I bayern
0x07613a42, // n0x0022 c0x001d (n0x0355-n0x035d) + I bb
0x01703902, // n0x0023 c0x0005 (---------------)* o I bd
0x07a04602, // n0x0024 c0x001e (n0x035d-n0x035f) + I be
0x00226704, // n0x0025 c0x0000 (---------------) + I beer
0x00357986, // n0x0026 c0x0000 (---------------) + I berlin
0x0030cf04, // n0x0027 c0x0000 (---------------) + I best
0x07f34042, // n0x0028 c0x001f (n0x035f-n0x0360) + I bf
0x08269482, // n0x0029 c0x0020 (n0x0360-n0x0384) + I bg
0x0869abc2, // n0x002a c0x0021 (n0x0384-n0x0389) + I bh
0x08a00002, // n0x002b c0x0022 (n0x0389-n0x038e) + I bi
0x00304e43, // n0x002c c0x0000 (---------------) + I bid
0x00203644, // n0x002d c0x0000 (---------------) + I bike
0x00206003, // n0x002e c0x0000 (---------------) + I bio
0x08f67d83, // n0x002f c0x0023 (n0x038e-n0x0395) + I biz
0x09209bc2, // n0x0030 c0x0024 (n0x0395-n0x0399) + I bj
0x0027ac45, // n0x0031 c0x0000 (---------------) + I black
0x0027ac4b, // n0x0032 c0x0000 (---------------) + I blackfriday
0x0020e684, // n0x0033 c0x0000 (---------------) + I blue
0x0960e8c2, // n0x0034 c0x0025 (n0x0399-n0x039e) + I bm
0x016732c2, // n0x0035 c0x0005 (---------------)* o I bn
0x09a0fcc2, // n0x0036 c0x0026 (n0x039e-n0x03a7) + I bo
0x002b1843, // n0x0037 c0x0000 (---------------) + I boo
0x00214bc8, // n0x0038 c0x0000 (---------------) + I boutique
0x09e16082, // n0x0039 c0x0027 (n0x03a7-n0x03ed) + I br
0x00221948, // n0x003a c0x0000 (---------------) + I brussels
0x0a603142, // n0x003b c0x0029 (n0x03ee-n0x03f3) + I bs
0x0aae1b82, // n0x003c c0x002a (n0x03f3-n0x03f8) + I bt
0x00247a88, // n0x003d c0x0000 (---------------) + I budapest
0x0022ae85, // n0x003e c0x0000 (---------------) + I build
0x0025a288, // n0x003f c0x0000 (---------------) + I builders
0x002f7d48, // n0x0040 c0x0000 (---------------) + I business
0x00227044, // n0x0041 c0x0000 (---------------) + I buzz
0x00228282, // n0x0042 c0x0000 (---------------) + I bv
0x0ae290c2, // n0x0043 c0x002b (n0x03f8-n0x03fa) + I bw
0x0b20edc2, // n0x0044 c0x002c (n0x03fa-n0x03fe) + I by
0x0b6298c2, // n0x0045 c0x002d (n0x03fe-n0x0404) + I bz
0x002298c3, // n0x0046 c0x0000 (---------------) + I bzh
0x0ba012c2, // n0x0047 c0x002e (n0x0404-n0x0415) + I ca
0x00239b03, // n0x0048 c0x0000 (---------------) + I cab
0x0027d506, // n0x0049 c0x0000 (---------------) + I camera
0x002012c4, // n0x004a c0x0000 (---------------) + I camp
0x002e8307, // n0x004b c0x0000 (---------------) + I capital
0x0029b087, // n0x004c c0x0000 (---------------) + I caravan
0x00353485, // n0x004d c0x0000 (---------------) + I cards
0x00212446, // n0x004e c0x0000 (---------------) + I career
0x00212447, // n0x004f c0x0000 (---------------) + I careers
0x00298344, // n0x0050 c0x0000 (---------------) + I casa
0x0023f544, // n0x0051 c0x0000 (---------------) + I cash
0x00215603, // n0x0052 c0x0000 (---------------) + I cat
0x0025a048, // n0x0053 c0x0000 (---------------) + I catering<|fim▁hole|> 0x0c7456c2, // n0x0058 c0x0031 (n0x041a-n0x041b) + I cf
0x00211e42, // n0x0059 c0x0000 (---------------) + I cg
0x0ca00382, // n0x005a c0x0032 (n0x041b-n0x041c) + I ch
0x0032c5c5, // n0x005b c0x0000 (---------------) + I cheap
0x00320f89, // n0x005c c0x0000 (---------------) + I christmas
0x00338e86, // n0x005d c0x0000 (---------------) + I church
0x0ce17402, // n0x005e c0x0033 (n0x041c-n0x042b) + I ci
0x0d201a02, // n0x005f c0x0034 (n0x042b-n0x042c)* o I ck
0x0d601942, // n0x0060 c0x0035 (n0x042c-n0x0430) + I cl
0x0022bec8, // n0x0061 c0x0000 (---------------) + I cleaning
0x0022da48, // n0x0062 c0x0000 (---------------) + I clothing
0x00276704, // n0x0063 c0x0000 (---------------) + I club
0x0db02242, // n0x0064 c0x0036 (n0x0430-n0x0431) + I cm
0x0de2f882, // n0x0065 c0x0037 (n0x0431-n0x045d) + I cn
0x0e206402, // n0x0066 c0x0038 (n0x045d-n0x046a) + I co
0x002c82c5, // n0x0067 c0x0000 (---------------) + I codes
0x00259406, // n0x0068 c0x0000 (---------------) + I coffee
0x0022fb47, // n0x0069 c0x0000 (---------------) + I college
0x0022fe47, // n0x006a c0x0000 (---------------) + I cologne
0x0e624903, // n0x006b c0x0039 (n0x046a-n0x0529) + I com
0x002bc089, // n0x006c c0x0000 (---------------) + I community
0x00232187, // n0x006d c0x0000 (---------------) + I company
0x00232588, // n0x006e c0x0000 (---------------) + I computer
0x00232d86, // n0x006f c0x0000 (---------------) + I condos
0x0023378c, // n0x0070 c0x0000 (---------------) + I construction
0x00234a4a, // n0x0071 c0x0000 (---------------) + I consulting
0x0023600b, // n0x0072 c0x0000 (---------------) + I contractors
0x00237187, // n0x0073 c0x0000 (---------------) + I cooking
0x002375c4, // n0x0074 c0x0000 (---------------) + I cool
0x00237f84, // n0x0075 c0x0000 (---------------) + I coop
0x0027d847, // n0x0076 c0x0000 (---------------) + I country
0x0f614602, // n0x0077 c0x003d (n0x054a-n0x0551) + I cr
0x00242d87, // n0x0078 c0x0000 (---------------) + I cruises
0x0fa43342, // n0x0079 c0x003e (n0x0551-n0x0557) + I cu
0x0ff2b4c2, // n0x007a c0x003f (n0x0557-n0x0558) + I cv
0x103437c2, // n0x007b c0x0040 (n0x0558-n0x055c) + I cw
0x10644442, // n0x007c c0x0041 (n0x055c-n0x055e) + I cx
0x0160bbc2, // n0x007d c0x0005 (---------------)* o I cy
0x10a00142, // n0x007e c0x0042 (n0x055e-n0x055f) + I cz
0x00220545, // n0x007f c0x0000 (---------------) + I dabur
0x00242cc3, // n0x0080 c0x0000 (---------------) + I dad
0x0035b305, // n0x0081 c0x0000 (---------------) + I dance
0x00213f06, // n0x0082 c0x0000 (---------------) + I dating
0x00206e03, // n0x0083 c0x0000 (---------------) + I day
0x10e05042, // n0x0084 c0x0043 (n0x055f-n0x0567) + I de
0x0024f286, // n0x0085 c0x0000 (---------------) + I degree
0x00241b88, // n0x0086 c0x0000 (---------------) + I democrat
0x00218a84, // n0x0087 c0x0000 (---------------) + I desi
0x0024e508, // n0x0088 c0x0000 (---------------) + I diamonds
0x002e2ec7, // n0x0089 c0x0000 (---------------) + I digital
0x002fff09, // n0x008a c0x0000 (---------------) + I directory
0x0030d808, // n0x008b c0x0000 (---------------) + I discount
0x00262a82, // n0x008c c0x0000 (---------------) + I dj
0x112311c2, // n0x008d c0x0044 (n0x0567-n0x0568) + I dk
0x1164c4c2, // n0x008e c0x0045 (n0x0568-n0x056d) + I dm
0x00200983, // n0x008f c0x0000 (---------------) + I dnp
0x11a16602, // n0x0090 c0x0046 (n0x056d-n0x0577) + I do
0x002a1a47, // n0x0091 c0x0000 (---------------) + I domains
0x11e49282, // n0x0092 c0x0047 (n0x0577-n0x057f) + I dz
0x0023de43, // n0x0093 c0x0000 (---------------) + I eat
0x122063c2, // n0x0094 c0x0048 (n0x057f-n0x058b) + I ec
0x00215543, // n0x0095 c0x0000 (---------------) + I edu
0x00261b09, // n0x0096 c0x0000 (---------------) + I education
0x1260c682, // n0x0097 c0x0049 (n0x058b-n0x0595) + I ee
0x12a19302, // n0x0098 c0x004a (n0x0595-n0x059e) + I eg
0x00351845, // n0x0099 c0x0000 (---------------) + I email
0x002c954b, // n0x009a c0x0000 (---------------) + I engineering
0x002f258b, // n0x009b c0x0000 (---------------) + I enterprises
0x00311009, // n0x009c c0x0000 (---------------) + I equipment
0x01602302, // n0x009d c0x0005 (---------------)* o I er
0x12e00082, // n0x009e c0x004b (n0x059e-n0x05a3) + I es
0x0027da06, // n0x009f c0x0000 (---------------) + I estate
0x01607c82, // n0x00a0 c0x0005 (---------------)* o I et
0x00205442, // n0x00a1 c0x0000 (---------------) + I eu
0x002be383, // n0x00a2 c0x0000 (---------------) + I eus
0x0020a2c6, // n0x00a3 c0x0000 (---------------) + I events
0x00261288, // n0x00a4 c0x0000 (---------------) + I exchange
0x00224706, // n0x00a5 c0x0000 (---------------) + I expert
0x00215407, // n0x00a6 c0x0000 (---------------) + I exposed
0x0031d444, // n0x00a7 c0x0000 (---------------) + I fail
0x00221043, // n0x00a8 c0x0000 (---------------) + I fan
0x00310f04, // n0x00a9 c0x0000 (---------------) + I farm
0x002594c8, // n0x00aa c0x0000 (---------------) + I feedback
0x13627b42, // n0x00ab c0x004d (n0x05a4-n0x05a7) + I fi
0x00256349, // n0x00ac c0x0000 (---------------) + I financial
0x00246f84, // n0x00ad c0x0000 (---------------) + I fish
0x00246f87, // n0x00ae c0x0000 (---------------) + I fishing
0x00248187, // n0x00af c0x0000 (---------------) + I fitness
0x016486c2, // n0x00b0 c0x0005 (---------------)* o I fj
0x017606c2, // n0x00b1 c0x0005 (---------------)* o I fk
0x00248e47, // n0x00b2 c0x0000 (---------------) + I flights
0x00249e07, // n0x00b3 c0x0000 (---------------) + I florist
0x00271a02, // n0x00b4 c0x0000 (---------------) + I fm
0x0020ef02, // n0x00b5 c0x0000 (---------------) + I fo
0x0024ab83, // n0x00b6 c0x0000 (---------------) + I foo
0x002d55ca, // n0x00b7 c0x0000 (---------------) + I foundation
0x13a0f842, // n0x00b8 c0x004e (n0x05a7-n0x05bf) + I fr
0x00255d07, // n0x00b9 c0x0000 (---------------) + I frogans
0x00279b06, // n0x00ba c0x0000 (---------------) + I futbol
0x00200702, // n0x00bb c0x0000 (---------------) + I ga
0x00200703, // n0x00bc c0x0000 (---------------) + I gal
0x00235487, // n0x00bd c0x0000 (---------------) + I gallery
0x00281dc2, // n0x00be c0x0000 (---------------) + I gb
0x0020ee42, // n0x00bf c0x0000 (---------------) + I gd
0x13e00282, // n0x00c0 c0x004f (n0x05bf-n0x05c6) + I ge
0x0031c6c4, // n0x00c1 c0x0000 (---------------) + I gent
0x002586c2, // n0x00c2 c0x0000 (---------------) + I gf
0x14211bc2, // n0x00c3 c0x0050 (n0x05c6-n0x05c9) + I gg
0x00235644, // n0x00c4 c0x0000 (---------------) + I ggee
0x14630f42, // n0x00c5 c0x0051 (n0x05c9-n0x05ce) + I gh
0x14a17002, // n0x00c6 c0x0052 (n0x05ce-n0x05d4) + I gi
0x00344144, // n0x00c7 c0x0000 (---------------) + I gift
0x002c0d05, // n0x00c8 c0x0000 (---------------) + I gives
0x00212ac2, // n0x00c9 c0x0000 (---------------) + I gl
0x003638c5, // n0x00ca c0x0000 (---------------) + I glass
0x00219345, // n0x00cb c0x0000 (---------------) + I globo
0x00224d02, // n0x00cc c0x0000 (---------------) + I gm
0x14e0db82, // n0x00cd c0x0053 (n0x05d4-n0x05da) + I gn
0x00309143, // n0x00ce c0x0000 (---------------) + I gop
0x0020a783, // n0x00cf c0x0000 (---------------) + I gov
0x152cee82, // n0x00d0 c0x0054 (n0x05da-n0x05e0) + I gp
0x00261802, // n0x00d1 c0x0000 (---------------) + I gq
0x15608702, // n0x00d2 c0x0055 (n0x05e0-n0x05e6) + I gr
0x00208708, // n0x00d3 c0x0000 (---------------) + I graphics
0x0029af05, // n0x00d4 c0x0000 (---------------) + I gripe
0x0021e282, // n0x00d5 c0x0000 (---------------) + I gs
0x15ae9142, // n0x00d6 c0x0056 (n0x05e6-n0x05ed) + I gt
0x016021c2, // n0x00d7 c0x0005 (---------------)* o I gu
0x00267345, // n0x00d8 c0x0000 (---------------) + I guide
0x002d0807, // n0x00d9 c0x0000 (---------------) + I guitars
0x0025ecc4, // n0x00da c0x0000 (---------------) + I guru
0x002250c2, // n0x00db c0x0000 (---------------) + I gw
0x15e02082, // n0x00dc c0x0057 (n0x05ed-n0x05f0) + I gy
0x002e7847, // n0x00dd c0x0000 (---------------) + I hamburg
0x00285844, // n0x00de c0x0000 (---------------) + I haus
0x00279f44, // n0x00df c0x0000 (---------------) + I here
0x0036a086, // n0x00e0 c0x0000 (---------------) + I hiphop
0x00296683, // n0x00e1 c0x0000 (---------------) + I hiv
0x16230f82, // n0x00e2 c0x0058 (n0x05f0-n0x0606) + I hk
0x00265ec2, // n0x00e3 c0x0000 (---------------) + I hm
0x1661ec82, // n0x00e4 c0x0059 (n0x0606-n0x060c) + I hn
0x00229248, // n0x00e5 c0x0000 (---------------) + I holdings
0x00295ec7, // n0x00e6 c0x0000 (---------------) + I holiday
0x002974c5, // n0x00e7 c0x0000 (---------------) + I homes
0x0029b545, // n0x00e8 c0x0000 (---------------) + I horse
0x00226905, // n0x00e9 c0x0000 (---------------) + I house
0x002a4683, // n0x00ea c0x0000 (---------------) + I how
0x16a34802, // n0x00eb c0x005a (n0x060c-n0x0610) + I hr
0x16e0b542, // n0x00ec c0x005b (n0x0610-n0x0621) + I ht
0x17203b42, // n0x00ed c0x005c (n0x0621-n0x0641) + I hu
0x17603902, // n0x00ee c0x005d (n0x0641-n0x064c) + I id
0x17a00042, // n0x00ef c0x005e (n0x064c-n0x064e) + I ie
0x002719c3, // n0x00f0 c0x0000 (---------------) + I ifm
0x17e04142, // n0x00f1 c0x005f (n0x064e-n0x064f)* o I il
0x18600f02, // n0x00f2 c0x0061 (n0x0650-n0x0657) + I im
0x0020abca, // n0x00f3 c0x0000 (---------------) + I immobilien
0x18e01bc2, // n0x00f4 c0x0063 (n0x0659-n0x0666) + I in
0x0021308a, // n0x00f5 c0x0000 (---------------) + I industries
0x19216ec4, // n0x00f6 c0x0064 (n0x0666-n0x0670) + I info
0x00212a43, // n0x00f7 c0x0000 (---------------) + I ing
0x00206503, // n0x00f8 c0x0000 (---------------) + I ink
0x0030fbc9, // n0x00f9 c0x0000 (---------------) + I institute
0x19601bc3, // n0x00fa c0x0065 (n0x0670-n0x0671) + I int
0x0021ad4d, // n0x00fb c0x0000 (---------------) + I international
0x19a02d42, // n0x00fc c0x0066 (n0x0671-n0x0673) + I io
0x19e0a202, // n0x00fd c0x0067 (n0x0673-n0x0679) + I iq
0x1a200c02, // n0x00fe c0x0068 (n0x0679-n0x0682) + I ir
0x1a604542, // n0x00ff c0x0069 (n0x0682-n0x0689) + I is
0x1aa023c2, // n0x0100 c0x006a (n0x0689-n0x07fa) + I it
0x1ae0aa42, // n0x0101 c0x006b (n0x07fa-n0x07fd) + I je
0x00257f85, // n0x0102 c0x0000 (---------------) + I jetzt
0x01759d02, // n0x0103 c0x0005 (---------------)* o I jm
0x1b209f02, // n0x0104 c0x006c (n0x07fd-n0x0805) + I jo
0x0030e9c4, // n0x0105 c0x0000 (---------------) + I jobs
0x1b69ee82, // n0x0106 c0x006d (n0x0805-n0x0845) + I jp
0x0023d486, // n0x0107 c0x0000 (---------------) + I kaufen
0x016036c2, // n0x0108 c0x0005 (---------------)* o I ke
0x292585c2, // n0x0109 c0x00a4 (n0x0ed9-n0x0edf) + I kg
0x0161ee02, // n0x010a c0x0005 (---------------)* o I kh
0x29600d42, // n0x010b c0x00a5 (n0x0edf-n0x0ee6) + I ki
0x00294b03, // n0x010c c0x0000 (---------------) + I kim
0x0021d407, // n0x010d c0x0000 (---------------) + I kitchen
0x00347b44, // n0x010e c0x0000 (---------------) + I kiwi
0x29b60702, // n0x010f c0x00a6 (n0x0ee6-n0x0ef7) + I km
0x29e19482, // n0x0110 c0x00a7 (n0x0ef7-n0x0efb) + I kn
0x2a2cdac2, // n0x0111 c0x00a8 (n0x0efb-n0x0f01) + I kp
0x2a60ab02, // n0x0112 c0x00a9 (n0x0f01-n0x0f1f) + I kr
0x003277c3, // n0x0113 c0x0000 (---------------) + I krd
0x002a5fc4, // n0x0114 c0x0000 (---------------) + I kred
0x016b6482, // n0x0115 c0x0005 (---------------)* o I kw
0x2aa13b42, // n0x0116 c0x00aa (n0x0f1f-n0x0f24) + I ky
0x2ae06582, // n0x0117 c0x00ab (n0x0f24-n0x0f2a) + I kz
0x2b2008c2, // n0x0118 c0x00ac (n0x0f2a-n0x0f33) + I la
0x0031bf07, // n0x0119 c0x0000 (---------------) + I lacaixa
0x002008c4, // n0x011a c0x0000 (---------------) + I land
0x2b604182, // n0x011b c0x00ad (n0x0f33-n0x0f38) + I lb
0x2ba0b0c2, // n0x011c c0x00ae (n0x0f38-n0x0f3e) + I lc
0x0021bf85, // n0x011d c0x0000 (---------------) + I lease
0x00204f82, // n0x011e c0x0000 (---------------) + I li
0x00262984, // n0x011f c0x0000 (---------------) + I life
0x00310cc8, // n0x0120 c0x0000 (---------------) + I lighting
0x00355a87, // n0x0121 c0x0000 (---------------) + I limited
0x00368304, // n0x0122 c0x0000 (---------------) + I limo
0x002064c4, // n0x0123 c0x0000 (---------------) + I link
0x2be2eac2, // n0x0124 c0x00af (n0x0f3e-n0x0f4c) + I lk
0x002cde46, // n0x0125 c0x0000 (---------------) + I london
0x2c27a442, // n0x0126 c0x00b0 (n0x0f4c-n0x0f51) + I lr
0x2c600782, // n0x0127 c0x00b1 (n0x0f51-n0x0f53) + I ls
0x2ca190c2, // n0x0128 c0x00b2 (n0x0f53-n0x0f54) + I lt
0x00205742, // n0x0129 c0x0000 (---------------) + I lu
0x00234d84, // n0x012a c0x0000 (---------------) + I luxe
0x00238146, // n0x012b c0x0000 (---------------) + I luxury
0x2ce04e82, // n0x012c c0x00b3 (n0x0f54-n0x0f5d) + I lv
0x2d207e02, // n0x012d c0x00b4 (n0x0f5d-n0x0f66) + I ly
0x2d600f42, // n0x012e c0x00b5 (n0x0f66-n0x0f6c) + I ma
0x00247e06, // n0x012f c0x0000 (---------------) + I maison
0x0028d40a, // n0x0130 c0x0000 (---------------) + I management
0x00226005, // n0x0131 c0x0000 (---------------) + I mango
0x002128c6, // n0x0132 c0x0000 (---------------) + I market
0x002128c9, // n0x0133 c0x0000 (---------------) + I marketing
0x2da63a42, // n0x0134 c0x00b6 (n0x0f6c-n0x0f6e) + I mc
0x0020e902, // n0x0135 c0x0000 (---------------) + I md
0x2de024c2, // n0x0136 c0x00b7 (n0x0f6e-n0x0f76) + I me
0x00215005, // n0x0137 c0x0000 (---------------) + I media
0x002d7344, // n0x0138 c0x0000 (---------------) + I meet
0x0020b9c4, // n0x0139 c0x0000 (---------------) + I meme
0x00264684, // n0x013a c0x0000 (---------------) + I menu
0x2e3334c2, // n0x013b c0x00b8 (n0x0f76-n0x0f7e) + I mg
0x002c8b02, // n0x013c c0x0000 (---------------) + I mh
0x0022ad45, // n0x013d c0x0000 (---------------) + I miami
0x00225bc3, // n0x013e c0x0000 (---------------) + I mil
0x00271484, // n0x013f c0x0000 (---------------) + I mini
0x2e73c182, // n0x0140 c0x00b9 (n0x0f7e-n0x0f85) + I mk
0x2ea0fd42, // n0x0141 c0x00ba (n0x0f85-n0x0f8c) + I ml
0x0160ac02, // n0x0142 c0x0005 (---------------)* o I mm
0x2ee0ebc2, // n0x0143 c0x00bb (n0x0f8c-n0x0f90) + I mn
0x2f207842, // n0x0144 c0x00bc (n0x0f90-n0x0f95) + I mo
0x0020ac44, // n0x0145 c0x0000 (---------------) + I mobi
0x0025f244, // n0x0146 c0x0000 (---------------) + I moda
0x00294d03, // n0x0147 c0x0000 (---------------) + I moe
0x00240906, // n0x0148 c0x0000 (---------------) + I monash
0x002bd146, // n0x0149 c0x0000 (---------------) + I mormon
0x002bdf46, // n0x014a c0x0000 (---------------) + I moscow
0x0028e34b, // n0x014b c0x0000 (---------------) + I motorcycles
0x002c0643, // n0x014c c0x0000 (---------------) + I mov
0x00201342, // n0x014d c0x0000 (---------------) + I mp
0x0031c202, // n0x014e c0x0000 (---------------) + I mq
0x2f601e02, // n0x014f c0x00bd (n0x0f95-n0x0f97) + I mr
0x2fa133c2, // n0x0150 c0x00be (n0x0f97-n0x0f9c) + I ms
0x2fe60042, // n0x0151 c0x00bf (n0x0f9c-n0x0fa0) + I mt
0x30214ac2, // n0x0152 c0x00c0 (n0x0fa0-n0x0fa7) + I mu
0x306c4d06, // n0x0153 c0x00c1 (n0x0fa7-n0x11cb) + I museum
0x30a17a42, // n0x0154 c0x00c2 (n0x11cb-n0x11d9) + I mv
0x30f02282, // n0x0155 c0x00c3 (n0x11d9-n0x11e4) + I mw
0x3133fe02, // n0x0156 c0x00c4 (n0x11e4-n0x11ea) + I mx
0x316614c2, // n0x0157 c0x00c5 (n0x11ea-n0x11f1) + I my
0x31a21602, // n0x0158 c0x00c6 (n0x11f1-n0x11f2)* o I mz
0x31e01cc2, // n0x0159 c0x00c7 (n0x11f2-n0x1203) + I na
0x0036a906, // n0x015a c0x0000 (---------------) + I nagoya
0x322445c4, // n0x015b c0x00c8 (n0x1203-n0x1205) + I name
0x00208204, // n0x015c c0x0000 (---------------) + I navy
0x32e01d42, // n0x015d c0x00cb (n0x1207-n0x1208) + I nc
0x00202f42, // n0x015e c0x0000 (---------------) + I ne
0x3324b083, // n0x015f c0x00cc (n0x1208-n0x1237) + I net
0x00300ac7, // n0x0160 c0x0000 (---------------) + I network
0x002e45c7, // n0x0161 c0x0000 (---------------) + I neustar
0x00225743, // n0x0162 c0x0000 (---------------) + I new
0x34216f02, // n0x0163 c0x00d0 (n0x123e-n0x1248) + I nf
0x34604a02, // n0x0164 c0x00d1 (n0x1248-n0x1251) + I ng
0x00226083, // n0x0165 c0x0000 (---------------) + I ngo
0x00263283, // n0x0166 c0x0000 (---------------) + I nhk
0x01601402, // n0x0167 c0x0005 (---------------)* o I ni
0x002ea505, // n0x0168 c0x0000 (---------------) + I ninja
0x34a31642, // n0x0169 c0x00d2 (n0x1251-n0x1254) + I nl
0x34e03f82, // n0x016a c0x00d3 (n0x1254-n0x152a) + I no
0x016009c2, // n0x016b c0x0005 (---------------)* o I np
0x3d20fa42, // n0x016c c0x00f4 (n0x1552-n0x1559) + I nr
0x002c8903, // n0x016d c0x0000 (---------------) + I nrw
0x3d61cdc2, // n0x016e c0x00f5 (n0x1559-n0x155c) + I nu
0x002123c3, // n0x016f c0x0000 (---------------) + I nyc
0x3da092c2, // n0x0170 c0x00f6 (n0x155c-n0x155d)* o I nz
0x002e1547, // n0x0171 c0x0000 (---------------) + I okinawa
0x3e207882, // n0x0172 c0x00f8 (n0x155e-n0x1567) + I om
0x0022bdc3, // n0x0173 c0x0000 (---------------) + I ong
0x002b5143, // n0x0174 c0x0000 (---------------) + I onl
0x3e628143, // n0x0175 c0x00f9 (n0x1567-n0x159c) + I org
0x00259c86, // n0x0176 c0x0000 (---------------) + I otsuka
0x00263443, // n0x0177 c0x0000 (---------------) + I ovh
0x3ee00a02, // n0x0178 c0x00fb (n0x159e-n0x15a9) + I pa
0x002cdb05, // n0x0179 c0x0000 (---------------) + I paris
0x002ac808, // n0x017a c0x0000 (---------------) + I partners
0x002dd785, // n0x017b c0x0000 (---------------) + I parts
0x3f20cbc2, // n0x017c c0x00fc (n0x15a9-n0x15b0) + I pe
0x3f744682, // n0x017d c0x00fd (n0x15b0-n0x15b3) + I pf
0x01643fc2, // n0x017e c0x0005 (---------------)* o I pg
0x3fa087c2, // n0x017f c0x00fe (n0x15b3-n0x15bb) + I ph
0x002a0085, // n0x0180 c0x0000 (---------------) + I photo
0x002c900b, // n0x0181 c0x0000 (---------------) + I photography
0x002c53c6, // n0x0182 c0x0000 (---------------) + I photos
0x00334604, // n0x0183 c0x0000 (---------------) + I pics
0x002c9948, // n0x0184 c0x0000 (---------------) + I pictures
0x002ca904, // n0x0185 c0x0000 (---------------) + I pink
0x3fecbd42, // n0x0186 c0x00ff (n0x15bb-n0x15c9) + I pk
0x40207dc2, // n0x0187 c0x0100 (n0x15c9-n0x1674) + I pl
0x002cecc8, // n0x0188 c0x0000 (---------------) + I plumbing
0x00280002, // n0x0189 c0x0000 (---------------) + I pm
0x40a9eec2, // n0x018a c0x0102 (n0x167d-n0x1682) + I pn
0x002d0ec4, // n0x018b c0x0000 (---------------) + I post
0x40e19e02, // n0x018c c0x0103 (n0x1682-n0x168f) + I pr
0x00268305, // n0x018d c0x0000 (---------------) + I praxi
0x412d2303, // n0x018e c0x0104 (n0x168f-n0x1696) + I pro
0x002d2584, // n0x018f c0x0000 (---------------) + I prod
0x002d258b, // n0x0190 c0x0000 (---------------) + I productions
0x002d3fca, // n0x0191 c0x0000 (---------------) + I properties
0x41609142, // n0x0192 c0x0105 (n0x1696-n0x169d) + I ps
0x41a249c2, // n0x0193 c0x0106 (n0x169d-n0x16a6) + I pt
0x0027dec3, // n0x0194 c0x0000 (---------------) + I pub
0x41ed4f02, // n0x0195 c0x0107 (n0x16a6-n0x16ac) + I pw
0x422e3bc2, // n0x0196 c0x0108 (n0x16ac-n0x16b3) + I py
0x427055c2, // n0x0197 c0x0109 (n0x16b3-n0x16bb) + I qa
0x002d5004, // n0x0198 c0x0000 (---------------) + I qpon
0x00214d06, // n0x0199 c0x0000 (---------------) + I quebec
0x42a0ab42, // n0x019a c0x010a (n0x16bb-n0x16bf) + I re
0x002b3747, // n0x019b c0x0000 (---------------) + I recipes
0x00250f43, // n0x019c c0x0000 (---------------) + I red
0x00268805, // n0x019d c0x0000 (---------------) + I rehab
0x00278185, // n0x019e c0x0000 (---------------) + I reise
0x00278186, // n0x019f c0x0000 (---------------) + I reisen
0x00221d03, // n0x01a0 c0x0000 (---------------) + I ren
0x002dfac7, // n0x01a1 c0x0000 (---------------) + I rentals
0x0023f686, // n0x01a2 c0x0000 (---------------) + I repair
0x0023b8c6, // n0x01a3 c0x0000 (---------------) + I report
0x00245184, // n0x01a4 c0x0000 (---------------) + I rest
0x002e9487, // n0x01a5 c0x0000 (---------------) + I reviews
0x00293944, // n0x01a6 c0x0000 (---------------) + I rich
0x0022f203, // n0x01a7 c0x0000 (---------------) + I rio
0x42e00c42, // n0x01a8 c0x010b (n0x16bf-n0x16cb) + I ro
0x002a4405, // n0x01a9 c0x0000 (---------------) + I rocks
0x002b2145, // n0x01aa c0x0000 (---------------) + I rodeo
0x43202342, // n0x01ab c0x010c (n0x16cb-n0x16d1) + I rs
0x43601ac2, // n0x01ac c0x010d (n0x16d1-n0x1756) + I ru
0x0027e244, // n0x01ad c0x0000 (---------------) + I ruhr
0x43ac8942, // n0x01ae c0x010e (n0x1756-n0x175f) + I rw
0x002ae006, // n0x01af c0x0000 (---------------) + I ryukyu
0x43e007c2, // n0x01b0 c0x010f (n0x175f-n0x1767) + I sa
0x002007c8, // n0x01b1 c0x0000 (---------------) + I saarland
0x4422ed42, // n0x01b2 c0x0110 (n0x1767-n0x176c) + I sb
0x446173c2, // n0x01b3 c0x0111 (n0x176c-n0x1771) + I sc
0x00222dc3, // n0x01b4 c0x0000 (---------------) + I sca
0x00269403, // n0x01b5 c0x0000 (---------------) + I scb
0x00298886, // n0x01b6 c0x0000 (---------------) + I schule
0x0021b2c4, // n0x01b7 c0x0000 (---------------) + I scot
0x44a20b82, // n0x01b8 c0x0112 (n0x1771-n0x1779) + I sd
0x44e08182, // n0x01b9 c0x0113 (n0x1779-n0x17a1) + I se
0x0031c7c8, // n0x01ba c0x0000 (---------------) + I services
0x00219f04, // n0x01bb c0x0000 (---------------) + I sexy
0x45250d42, // n0x01bc c0x0114 (n0x17a1-n0x17a8) + I sg
0x45606bc2, // n0x01bd c0x0115 (n0x17a8-n0x17ad) + I sh
0x0024ae47, // n0x01be c0x0000 (---------------) + I shiksha
0x0022d3c5, // n0x01bf c0x0000 (---------------) + I shoes
0x002d7647, // n0x01c0 c0x0000 (---------------) + I shriram
0x00202382, // n0x01c1 c0x0000 (---------------) + I si
0x002c1007, // n0x01c2 c0x0000 (---------------) + I singles
0x00223942, // n0x01c3 c0x0000 (---------------) + I sj
0x45a04c02, // n0x01c4 c0x0116 (n0x17ad-n0x17ae) + I sk
0x45e21542, // n0x01c5 c0x0117 (n0x17ae-n0x17b3) + I sl
0x00210782, // n0x01c6 c0x0000 (---------------) + I sm
0x462050c2, // n0x01c7 c0x0118 (n0x17b3-n0x17ba) + I sn
0x46603382, // n0x01c8 c0x0119 (n0x17ba-n0x17bd) + I so
0x002a8706, // n0x01c9 c0x0000 (---------------) + I social
0x00329204, // n0x01ca c0x0000 (---------------) + I sohu
0x002d97c5, // n0x01cb c0x0000 (---------------) + I solar
0x002d9d49, // n0x01cc c0x0000 (---------------) + I solutions
0x0027fcc3, // n0x01cd c0x0000 (---------------) + I soy
0x002e3447, // n0x01ce c0x0000 (---------------) + I spiegel
0x002bf682, // n0x01cf c0x0000 (---------------) + I sr
0x46a027c2, // n0x01d0 c0x011a (n0x17bd-n0x17c9) + I st
0x00203ec2, // n0x01d1 c0x0000 (---------------) + I su
0x0031dd48, // n0x01d2 c0x0000 (---------------) + I supplies
0x00207d06, // n0x01d3 c0x0000 (---------------) + I supply
0x002b9687, // n0x01d4 c0x0000 (---------------) + I support
0x002e6f06, // n0x01d5 c0x0000 (---------------) + I suzuki
0x46e07942, // n0x01d6 c0x011b (n0x17c9-n0x17ce) + I sv
0x472e8e82, // n0x01d7 c0x011c (n0x17ce-n0x17cf) + I sx
0x47609182, // n0x01d8 c0x011d (n0x17cf-n0x17d5) + I sy
0x002806c7, // n0x01d9 c0x0000 (---------------) + I systems
0x47a000c2, // n0x01da c0x011e (n0x17d5-n0x17d8) + I sz
0x002886c6, // n0x01db c0x0000 (---------------) + I tattoo
0x00201742, // n0x01dc c0x0000 (---------------) + I tc
0x47e06342, // n0x01dd c0x011f (n0x17d8-n0x17d9) + I td
0x0030fd8a, // n0x01de c0x0000 (---------------) + I technology
0x00219b43, // n0x01df c0x0000 (---------------) + I tel
0x00285602, // n0x01e0 c0x0000 (---------------) + I tf
0x0022d082, // n0x01e1 c0x0000 (---------------) + I tg
0x48203442, // n0x01e2 c0x0120 (n0x17d9-n0x17e0) + I th
0x00220446, // n0x01e3 c0x0000 (---------------) + I tienda
0x002b2704, // n0x01e4 c0x0000 (---------------) + I tips
0x4862f902, // n0x01e5 c0x0121 (n0x17e0-n0x17ef) + I tj
0x00203c42, // n0x01e6 c0x0000 (---------------) + I tk
0x48a1b382, // n0x01e7 c0x0122 (n0x17ef-n0x17f0) + I tl
0x48e33e42, // n0x01e8 c0x0123 (n0x17f0-n0x17f8) + I tm
0x49205d02, // n0x01e9 c0x0124 (n0x17f8-n0x180c) + I tn
0x49606d82, // n0x01ea c0x0125 (n0x180c-n0x1812) + I to
0x00206d85, // n0x01eb c0x0000 (---------------) + I today
0x0026bb05, // n0x01ec c0x0000 (---------------) + I tokyo
0x00288785, // n0x01ed c0x0000 (---------------) + I tools
0x00323544, // n0x01ee c0x0000 (---------------) + I town
0x00260084, // n0x01ef c0x0000 (---------------) + I toys
0x0021b782, // n0x01f0 c0x0000 (---------------) + I tp
0x49a05802, // n0x01f1 c0x0126 (n0x1812-n0x1814)* o I tr
0x0026fdc5, // n0x01f2 c0x0000 (---------------) + I trade
0x0026a448, // n0x01f3 c0x0000 (---------------) + I training
0x002aa606, // n0x01f4 c0x0000 (---------------) + I travel
0x4a204d42, // n0x01f5 c0x0128 (n0x1815-n0x1826) + I tt
0x4a68c402, // n0x01f6 c0x0129 (n0x1826-n0x182a) + I tv
0x4aa4f4c2, // n0x01f7 c0x012a (n0x182a-n0x1838) + I tw
0x4ae58002, // n0x01f8 c0x012b (n0x1838-n0x1844) + I tz
0x4b278542, // n0x01f9 c0x012c (n0x1844-n0x1892) + I ua
0x4b605ec2, // n0x01fa c0x012d (n0x1892-n0x189a) + I ug
0x4ba01582, // n0x01fb c0x012e (n0x189a-n0x18a5)* o I uk
0x0020220a, // n0x01fc c0x0000 (---------------) + I university
0x0022e943, // n0x01fd c0x0000 (---------------) + I uno
0x4c205782, // n0x01fe c0x0130 (n0x18a6-n0x18e5) + I us
0x5a61ce02, // n0x01ff c0x0169 (n0x1989-n0x198f) + I uy
0x5aa166c2, // n0x0200 c0x016a (n0x198f-n0x1993) + I uz
0x00201082, // n0x0201 c0x0000 (---------------) + I va
0x0026a789, // n0x0202 c0x0000 (---------------) + I vacations
0x5aeed782, // n0x0203 c0x016b (n0x1993-n0x1999) + I vc
0x5b200582, // n0x0204 c0x016c (n0x1999-n0x19a3) + I ve
0x002ee9c5, // n0x0205 c0x0000 (---------------) + I vegas
0x00236448, // n0x0206 c0x0000 (---------------) + I ventures
0x0023c383, // n0x0207 c0x0000 (---------------) + I vet
0x00254382, // n0x0208 c0x0000 (---------------) + I vg
0x5b605a02, // n0x0209 c0x016d (n0x19a3-n0x19a8) + I vi
0x002bbd46, // n0x020a c0x0000 (---------------) + I viajes
0x002f2246, // n0x020b c0x0000 (---------------) + I villas
0x00215d06, // n0x020c c0x0000 (---------------) + I vision
0x0031b70a, // n0x020d c0x0000 (---------------) + I vlaanderen
0x5ba0de82, // n0x020e c0x016e (n0x19a8-n0x19b4) + I vn
0x00231145, // n0x020f c0x0000 (---------------) + I vodka
0x002f7644, // n0x0210 c0x0000 (---------------) + I vote
0x002f7746, // n0x0211 c0x0000 (---------------) + I voting
0x002f78c4, // n0x0212 c0x0000 (---------------) + I voto
0x002243c6, // n0x0213 c0x0000 (---------------) + I voyage
0x00205c42, // n0x0214 c0x0000 (---------------) + I vu
0x00252584, // n0x0215 c0x0000 (---------------) + I wang
0x002016c5, // n0x0216 c0x0000 (---------------) + I watch
0x00227e46, // n0x0217 c0x0000 (---------------) + I webcam
0x002ab843, // n0x0218 c0x0000 (---------------) + I wed
0x00320042, // n0x0219 c0x0000 (---------------) + I wf
0x00229107, // n0x021a c0x0000 (---------------) + I whoswho
0x00347bc4, // n0x021b c0x0000 (---------------) + I wien
0x002aee04, // n0x021c c0x0000 (---------------) + I wiki
0x002c898b, // n0x021d c0x0000 (---------------) + I williamhill
0x00238dc3, // n0x021e c0x0000 (---------------) + I wme
0x00223144, // n0x021f c0x0000 (---------------) + I work
0x0032e9c5, // n0x0220 c0x0000 (---------------) + I works
0x5be19542, // n0x0221 c0x016f (n0x19b4-n0x19bb) + I ws
0x002b6643, // n0x0222 c0x0000 (---------------) + I wtc
0x002be083, // n0x0223 c0x0000 (---------------) + I wtf
0x0025294b, // n0x0224 c0x0000 (---------------) + I xn--1qqw23a
0x0025f64b, // n0x0225 c0x0000 (---------------) + I xn--3bst00m
0x00269a0b, // n0x0226 c0x0000 (---------------) + I xn--3ds443g
0x00274bcc, // n0x0227 c0x0000 (---------------) + I xn--3e0b707e
0x0029628b, // n0x0228 c0x0000 (---------------) + I xn--45brj9c
0x0029794a, // n0x0229 c0x0000 (---------------) + I xn--45q11c
0x002d8a0a, // n0x022a c0x0000 (---------------) + I xn--4gbrim
0x002c7bce, // n0x022b c0x0000 (---------------) + I xn--54b7fta0cc
0x002e8ecb, // n0x022c c0x0000 (---------------) + I xn--55qw42g
0x00365e0a, // n0x022d c0x0000 (---------------) + I xn--55qx5d
0x0036730b, // n0x022e c0x0000 (---------------) + I xn--6frz82g
0x0036ab0e, // n0x022f c0x0000 (---------------) + I xn--6qq986b3xl
0x002f98cc, // n0x0230 c0x0000 (---------------) + I xn--80adxhks
0x002fa08b, // n0x0231 c0x0000 (---------------) + I xn--80ao21a
0x002fa34c, // n0x0232 c0x0000 (---------------) + I xn--80asehdb
0x002fbc4a, // n0x0233 c0x0000 (---------------) + I xn--80aswg
0x002fbeca, // n0x0234 c0x0000 (---------------) + I xn--90a3ac
0x0030a1c9, // n0x0235 c0x0000 (---------------) + I xn--c1avg
0x0030a40a, // n0x0236 c0x0000 (---------------) + I xn--cg4bki
0x0030afd6, // n0x0237 c0x0000 (---------------) + I xn--clchc0ea0b2g2a9gcd
0x0030c34b, // n0x0238 c0x0000 (---------------) + I xn--czr694b
0x0030eeca, // n0x0239 c0x0000 (---------------) + I xn--czrs0t
0x0030f58a, // n0x023a c0x0000 (---------------) + I xn--czru2d
0x00311bcb, // n0x023b c0x0000 (---------------) + I xn--d1acj3b
0x0031458e, // n0x023c c0x0000 (---------------) + I xn--fiq228c5hs
0x00314e8a, // n0x023d c0x0000 (---------------) + I xn--fiq64b
0x00316d4a, // n0x023e c0x0000 (---------------) + I xn--fiqs8s
0x0031724a, // n0x023f c0x0000 (---------------) + I xn--fiqz9s
0x003182cd, // n0x0240 c0x0000 (---------------) + I xn--fpcrj9c3d
0x003196cd, // n0x0241 c0x0000 (---------------) + I xn--fzc2c9e2c
0x00319f0b, // n0x0242 c0x0000 (---------------) + I xn--gecrj9c
0x0031e18b, // n0x0243 c0x0000 (---------------) + I xn--h2brj9c
0x00322bcf, // n0x0244 c0x0000 (---------------) + I xn--i1b6b1a6a2e
0x0032364a, // n0x0245 c0x0000 (---------------) + I xn--io0a7i
0x00323c09, // n0x0246 c0x0000 (---------------) + I xn--j1amh
0x00323f0b, // n0x0247 c0x0000 (---------------) + I xn--j6w193g
0x00325dcb, // n0x0248 c0x0000 (---------------) + I xn--kprw13d
0x0032608b, // n0x0249 c0x0000 (---------------) + I xn--kpry57d
0x0032634a, // n0x024a c0x0000 (---------------) + I xn--kput3i
0x00329dc9, // n0x024b c0x0000 (---------------) + I xn--l1acc
0x0032d14f, // n0x024c c0x0000 (---------------) + I xn--lgbbat1ad8j
0x003333cc, // n0x024d c0x0000 (---------------) + I xn--mgb2ddes
0x00333dcc, // n0x024e c0x0000 (---------------) + I xn--mgb9awbf
0x00335b4f, // n0x024f c0x0000 (---------------) + I xn--mgba3a4f16a
0x00335f0e, // n0x0250 c0x0000 (---------------) + I xn--mgba3a4fra
0x0033648e, // n0x0251 c0x0000 (---------------) + I xn--mgbaam7a8h
0x0033728c, // n0x0252 c0x0000 (---------------) + I xn--mgbab2bd
0x0033758e, // n0x0253 c0x0000 (---------------) + I xn--mgbayh7gpa
0x003379ce, // n0x0254 c0x0000 (---------------) + I xn--mgbbh1a71e
0x00337d4f, // n0x0255 c0x0000 (---------------) + I xn--mgbc0a9azcg
0x00338113, // n0x0256 c0x0000 (---------------) + I xn--mgberp4a5d4a87g
0x003385d1, // n0x0257 c0x0000 (---------------) + I xn--mgberp4a5d4ar
0x00338a13, // n0x0258 c0x0000 (---------------) + I xn--mgbqly7c0a67fbc
0x00339150, // n0x0259 c0x0000 (---------------) + I xn--mgbqly7cvafr
0x0033998c, // n0x025a c0x0000 (---------------) + I xn--mgbtf8fl
0x0033a60e, // n0x025b c0x0000 (---------------) + I xn--mgbx4cd0ab
0x0033fd0a, // n0x025c c0x0000 (---------------) + I xn--mxtq1m
0x003400cc, // n0x025d c0x0000 (---------------) + I xn--ngbc5azd
0x00341d8b, // n0x025e c0x0000 (---------------) + I xn--nnx388a
0x00342048, // n0x025f c0x0000 (---------------) + I xn--node
0x00342489, // n0x0260 c0x0000 (---------------) + I xn--nqv7f
0x0034248f, // n0x0261 c0x0000 (---------------) + I xn--nqv7fs00ema
0x0034364a, // n0x0262 c0x0000 (---------------) + I xn--o3cw4h
0x003444cc, // n0x0263 c0x0000 (---------------) + I xn--ogbpf8fl
0x00345509, // n0x0264 c0x0000 (---------------) + I xn--p1acf
0x003458c8, // n0x0265 c0x0000 (---------------) + I xn--p1ai
0x00345e8b, // n0x0266 c0x0000 (---------------) + I xn--pgbs0dh
0x0034684b, // n0x0267 c0x0000 (---------------) + I xn--q9jyb4c
0x0034904b, // n0x0268 c0x0000 (---------------) + I xn--rhqv96g
0x0034d40b, // n0x0269 c0x0000 (---------------) + I xn--s9brj9c
0x0034f30b, // n0x026a c0x0000 (---------------) + I xn--ses554g
0x0035e1ca, // n0x026b c0x0000 (---------------) + I xn--unup4y
0x00360c49, // n0x026c c0x0000 (---------------) + I xn--vhquv
0x0036250a, // n0x026d c0x0000 (---------------) + I xn--wgbh1c
0x00362d8a, // n0x026e c0x0000 (---------------) + I xn--wgbl6a
0x0036300b, // n0x026f c0x0000 (---------------) + I xn--xhq521b
0x00364510, // n0x0270 c0x0000 (---------------) + I xn--xkc2al3hye2a
0x00364911, // n0x0271 c0x0000 (---------------) + I xn--xkc2dl3a5ee0h
0x0036540d, // n0x0272 c0x0000 (---------------) + I xn--yfro4i67o
0x00365b0d, // n0x0273 c0x0000 (---------------) + I xn--ygbi2ammx
0x003675cb, // n0x0274 c0x0000 (---------------) + I xn--zfr164b
0x0036aa83, // n0x0275 c0x0000 (---------------) + I xxx
0x00219f83, // n0x0276 c0x0000 (---------------) + I xyz
0x00233006, // n0x0277 c0x0000 (---------------) + I yachts
0x01616b02, // n0x0278 c0x0005 (---------------)* o I ye
0x0033adc8, // n0x0279 c0x0000 (---------------) + I yokohama
0x00298c82, // n0x027a c0x0000 (---------------) + I yt
0x01600182, // n0x027b c0x0005 (---------------)* o I za
0x017088c2, // n0x027c c0x0005 (---------------)* o I zm
0x002cf6c4, // n0x027d c0x0000 (---------------) + I zone
0x016d4a42, // n0x027e c0x0005 (---------------)* o I zw
0x00224903, // n0x027f c0x0000 (---------------) + I com
0x00215543, // n0x0280 c0x0000 (---------------) + I edu
0x0020a783, // n0x0281 c0x0000 (---------------) + I gov
0x00225bc3, // n0x0282 c0x0000 (---------------) + I mil
0x0024b083, // n0x0283 c0x0000 (---------------) + I net
0x00228143, // n0x0284 c0x0000 (---------------) + I org
0x00210303, // n0x0285 c0x0000 (---------------) + I nom
0x00200342, // n0x0286 c0x0000 (---------------) + I ac
0x00206402, // n0x0287 c0x0000 (---------------) + I co
0x0020a783, // n0x0288 c0x0000 (---------------) + I gov
0x00225bc3, // n0x0289 c0x0000 (---------------) + I mil
0x0024b083, // n0x028a c0x0000 (---------------) + I net
0x00228143, // n0x028b c0x0000 (---------------) + I org
0x0025e403, // n0x028c c0x0000 (---------------) + I sch
0x00329f56, // n0x028d c0x0000 (---------------) + I accident-investigation
0x00307893, // n0x028e c0x0000 (---------------) + I accident-prevention
0x0021c2c9, // n0x028f c0x0000 (---------------) + I aerobatic
0x00276608, // n0x0290 c0x0000 (---------------) + I aeroclub
0x003514c9, // n0x0291 c0x0000 (---------------) + I aerodrome
0x0031c686, // n0x0292 c0x0000 (---------------) + I agents
0x0036a290, // n0x0293 c0x0000 (---------------) + I air-surveillance
0x0023f753, // n0x0294 c0x0000 (---------------) + I air-traffic-control
0x00268b48, // n0x0295 c0x0000 (---------------) + I aircraft
0x0027f407, // n0x0296 c0x0000 (---------------) + I airline
0x00292607, // n0x0297 c0x0000 (---------------) + I airport
0x002add0a, // n0x0298 c0x0000 (---------------) + I airtraffic
0x002b4cc9, // n0x0299 c0x0000 (---------------) + I ambulance
0x002d7789, // n0x029a c0x0000 (---------------) + I amusement
0x002cb64b, // n0x029b c0x0000 (---------------) + I association
0x0030d546, // n0x029c c0x0000 (---------------) + I author
0x002c004a, // n0x029d c0x0000 (---------------) + I ballooning
0x0021da46, // n0x029e c0x0000 (---------------) + I broker
0x0023a703, // n0x029f c0x0000 (---------------) + I caa
0x00214e45, // n0x02a0 c0x0000 (---------------) + I cargo
0x0025a048, // n0x02a1 c0x0000 (---------------) + I catering
0x002b4e8d, // n0x02a2 c0x0000 (---------------) + I certification
0x00369e4c, // n0x02a3 c0x0000 (---------------) + I championship
0x00338f87, // n0x02a4 c0x0000 (---------------) + I charter
0x0022a20d, // n0x02a5 c0x0000 (---------------) + I civilaviation
0x00276704, // n0x02a6 c0x0000 (---------------) + I club
0x0023350a, // n0x02a7 c0x0000 (---------------) + I conference
0x0023458a, // n0x02a8 c0x0000 (---------------) + I consultant
0x00234a4a, // n0x02a9 c0x0000 (---------------) + I consulting
0x0022e207, // n0x02aa c0x0000 (---------------) + I control
0x0023e987, // n0x02ab c0x0000 (---------------) + I council
0x00240cc4, // n0x02ac c0x0000 (---------------) + I crew
0x00218a86, // n0x02ad c0x0000 (---------------) + I design
0x002fb5c4, // n0x02ae c0x0000 (---------------) + I dgca
0x00215548, // n0x02af c0x0000 (---------------) + I educator
0x0020ba09, // n0x02b0 c0x0000 (---------------) + I emergency
0x002c9546, // n0x02b1 c0x0000 (---------------) + I engine
0x002c9548, // n0x02b2 c0x0000 (---------------) + I engineer
0x0024358d, // n0x02b3 c0x0000 (---------------) + I entertainment
0x00311009, // n0x02b4 c0x0000 (---------------) + I equipment
0x00261288, // n0x02b5 c0x0000 (---------------) + I exchange
0x00219d87, // n0x02b6 c0x0000 (---------------) + I express
0x0023328a, // n0x02b7 c0x0000 (---------------) + I federation
0x00248e46, // n0x02b8 c0x0000 (---------------) + I flight
0x00251dc7, // n0x02b9 c0x0000 (---------------) + I freight
0x002d5f44, // n0x02ba c0x0000 (---------------) + I fuel
0x0027eb87, // n0x02bb c0x0000 (---------------) + I gliding
0x0028848a, // n0x02bc c0x0000 (---------------) + I government
0x0022dc0e, // n0x02bd c0x0000 (---------------) + I groundhandling
0x00223305, // n0x02be c0x0000 (---------------) + I group
0x0027ea8b, // n0x02bf c0x0000 (---------------) + I hanggliding
0x002ee349, // n0x02c0 c0x0000 (---------------) + I homebuilt
0x002a1b49, // n0x02c1 c0x0000 (---------------) + I insurance
0x00210587, // n0x02c2 c0x0000 (---------------) + I journal
0x002af10a, // n0x02c3 c0x0000 (---------------) + I journalist
0x002c0f47, // n0x02c4 c0x0000 (---------------) + I leasing
0x00249509, // n0x02c5 c0x0000 (---------------) + I logistics
0x00341708, // n0x02c6 c0x0000 (---------------) + I magazine
0x00201b4b, // n0x02c7 c0x0000 (---------------) + I maintenance
0x0034ff4b, // n0x02c8 c0x0000 (---------------) + I marketplace
0x00215005, // n0x02c9 c0x0000 (---------------) + I media
0x00310b8a, // n0x02ca c0x0000 (---------------) + I microlight
0x0022bb49, // n0x02cb c0x0000 (---------------) + I modelling
0x0020598a, // n0x02cc c0x0000 (---------------) + I navigation
0x0026158b, // n0x02cd c0x0000 (---------------) + I parachuting
0x0029ac8b, // n0x02ce c0x0000 (---------------) + I paragliding
0x002cb3d5, // n0x02cf c0x0000 (---------------) + I passenger-association
0x002ca0c5, // n0x02d0 c0x0000 (---------------) + I pilot
0x00219e05, // n0x02d1 c0x0000 (---------------) + I press
0x002d258a, // n0x02d2 c0x0000 (---------------) + I production
0x00358fca, // n0x02d3 c0x0000 (---------------) + I recreation
0x002ab2c7, // n0x02d4 c0x0000 (---------------) + I repbody
0x00217343, // n0x02d5 c0x0000 (---------------) + I res
0x0035dd48, // n0x02d6 c0x0000 (---------------) + I research
0x002c344a, // n0x02d7 c0x0000 (---------------) + I rotorcraft
0x0022c946, // n0x02d8 c0x0000 (---------------) + I safety
0x002bdb09, // n0x02d9 c0x0000 (---------------) + I scientist
0x0031c7c8, // n0x02da c0x0000 (---------------) + I services
0x002d7504, // n0x02db c0x0000 (---------------) + I show
0x002969c9, // n0x02dc c0x0000 (---------------) + I skydiving
0x00274348, // n0x02dd c0x0000 (---------------) + I software
0x002aa487, // n0x02de c0x0000 (---------------) + I student
0x0032edc4, // n0x02df c0x0000 (---------------) + I taxi
0x0026fdc6, // n0x02e0 c0x0000 (---------------) + I trader
0x002954c7, // n0x02e1 c0x0000 (---------------) + I trading
0x0029f987, // n0x02e2 c0x0000 (---------------) + I trainer
0x00278885, // n0x02e3 c0x0000 (---------------) + I union
0x0022314c, // n0x02e4 c0x0000 (---------------) + I workinggroup
0x0032e9c5, // n0x02e5 c0x0000 (---------------) + I works
0x00224903, // n0x02e6 c0x0000 (---------------) + I com
0x00215543, // n0x02e7 c0x0000 (---------------) + I edu
0x0020a783, // n0x02e8 c0x0000 (---------------) + I gov
0x0024b083, // n0x02e9 c0x0000 (---------------) + I net
0x00228143, // n0x02ea c0x0000 (---------------) + I org
0x00206402, // n0x02eb c0x0000 (---------------) + I co
0x00224903, // n0x02ec c0x0000 (---------------) + I com
0x0024b083, // n0x02ed c0x0000 (---------------) + I net
0x00210303, // n0x02ee c0x0000 (---------------) + I nom
0x00228143, // n0x02ef c0x0000 (---------------) + I org
0x00224903, // n0x02f0 c0x0000 (---------------) + I com
0x0024b083, // n0x02f1 c0x0000 (---------------) + I net
0x00227ac3, // n0x02f2 c0x0000 (---------------) + I off
0x00228143, // n0x02f3 c0x0000 (---------------) + I org
0x00224903, // n0x02f4 c0x0000 (---------------) + I com
0x00215543, // n0x02f5 c0x0000 (---------------) + I edu
0x0020a783, // n0x02f6 c0x0000 (---------------) + I gov
0x00225bc3, // n0x02f7 c0x0000 (---------------) + I mil
0x0024b083, // n0x02f8 c0x0000 (---------------) + I net
0x00228143, // n0x02f9 c0x0000 (---------------) + I org
0x00224903, // n0x02fa c0x0000 (---------------) + I com
0x00215543, // n0x02fb c0x0000 (---------------) + I edu
0x0024b083, // n0x02fc c0x0000 (---------------) + I net
0x00228143, // n0x02fd c0x0000 (---------------) + I org
0x00206402, // n0x02fe c0x0000 (---------------) + I co
0x00203702, // n0x02ff c0x0000 (---------------) + I ed
0x00234c82, // n0x0300 c0x0000 (---------------) + I gv
0x002023c2, // n0x0301 c0x0000 (---------------) + I it
0x00202042, // n0x0302 c0x0000 (---------------) + I og
0x002ab342, // n0x0303 c0x0000 (---------------) + I pb
0x04624903, // n0x0304 c0x0011 (n0x030c-n0x030d) + I com
0x00215543, // n0x0305 c0x0000 (---------------) + I edu
0x002f91c3, // n0x0306 c0x0000 (---------------) + I gob
0x00201bc3, // n0x0307 c0x0000 (---------------) + I int
0x00225bc3, // n0x0308 c0x0000 (---------------) + I mil
0x0024b083, // n0x0309 c0x0000 (---------------) + I net
0x00228143, // n0x030a c0x0000 (---------------) + I org
0x00236503, // n0x030b c0x0000 (---------------) + I tur
0x000a5548, // n0x030c c0x0000 (---------------) + blogspot
0x002c0544, // n0x030d c0x0000 (---------------) + I e164
0x00264447, // n0x030e c0x0000 (---------------) + I in-addr
0x0023dcc3, // n0x030f c0x0000 (---------------) + I ip6
0x0024a1c4, // n0x0310 c0x0000 (---------------) + I iris
0x00209d83, // n0x0311 c0x0000 (---------------) + I uri
0x00210603, // n0x0312 c0x0000 (---------------) + I urn
0x0020a783, // n0x0313 c0x0000 (---------------) + I gov
0x00200342, // n0x0314 c0x0000 (---------------) + I ac
0x00167d83, // n0x0315 c0x0000 (---------------) + biz
0x05606402, // n0x0316 c0x0015 (n0x031b-n0x031c) + I co
0x00234c82, // n0x0317 c0x0000 (---------------) + I gv
0x00016ec4, // n0x0318 c0x0000 (---------------) + info
0x00201f42, // n0x0319 c0x0000 (---------------) + I or
0x000d2184, // n0x031a c0x0000 (---------------) + priv
0x000a5548, // n0x031b c0x0000 (---------------) + blogspot
0x00236143, // n0x031c c0x0000 (---------------) + I act
0x002a5bc3, // n0x031d c0x0000 (---------------) + I asn
0x05e24903, // n0x031e c0x0017 (n0x032f-n0x0330) + I com
0x00233504, // n0x031f c0x0000 (---------------) + I conf
0x00334685, // n0x0320 c0x0000 (---------------) + I csiro
0x06215543, // n0x0321 c0x0018 (n0x0330-n0x0338) + I edu
0x0660a783, // n0x0322 c0x0019 (n0x0338-n0x033e) + I gov
0x00203902, // n0x0323 c0x0000 (---------------) + I id
0x00216ec4, // n0x0324 c0x0000 (---------------) + I info
0x0024b083, // n0x0325 c0x0000 (---------------) + I net
0x002ab7c3, // n0x0326 c0x0000 (---------------) + I nsw
0x00201c02, // n0x0327 c0x0000 (---------------) + I nt
0x00228143, // n0x0328 c0x0000 (---------------) + I org
0x00215182, // n0x0329 c0x0000 (---------------) + I oz
0x00257d03, // n0x032a c0x0000 (---------------) + I qld
0x002007c2, // n0x032b c0x0000 (---------------) + I sa
0x00219903, // n0x032c c0x0000 (---------------) + I tas
0x002e1383, // n0x032d c0x0000 (---------------) + I vic
0x002016c2, // n0x032e c0x0000 (---------------) + I wa
0x000a5548, // n0x032f c0x0000 (---------------) + blogspot
0x00236143, // n0x0330 c0x0000 (---------------) + I act
0x002ab7c3, // n0x0331 c0x0000 (---------------) + I nsw
0x00201c02, // n0x0332 c0x0000 (---------------) + I nt
0x00257d03, // n0x0333 c0x0000 (---------------) + I qld
0x002007c2, // n0x0334 c0x0000 (---------------) + I sa
0x00219903, // n0x0335 c0x0000 (---------------) + I tas
0x002e1383, // n0x0336 c0x0000 (---------------) + I vic
0x002016c2, // n0x0337 c0x0000 (---------------) + I wa
0x00236143, // n0x0338 c0x0000 (---------------) + I act
0x00257d03, // n0x0339 c0x0000 (---------------) + I qld
0x002007c2, // n0x033a c0x0000 (---------------) + I sa
0x00219903, // n0x033b c0x0000 (---------------) + I tas
0x002e1383, // n0x033c c0x0000 (---------------) + I vic
0x002016c2, // n0x033d c0x0000 (---------------) + I wa
0x00224903, // n0x033e c0x0000 (---------------) + I com
0x00367d83, // n0x033f c0x0000 (---------------) + I biz
0x00224903, // n0x0340 c0x0000 (---------------) + I com
0x00215543, // n0x0341 c0x0000 (---------------) + I edu
0x0020a783, // n0x0342 c0x0000 (---------------) + I gov
0x00216ec4, // n0x0343 c0x0000 (---------------) + I info
0x00201bc3, // n0x0344 c0x0000 (---------------) + I int
0x00225bc3, // n0x0345 c0x0000 (---------------) + I mil
0x002445c4, // n0x0346 c0x0000 (---------------) + I name
0x0024b083, // n0x0347 c0x0000 (---------------) + I net
0x00228143, // n0x0348 c0x0000 (---------------) + I org
0x00207d82, // n0x0349 c0x0000 (---------------) + I pp
0x002d2303, // n0x034a c0x0000 (---------------) + I pro
0x00206402, // n0x034b c0x0000 (---------------) + I co
0x00224903, // n0x034c c0x0000 (---------------) + I com
0x00215543, // n0x034d c0x0000 (---------------) + I edu
0x0020a783, // n0x034e c0x0000 (---------------) + I gov
0x00225bc3, // n0x034f c0x0000 (---------------) + I mil
0x0024b083, // n0x0350 c0x0000 (---------------) + I net
0x00228143, // n0x0351 c0x0000 (---------------) + I org
0x00202342, // n0x0352 c0x0000 (---------------) + I rs
0x00341a84, // n0x0353 c0x0000 (---------------) + I unbi
0x00269f04, // n0x0354 c0x0000 (---------------) + I unsa
0x00367d83, // n0x0355 c0x0000 (---------------) + I biz
0x00224903, // n0x0356 c0x0000 (---------------) + I com
0x00215543, // n0x0357 c0x0000 (---------------) + I edu
0x0020a783, // n0x0358 c0x0000 (---------------) + I gov
0x00216ec4, // n0x0359 c0x0000 (---------------) + I info
0x0024b083, // n0x035a c0x0000 (---------------) + I net
0x00228143, // n0x035b c0x0000 (---------------) + I org
0x002bdcc5, // n0x035c c0x0000 (---------------) + I store
0x00200342, // n0x035d c0x0000 (---------------) + I ac
0x000a5548, // n0x035e c0x0000 (---------------) + blogspot
0x0020a783, // n0x035f c0x0000 (---------------) + I gov
0x0023e8c1, // n0x0360 c0x0000 (---------------) + I 0
0x00205641, // n0x0361 c0x0000 (---------------) + I 1
0x00203601, // n0x0362 c0x0000 (---------------) + I 2
0x00203041, // n0x0363 c0x0000 (---------------) + I 3
0x00269bc1, // n0x0364 c0x0000 (---------------) + I 4
0x002963c1, // n0x0365 c0x0000 (---------------) + I 5
0x0023dd41, // n0x0366 c0x0000 (---------------) + I 6
0x00274dc1, // n0x0367 c0x0000 (---------------) + I 7
0x002f99c1, // n0x0368 c0x0000 (---------------) + I 8
0x002964c1, // n0x0369 c0x0000 (---------------) + I 9
0x002001c1, // n0x036a c0x0000 (---------------) + I a
0x00200001, // n0x036b c0x0000 (---------------) + I b
0x00200141, // n0x036c c0x0000 (---------------) + I c
0x00200201, // n0x036d c0x0000 (---------------) + I d
0x00200081, // n0x036e c0x0000 (---------------) + I e
0x00201541, // n0x036f c0x0000 (---------------) + I f
0x00200281, // n0x0370 c0x0000 (---------------) + I g
0x002003c1, // n0x0371 c0x0000 (---------------) + I h
0x00200041, // n0x0372 c0x0000 (---------------) + I i
0x00200641, // n0x0373 c0x0000 (---------------) + I j
0x00200d41, // n0x0374 c0x0000 (---------------) + I k
0x00200781, // n0x0375 c0x0000 (---------------) + I l
0x00200e41, // n0x0376 c0x0000 (---------------) + I m
0x00200601, // n0x0377 c0x0000 (---------------) + I n
0x00200481, // n0x0378 c0x0000 (---------------) + I o
0x00200a01, // n0x0379 c0x0000 (---------------) + I p
0x0020a241, // n0x037a c0x0000 (---------------) + I q
0x002006c1, // n0x037b c0x0000 (---------------) + I r
0x002000c1, // n0x037c c0x0000 (---------------) + I s
0x00201101, // n0x037d c0x0000 (---------------) + I t
0x00201581, // n0x037e c0x0000 (---------------) + I u
0x00200541, // n0x037f c0x0000 (---------------) + I v
0x002016c1, // n0x0380 c0x0000 (---------------) + I w
0x0020e781, // n0x0381 c0x0000 (---------------) + I x
0x00200241, // n0x0382 c0x0000 (---------------) + I y
0x00200101, // n0x0383 c0x0000 (---------------) + I z
0x00224903, // n0x0384 c0x0000 (---------------) + I com
0x00215543, // n0x0385 c0x0000 (---------------) + I edu
0x0020a783, // n0x0386 c0x0000 (---------------) + I gov
0x0024b083, // n0x0387 c0x0000 (---------------) + I net
0x00228143, // n0x0388 c0x0000 (---------------) + I org
0x00206402, // n0x0389 c0x0000 (---------------) + I co
0x00224903, // n0x038a c0x0000 (---------------) + I com
0x00215543, // n0x038b c0x0000 (---------------) + I edu
0x00201f42, // n0x038c c0x0000 (---------------) + I or
0x00228143, // n0x038d c0x0000 (---------------) + I org
0x0000f086, // n0x038e c0x0000 (---------------) + dyndns
0x0004b28a, // n0x038f c0x0000 (---------------) + for-better
0x0007a088, // n0x0390 c0x0000 (---------------) + for-more
0x0004b8c8, // n0x0391 c0x0000 (---------------) + for-some
0x0004c307, // n0x0392 c0x0000 (---------------) + for-the
0x0011a9c6, // n0x0393 c0x0000 (---------------) + selfip
0x0009ab46, // n0x0394 c0x0000 (---------------) + webhop
0x002a4bc4, // n0x0395 c0x0000 (---------------) + I asso
0x00311e47, // n0x0396 c0x0000 (---------------) + I barreau
0x000a5548, // n0x0397 c0x0000 (---------------) + blogspot
0x002e12c4, // n0x0398 c0x0000 (---------------) + I gouv
0x00224903, // n0x0399 c0x0000 (---------------) + I com
0x00215543, // n0x039a c0x0000 (---------------) + I edu
0x0020a783, // n0x039b c0x0000 (---------------) + I gov
0x0024b083, // n0x039c c0x0000 (---------------) + I net
0x00228143, // n0x039d c0x0000 (---------------) + I org
0x00224903, // n0x039e c0x0000 (---------------) + I com
0x00215543, // n0x039f c0x0000 (---------------) + I edu
0x002f91c3, // n0x03a0 c0x0000 (---------------) + I gob
0x0020a783, // n0x03a1 c0x0000 (---------------) + I gov
0x00201bc3, // n0x03a2 c0x0000 (---------------) + I int
0x00225bc3, // n0x03a3 c0x0000 (---------------) + I mil
0x0024b083, // n0x03a4 c0x0000 (---------------) + I net
0x00228143, // n0x03a5 c0x0000 (---------------) + I org
0x0028c402, // n0x03a6 c0x0000 (---------------) + I tv
0x002c7503, // n0x03a7 c0x0000 (---------------) + I adm
0x00256583, // n0x03a8 c0x0000 (---------------) + I adv
0x002b4983, // n0x03a9 c0x0000 (---------------) + I agr
0x00200e02, // n0x03aa c0x0000 (---------------) + I am
0x00257c83, // n0x03ab c0x0000 (---------------) + I arq
0x002062c3, // n0x03ac c0x0000 (---------------) + I art
0x00206d43, // n0x03ad c0x0000 (---------------) + I ato
0x00200001, // n0x03ae c0x0000 (---------------) + I b
0x00206003, // n0x03af c0x0000 (---------------) + I bio
0x0020f244, // n0x03b0 c0x0000 (---------------) + I blog
0x0020e8c3, // n0x03b1 c0x0000 (---------------) + I bmd
0x0034d683, // n0x03b2 c0x0000 (---------------) + I cim
0x00281a83, // n0x03b3 c0x0000 (---------------) + I cng
0x0022f883, // n0x03b4 c0x0000 (---------------) + I cnt
0x0a224903, // n0x03b5 c0x0028 (n0x03ed-n0x03ee) + I com
0x00237f84, // n0x03b6 c0x0000 (---------------) + I coop
0x00281a43, // n0x03b7 c0x0000 (---------------) + I ecn
0x002063c3, // n0x03b8 c0x0000 (---------------) + I eco
0x00215543, // n0x03b9 c0x0000 (---------------) + I edu
0x002351c3, // n0x03ba c0x0000 (---------------) + I emp
0x002049c3, // n0x03bb c0x0000 (---------------) + I eng
0x002c8383, // n0x03bc c0x0000 (---------------) + I esp
0x003021c3, // n0x03bd c0x0000 (---------------) + I etc
0x002129c3, // n0x03be c0x0000 (---------------) + I eti
0x002be103, // n0x03bf c0x0000 (---------------) + I far
0x002494c4, // n0x03c0 c0x0000 (---------------) + I flog
0x00271a02, // n0x03c1 c0x0000 (---------------) + I fm
0x0024a903, // n0x03c2 c0x0000 (---------------) + I fnd
0x00250543, // n0x03c3 c0x0000 (---------------) + I fot
0x0026d083, // n0x03c4 c0x0000 (---------------) + I fst
0x0023e803, // n0x03c5 c0x0000 (---------------) + I g12
0x00310e83, // n0x03c6 c0x0000 (---------------) + I ggf
0x0020a783, // n0x03c7 c0x0000 (---------------) + I gov
0x002d8743, // n0x03c8 c0x0000 (---------------) + I imb
0x00204fc3, // n0x03c9 c0x0000 (---------------) + I ind
0x00216ec3, // n0x03ca c0x0000 (---------------) + I inf
0x00237383, // n0x03cb c0x0000 (---------------) + I jor
0x003294c3, // n0x03cc c0x0000 (---------------) + I jus
0x0022fc03, // n0x03cd c0x0000 (---------------) + I leg
0x002ec243, // n0x03ce c0x0000 (---------------) + I lel
0x00203e03, // n0x03cf c0x0000 (---------------) + I mat
0x00215003, // n0x03d0 c0x0000 (---------------) + I med
0x00225bc3, // n0x03d1 c0x0000 (---------------) + I mil
0x00201342, // n0x03d2 c0x0000 (---------------) + I mp
0x0029e1c3, // n0x03d3 c0x0000 (---------------) + I mus
0x0024b083, // n0x03d4 c0x0000 (---------------) + I net
0x00210303, // n0x03d5 c0x0000 (---------------) + I nom
0x002a1143, // n0x03d6 c0x0000 (---------------) + I not
0x0022e283, // n0x03d7 c0x0000 (---------------) + I ntr
0x00226103, // n0x03d8 c0x0000 (---------------) + I odo
0x00228143, // n0x03d9 c0x0000 (---------------) + I org
0x00243f83, // n0x03da c0x0000 (---------------) + I ppg
0x002d2303, // n0x03db c0x0000 (---------------) + I pro
0x00282b03, // n0x03dc c0x0000 (---------------) + I psc
0x002b2783, // n0x03dd c0x0000 (---------------) + I psi
0x002d5103, // n0x03de c0x0000 (---------------) + I qsl
0x00266a05, // n0x03df c0x0000 (---------------) + I radio
0x002b3743, // n0x03e0 c0x0000 (---------------) + I rec
0x002d91c3, // n0x03e1 c0x0000 (---------------) + I slg
0x002e4003, // n0x03e2 c0x0000 (---------------) + I srv
0x0032edc4, // n0x03e3 c0x0000 (---------------) + I taxi
0x002ba443, // n0x03e4 c0x0000 (---------------) + I teo
0x002c6bc3, // n0x03e5 c0x0000 (---------------) + I tmp
0x002d6643, // n0x03e6 c0x0000 (---------------) + I trd
0x00236503, // n0x03e7 c0x0000 (---------------) + I tur
0x0028c402, // n0x03e8 c0x0000 (---------------) + I tv
0x0023c383, // n0x03e9 c0x0000 (---------------) + I vet
0x002f5284, // n0x03ea c0x0000 (---------------) + I vlog
0x002aee04, // n0x03eb c0x0000 (---------------) + I wiki
0x00258643, // n0x03ec c0x0000 (---------------) + I zlg
0x000a5548, // n0x03ed c0x0000 (---------------) + blogspot
0x00224903, // n0x03ee c0x0000 (---------------) + I com
0x00215543, // n0x03ef c0x0000 (---------------) + I edu
0x0020a783, // n0x03f0 c0x0000 (---------------) + I gov
0x0024b083, // n0x03f1 c0x0000 (---------------) + I net
0x00228143, // n0x03f2 c0x0000 (---------------) + I org
0x00224903, // n0x03f3 c0x0000 (---------------) + I com
0x00215543, // n0x03f4 c0x0000 (---------------) + I edu
0x0020a783, // n0x03f5 c0x0000 (---------------) + I gov
0x0024b083, // n0x03f6 c0x0000 (---------------) + I net
0x00228143, // n0x03f7 c0x0000 (---------------) + I org
0x00206402, // n0x03f8 c0x0000 (---------------) + I co
0x00228143, // n0x03f9 c0x0000 (---------------) + I org
0x00224903, // n0x03fa c0x0000 (---------------) + I com
0x0020a783, // n0x03fb c0x0000 (---------------) + I gov
0x00225bc3, // n0x03fc c0x0000 (---------------) + I mil
0x00227ac2, // n0x03fd c0x0000 (---------------) + I of
0x00224903, // n0x03fe c0x0000 (---------------) + I com
0x00215543, // n0x03ff c0x0000 (---------------) + I edu
0x0020a783, // n0x0400 c0x0000 (---------------) + I gov
0x0024b083, // n0x0401 c0x0000 (---------------) + I net
0x00228143, // n0x0402 c0x0000 (---------------) + I org
0x00000182, // n0x0403 c0x0000 (---------------) + za
0x00200f82, // n0x0404 c0x0000 (---------------) + I ab
0x00227ec2, // n0x0405 c0x0000 (---------------) + I bc
0x000a5548, // n0x0406 c0x0000 (---------------) + blogspot
0x00006402, // n0x0407 c0x0000 (---------------) + co
0x002fb602, // n0x0408 c0x0000 (---------------) + I gc
0x00207c02, // n0x0409 c0x0000 (---------------) + I mb
0x00229682, // n0x040a c0x0000 (---------------) + I nb
0x00216f02, // n0x040b c0x0000 (---------------) + I nf
0x00231642, // n0x040c c0x0000 (---------------) + I nl
0x0020b182, // n0x040d c0x0000 (---------------) + I ns
0x00201c02, // n0x040e c0x0000 (---------------) + I nt
0x0021cdc2, // n0x040f c0x0000 (---------------) + I nu
0x00202102, // n0x0410 c0x0000 (---------------) + I on
0x0020cbc2, // n0x0411 c0x0000 (---------------) + I pe
0x00261842, // n0x0412 c0x0000 (---------------) + I qc
0x00204c02, // n0x0413 c0x0000 (---------------) + I sk
0x00299cc2, // n0x0414 c0x0000 (---------------) + I yk
0x0001b749, // n0x0415 c0x0000 (---------------) + ftpaccess
0x000dd9cb, // n0x0416 c0x0000 (---------------) + game-server
0x000c5348, // n0x0417 c0x0000 (---------------) + myphotos
0x000d8349, // n0x0418 c0x0000 (---------------) + scrapping
0x0020a783, // n0x0419 c0x0000 (---------------) + I gov
0x000a5548, // n0x041a c0x0000 (---------------) + blogspot
0x000a5548, // n0x041b c0x0000 (---------------) + blogspot
0x00200342, // n0x041c c0x0000 (---------------) + I ac
0x002a4bc4, // n0x041d c0x0000 (---------------) + I asso
0x00206402, // n0x041e c0x0000 (---------------) + I co
0x00224903, // n0x041f c0x0000 (---------------) + I com
0x00203702, // n0x0420 c0x0000 (---------------) + I ed
0x00215543, // n0x0421 c0x0000 (---------------) + I edu
0x00208102, // n0x0422 c0x0000 (---------------) + I go
0x002e12c4, // n0x0423 c0x0000 (---------------) + I gouv
0x00201bc3, // n0x0424 c0x0000 (---------------) + I int
0x0020e902, // n0x0425 c0x0000 (---------------) + I md
0x0024b083, // n0x0426 c0x0000 (---------------) + I net
0x00201f42, // n0x0427 c0x0000 (---------------) + I or
0x00228143, // n0x0428 c0x0000 (---------------) + I org
0x00219e06, // n0x0429 c0x0000 (---------------) + I presse
0x002fe20f, // n0x042a c0x0000 (---------------) + I xn--aroport-bya
0x006cfe83, // n0x042b c0x0001 (---------------) ! I www
0x00206402, // n0x042c c0x0000 (---------------) + I co
0x002f91c3, // n0x042d c0x0000 (---------------) + I gob
0x0020a783, // n0x042e c0x0000 (---------------) + I gov
0x00225bc3, // n0x042f c0x0000 (---------------) + I mil
0x0020a783, // n0x0430 c0x0000 (---------------) + I gov
0x00200342, // n0x0431 c0x0000 (---------------) + I ac
0x00215742, // n0x0432 c0x0000 (---------------) + I ah
0x00209bc2, // n0x0433 c0x0000 (---------------) + I bj
0x00224903, // n0x0434 c0x0000 (---------------) + I com
0x0023f082, // n0x0435 c0x0000 (---------------) + I cq
0x00215543, // n0x0436 c0x0000 (---------------) + I edu
0x002486c2, // n0x0437 c0x0000 (---------------) + I fj
0x0020ee42, // n0x0438 c0x0000 (---------------) + I gd
0x0020a783, // n0x0439 c0x0000 (---------------) + I gov
0x0021e282, // n0x043a c0x0000 (---------------) + I gs
0x00252902, // n0x043b c0x0000 (---------------) + I gx
0x00258602, // n0x043c c0x0000 (---------------) + I gz
0x00204002, // n0x043d c0x0000 (---------------) + I ha
0x002fd8c2, // n0x043e c0x0000 (---------------) + I hb
0x00203482, // n0x043f c0x0000 (---------------) + I he
0x002003c2, // n0x0440 c0x0000 (---------------) + I hi
0x00230f82, // n0x0441 c0x0000 (---------------) + I hk
0x00282bc2, // n0x0442 c0x0000 (---------------) + I hl
0x0021ec82, // n0x0443 c0x0000 (---------------) + I hn
0x003242c2, // n0x0444 c0x0000 (---------------) + I jl
0x002e3142, // n0x0445 c0x0000 (---------------) + I js
0x00304342, // n0x0446 c0x0000 (---------------) + I jx
0x00244c82, // n0x0447 c0x0000 (---------------) + I ln
0x00225bc3, // n0x0448 c0x0000 (---------------) + I mil
0x00207842, // n0x0449 c0x0000 (---------------) + I mo
0x0024b083, // n0x044a c0x0000 (---------------) + I net
0x0020af42, // n0x044b c0x0000 (---------------) + I nm
0x00274b82, // n0x044c c0x0000 (---------------) + I nx
0x00228143, // n0x044d c0x0000 (---------------) + I org
0x0023f0c2, // n0x044e c0x0000 (---------------) + I qh
0x002173c2, // n0x044f c0x0000 (---------------) + I sc
0x00220b82, // n0x0450 c0x0000 (---------------) + I sd
0x00206bc2, // n0x0451 c0x0000 (---------------) + I sh
0x002050c2, // n0x0452 c0x0000 (---------------) + I sn
0x002e8e82, // n0x0453 c0x0000 (---------------) + I sx
0x0022f902, // n0x0454 c0x0000 (---------------) + I tj
0x0024f4c2, // n0x0455 c0x0000 (---------------) + I tw
0x00244482, // n0x0456 c0x0000 (---------------) + I xj
0x00365e0a, // n0x0457 c0x0000 (---------------) + I xn--55qx5d
0x0032364a, // n0x0458 c0x0000 (---------------) + I xn--io0a7i
0x00343a8a, // n0x0459 c0x0000 (---------------) + I xn--od0alg
0x0036ae82, // n0x045a c0x0000 (---------------) + I xz
0x0020f0c2, // n0x045b c0x0000 (---------------) + I yn
0x00257f42, // n0x045c c0x0000 (---------------) + I zj
0x00214444, // n0x045d c0x0000 (---------------) + I arts
0x00224903, // n0x045e c0x0000 (---------------) + I com
0x00215543, // n0x045f c0x0000 (---------------) + I edu
0x00246b84, // n0x0460 c0x0000 (---------------) + I firm
0x0020a783, // n0x0461 c0x0000 (---------------) + I gov
0x00216ec4, // n0x0462 c0x0000 (---------------) + I info
0x00201bc3, // n0x0463 c0x0000 (---------------) + I int
0x00225bc3, // n0x0464 c0x0000 (---------------) + I mil
0x0024b083, // n0x0465 c0x0000 (---------------) + I net
0x00210303, // n0x0466 c0x0000 (---------------) + I nom
0x00228143, // n0x0467 c0x0000 (---------------) + I org
0x002b3743, // n0x0468 c0x0000 (---------------) + I rec
0x002030c3, // n0x0469 c0x0000 (---------------) + I web
0x0007d406, // n0x046a c0x0000 (---------------) + africa
0x0eb16609, // n0x046b c0x003a (n0x0529-n0x0540) o I amazonaws
0x000a0447, // n0x046c c0x0000 (---------------) + appspot
0x00000682, // n0x046d c0x0000 (---------------) + ar
0x0016328a, // n0x046e c0x0000 (---------------) + betainabox
0x0000f247, // n0x046f c0x0000 (---------------) + blogdns
0x000a5548, // n0x0470 c0x0000 (---------------) + blogspot
0x00016082, // n0x0471 c0x0000 (---------------) + br
0x0015b3c7, // n0x0472 c0x0000 (---------------) + cechire
0x0003e20f, // n0x0473 c0x0000 (---------------) + cloudcontrolapp
0x0002e0cf, // n0x0474 c0x0000 (---------------) + cloudcontrolled
0x0002f882, // n0x0475 c0x0000 (---------------) + cn
0x00006402, // n0x0476 c0x0000 (---------------) + co
0x000c82c8, // n0x0477 c0x0000 (---------------) + codespot
0x00005042, // n0x0478 c0x0000 (---------------) + de
0x0013a388, // n0x0479 c0x0000 (---------------) + dnsalias
0x00020b07, // n0x047a c0x0000 (---------------) + dnsdojo
0x0002614b, // n0x047b c0x0000 (---------------) + doesntexist
0x00033c49, // n0x047c c0x0000 (---------------) + dontexist
0x0013a287, // n0x047d c0x0000 (---------------) + doomdns
0x000f08cc, // n0x047e c0x0000 (---------------) + dreamhosters
0x0015f64a, // n0x047f c0x0000 (---------------) + dyn-o-saur
0x00038f88, // n0x0480 c0x0000 (---------------) + dynalias
0x000ab40e, // n0x0481 c0x0000 (---------------) + dyndns-at-home
0x00022ece, // n0x0482 c0x0000 (---------------) + dyndns-at-work
0x0000f08b, // n0x0483 c0x0000 (---------------) + dyndns-blog
0x0000f68b, // n0x0484 c0x0000 (---------------) + dyndns-free
0x0001b48b, // n0x0485 c0x0000 (---------------) + dyndns-home
0x0001de49, // n0x0486 c0x0000 (---------------) + dyndns-ip
0x0002258b, // n0x0487 c0x0000 (---------------) + dyndns-mail
0x0002790d, // n0x0488 c0x0000 (---------------) + dyndns-office
0x0013444b, // n0x0489 c0x0000 (---------------) + dyndns-pics
0x00134c4d, // n0x048a c0x0000 (---------------) + dyndns-remote
0x001356cd, // n0x048b c0x0000 (---------------) + dyndns-server
0x0009a98a, // n0x048c c0x0000 (---------------) + dyndns-web
0x000aec4b, // n0x048d c0x0000 (---------------) + dyndns-wiki
0x0012e80b, // n0x048e c0x0000 (---------------) + dyndns-work
0x0003d0d0, // n0x048f c0x0000 (---------------) + elasticbeanstalk
0x00047bcf, // n0x0490 c0x0000 (---------------) + est-a-la-maison
0x00067bcf, // n0x0491 c0x0000 (---------------) + est-a-la-masion
0x000451cd, // n0x0492 c0x0000 (---------------) + est-le-patron
0x000de050, // n0x0493 c0x0000 (---------------) + est-mon-blogueur
0x00005442, // n0x0494 c0x0000 (---------------) + eu
0x00056c07, // n0x0495 c0x0000 (---------------) + from-ak
0x00057987, // n0x0496 c0x0000 (---------------) + from-al
0x00057b47, // n0x0497 c0x0000 (---------------) + from-ar
0x00058707, // n0x0498 c0x0000 (---------------) + from-ca
0x00059a47, // n0x0499 c0x0000 (---------------) + from-ct
0x00059ec7, // n0x049a c0x0000 (---------------) + from-dc
0x0005a687, // n0x049b c0x0000 (---------------) + from-de
0x0005ae07, // n0x049c c0x0000 (---------------) + from-fl
0x0005b307, // n0x049d c0x0000 (---------------) + from-ga
0x0005b607, // n0x049e c0x0000 (---------------) + from-hi
0x0005bac7, // n0x049f c0x0000 (---------------) + from-ia
0x0005bc87, // n0x04a0 c0x0000 (---------------) + from-id
0x0005be47, // n0x04a1 c0x0000 (---------------) + from-il
0x0005c007, // n0x04a2 c0x0000 (---------------) + from-in
0x0005c307, // n0x04a3 c0x0000 (---------------) + from-ks
0x0005c787, // n0x04a4 c0x0000 (---------------) + from-ky
0x0005d947, // n0x04a5 c0x0000 (---------------) + from-ma
0x0005dd87, // n0x04a6 c0x0000 (---------------) + from-md
0x0005e907, // n0x04a7 c0x0000 (---------------) + from-mi
0x0005ef47, // n0x04a8 c0x0000 (---------------) + from-mn
0x0005f107, // n0x04a9 c0x0000 (---------------) + from-mo
0x0005f407, // n0x04aa c0x0000 (---------------) + from-ms
0x0005ff07, // n0x04ab c0x0000 (---------------) + from-mt
0x000605c7, // n0x04ac c0x0000 (---------------) + from-nc
0x00062dc7, // n0x04ad c0x0000 (---------------) + from-nd
0x00062f87, // n0x04ae c0x0000 (---------------) + from-ne
0x00063147, // n0x04af c0x0000 (---------------) + from-nh
0x00064947, // n0x04b0 c0x0000 (---------------) + from-nj
0x00064cc7, // n0x04b1 c0x0000 (---------------) + from-nm
0x00065147, // n0x04b2 c0x0000 (---------------) + from-nv
0x00065a07, // n0x04b3 c0x0000 (---------------) + from-oh
0x00065c47, // n0x04b4 c0x0000 (---------------) + from-ok
0x000661c7, // n0x04b5 c0x0000 (---------------) + from-or
0x00066487, // n0x04b6 c0x0000 (---------------) + from-pa
0x000681c7, // n0x04b7 c0x0000 (---------------) + from-pr
0x00068e87, // n0x04b8 c0x0000 (---------------) + from-ri
0x000692c7, // n0x04b9 c0x0000 (---------------) + from-sc
0x00069507, // n0x04ba c0x0000 (---------------) + from-sd
0x000696c7, // n0x04bb c0x0000 (---------------) + from-tn
0x00069887, // n0x04bc c0x0000 (---------------) + from-tx
0x00069cc7, // n0x04bd c0x0000 (---------------) + from-ut
0x0006a647, // n0x04be c0x0000 (---------------) + from-va
0x0006aac7, // n0x04bf c0x0000 (---------------) + from-vt
0x0006af47, // n0x04c0 c0x0000 (---------------) + from-wa
0x0006b107, // n0x04c1 c0x0000 (---------------) + from-wi
0x0006b487, // n0x04c2 c0x0000 (---------------) + from-wv
0x0006bd87, // n0x04c3 c0x0000 (---------------) + from-wy
0x00081dc2, // n0x04c4 c0x0000 (---------------) + gb
0x00061407, // n0x04c5 c0x0000 (---------------) + getmyip
0x000a7511, // n0x04c6 c0x0000 (---------------) + githubusercontent
0x00040e8a, // n0x04c7 c0x0000 (---------------) + googleapis
0x000c814a, // n0x04c8 c0x0000 (---------------) + googlecode
0x0004cac6, // n0x04c9 c0x0000 (---------------) + gotdns
0x00008702, // n0x04ca c0x0000 (---------------) + gr
0x000a02c9, // n0x04cb c0x0000 (---------------) + herokuapp
0x00067549, // n0x04cc c0x0000 (---------------) + herokussl
0x0004014a, // n0x04cd c0x0000 (---------------) + hobby-site
0x00096089, // n0x04ce c0x0000 (---------------) + homelinux
0x00097788, // n0x04cf c0x0000 (---------------) + homeunix
0x00003b42, // n0x04d0 c0x0000 (---------------) + hu
0x00020749, // n0x04d1 c0x0000 (---------------) + iamallama
0x0006840e, // n0x04d2 c0x0000 (---------------) + is-a-anarchist
0x000119cc, // n0x04d3 c0x0000 (---------------) + is-a-blogger
0x000b170f, // n0x04d4 c0x0000 (---------------) + is-a-bookkeeper
0x00020d8e, // n0x04d5 c0x0000 (---------------) + is-a-bulls-fan
0x00028dcc, // n0x04d6 c0x0000 (---------------) + is-a-caterer
0x001352c9, // n0x04d7 c0x0000 (---------------) + is-a-chef
0x000ae591, // n0x04d8 c0x0000 (---------------) + is-a-conservative
0x000c8588, // n0x04d9 c0x0000 (---------------) + is-a-cpa
0x0012ee92, // n0x04da c0x0000 (---------------) + is-a-cubicle-slave
0x00041a4d, // n0x04db c0x0000 (---------------) + is-a-democrat
0x0004a24d, // n0x04dc c0x0000 (---------------) + is-a-designer
0x0004f90b, // n0x04dd c0x0000 (---------------) + is-a-doctor
0x00056215, // n0x04de c0x0000 (---------------) + is-a-financialadvisor
0x000583c9, // n0x04df c0x0000 (---------------) + is-a-geek
0x0005e68a, // n0x04e0 c0x0000 (---------------) + is-a-green
0x0005eb89, // n0x04e1 c0x0000 (---------------) + is-a-guru
0x0005fb10, // n0x04e2 c0x0000 (---------------) + is-a-hard-worker
0x0006900b, // n0x04e3 c0x0000 (---------------) + is-a-hunter
0x0006d64f, // n0x04e4 c0x0000 (---------------) + is-a-landscaper
0x0007210b, // n0x04e5 c0x0000 (---------------) + is-a-lawyer
0x0007b20c, // n0x04e6 c0x0000 (---------------) + is-a-liberal
0x0007e690, // n0x04e7 c0x0000 (---------------) + is-a-libertarian
0x0009170a, // n0x04e8 c0x0000 (---------------) + is-a-llama
0x0009e08d, // n0x04e9 c0x0000 (---------------) + is-a-musician
0x000f6a4e, // n0x04ea c0x0000 (---------------) + is-a-nascarfan
0x000ac28a, // n0x04eb c0x0000 (---------------) + is-a-nurse
0x000f630c, // n0x04ec c0x0000 (---------------) + is-a-painter
0x0009f654, // n0x04ed c0x0000 (---------------) + is-a-personaltrainer
0x0009ff51, // n0x04ee c0x0000 (---------------) + is-a-photographer
0x000a140b, // n0x04ef c0x0000 (---------------) + is-a-player
0x000a224f, // n0x04f0 c0x0000 (---------------) + is-a-republican
0x000a42cd, // n0x04f1 c0x0000 (---------------) + is-a-rockstar
0x000a85ce, // n0x04f2 c0x0000 (---------------) + is-a-socialist
0x000aa34c, // n0x04f3 c0x0000 (---------------) + is-a-student
0x000afb0c, // n0x04f4 c0x0000 (---------------) + is-a-teacher
0x000b244b, // n0x04f5 c0x0000 (---------------) + is-a-techie
0x000cc64e, // n0x04f6 c0x0000 (---------------) + is-a-therapist
0x000d6290, // n0x04f7 c0x0000 (---------------) + is-an-accountant
0x000de98b, // n0x04f8 c0x0000 (---------------) + is-an-actor
0x000bd80d, // n0x04f9 c0x0000 (---------------) + is-an-actress
0x000beb0f, // n0x04fa c0x0000 (---------------) + is-an-anarchist
0x000c61cc, // n0x04fb c0x0000 (---------------) + is-an-artist
0x000c93ce, // n0x04fc c0x0000 (---------------) + is-an-engineer
0x000ca4d1, // n0x04fd c0x0000 (---------------) + is-an-entertainer
0x0013380c, // n0x04fe c0x0000 (---------------) + is-certified
0x000d5a47, // n0x04ff c0x0000 (---------------) + is-gone
0x000d708d, // n0x0500 c0x0000 (---------------) + is-into-anime
0x000d808c, // n0x0501 c0x0000 (---------------) + is-into-cars
0x000dd210, // n0x0502 c0x0000 (---------------) + is-into-cartoons
0x000e5b4d, // n0x0503 c0x0000 (---------------) + is-into-games
0x000e7047, // n0x0504 c0x0000 (---------------) + is-leet
0x000ef3d0, // n0x0505 c0x0000 (---------------) + is-not-certified
0x000f7ac8, // n0x0506 c0x0000 (---------------) + is-slick
0x0010a64b, // n0x0507 c0x0000 (---------------) + is-uberleet
0x0013c2cf, // n0x0508 c0x0000 (---------------) + is-with-theband
0x00060b88, // n0x0509 c0x0000 (---------------) + isa-geek
0x0004108d, // n0x050a c0x0000 (---------------) + isa-hockeynut
0x00149ad0, // n0x050b c0x0000 (---------------) + issmarterthanyou
0x0009ee83, // n0x050c c0x0000 (---------------) + jpn
0x0000ab02, // n0x050d c0x0000 (---------------) + kr
0x0004da49, // n0x050e c0x0000 (---------------) + likes-pie
0x00022cca, // n0x050f c0x0000 (---------------) + likescandy
0x00038e03, // n0x0510 c0x0000 (---------------) + mex
0x0003de08, // n0x0511 c0x0000 (---------------) + neat-url
0x00003f82, // n0x0512 c0x0000 (---------------) + no
0x00066b8a, // n0x0513 c0x0000 (---------------) + operaunite
0x0008060f, // n0x0514 c0x0000 (---------------) + outsystemscloud
0x00061842, // n0x0515 c0x0000 (---------------) + qc
0x0003e187, // n0x0516 c0x0000 (---------------) + rhcloud
0x00000c42, // n0x0517 c0x0000 (---------------) + ro
0x00001ac2, // n0x0518 c0x0000 (---------------) + ru
0x000007c2, // n0x0519 c0x0000 (---------------) + sa
0x0007c150, // n0x051a c0x0000 (---------------) + saves-the-whales
0x00008182, // n0x051b c0x0000 (---------------) + se
0x0011a9c6, // n0x051c c0x0000 (---------------) + selfip
0x000d350e, // n0x051d c0x0000 (---------------) + sells-for-less
0x0008c98b, // n0x051e c0x0000 (---------------) + sells-for-u
0x00013908, // n0x051f c0x0000 (---------------) + servebbs
0x000d8dca, // n0x0520 c0x0000 (---------------) + simple-url
0x000df88d, // n0x0521 c0x0000 (---------------) + space-to-rent
0x0003a8cc, // n0x0522 c0x0000 (---------------) + teaches-yoga
0x00001582, // n0x0523 c0x0000 (---------------) + uk
0x00005782, // n0x0524 c0x0000 (---------------) + us
0x0001ce02, // n0x0525 c0x0000 (---------------) + uy
0x00040d8a, // n0x0526 c0x0000 (---------------) + withgoogle
0x000a52ce, // n0x0527 c0x0000 (---------------) + writesthisblog
0x00000182, // n0x0528 c0x0000 (---------------) + za
0x0ec32347, // n0x0529 c0x003b (n0x0540-n0x0548) + compute
0x0f032349, // n0x052a c0x003c (n0x0548-n0x054a) + compute-1
0x0001fb43, // n0x052b c0x0000 (---------------) + elb
0x00003002, // n0x052c c0x0000 (---------------) + s3
0x000fb811, // n0x052d c0x0000 (---------------) + s3-ap-northeast-1
0x00102b51, // n0x052e c0x0000 (---------------) + s3-ap-southeast-1
0x0010ea91, // n0x052f c0x0000 (---------------) + s3-ap-southeast-2
0x001118cc, // n0x0530 c0x0000 (---------------) + s3-eu-west-1
0x00116815, // n0x0531 c0x0000 (---------------) + s3-fips-us-gov-west-1
0x0012cacc, // n0x0532 c0x0000 (---------------) + s3-sa-east-1
0x00112790, // n0x0533 c0x0000 (---------------) + s3-us-gov-west-1
0x0015358c, // n0x0534 c0x0000 (---------------) + s3-us-west-1
0x0015830c, // n0x0535 c0x0000 (---------------) + s3-us-west-2
0x0015fa19, // n0x0536 c0x0000 (---------------) + s3-website-ap-northeast-1
0x00163ed9, // n0x0537 c0x0000 (---------------) + s3-website-ap-southeast-1
0x00003019, // n0x0538 c0x0000 (---------------) + s3-website-ap-southeast-2
0x00005194, // n0x0539 c0x0000 (---------------) + s3-website-eu-west-1
0x000088d4, // n0x053a c0x0000 (---------------) + s3-website-sa-east-1
0x000096d4, // n0x053b c0x0000 (---------------) + s3-website-us-east-1
0x0000a418, // n0x053c c0x0000 (---------------) + s3-website-us-gov-west-1
0x0000d5d4, // n0x053d c0x0000 (---------------) + s3-website-us-west-1
0x0000e194, // n0x053e c0x0000 (---------------) + s3-website-us-west-2
0x00009989, // n0x053f c0x0000 (---------------) + us-east-1
0x000fb8ce, // n0x0540 c0x0000 (---------------) + ap-northeast-1
0x00102c0e, // n0x0541 c0x0000 (---------------) + ap-southeast-1
0x000032ce, // n0x0542 c0x0000 (---------------) + ap-southeast-2
0x00005449, // n0x0543 c0x0000 (---------------) + eu-west-1
0x00008b89, // n0x0544 c0x0000 (---------------) + sa-east-1
0x0000a6cd, // n0x0545 c0x0000 (---------------) + us-gov-west-1
0x0000d889, // n0x0546 c0x0000 (---------------) + us-west-1
0x0000e449, // n0x0547 c0x0000 (---------------) + us-west-2
0x00156203, // n0x0548 c0x0000 (---------------) + z-1
0x000065c3, // n0x0549 c0x0000 (---------------) + z-2
0x00200342, // n0x054a c0x0000 (---------------) + I ac
0x00206402, // n0x054b c0x0000 (---------------) + I co
0x00203702, // n0x054c c0x0000 (---------------) + I ed
0x00227b42, // n0x054d c0x0000 (---------------) + I fi
0x00208102, // n0x054e c0x0000 (---------------) + I go
0x00201f42, // n0x054f c0x0000 (---------------) + I or
0x002007c2, // n0x0550 c0x0000 (---------------) + I sa
0x00224903, // n0x0551 c0x0000 (---------------) + I com
0x00215543, // n0x0552 c0x0000 (---------------) + I edu
0x0020a783, // n0x0553 c0x0000 (---------------) + I gov
0x00216ec3, // n0x0554 c0x0000 (---------------) + I inf
0x0024b083, // n0x0555 c0x0000 (---------------) + I net
0x00228143, // n0x0556 c0x0000 (---------------) + I org
0x000a5548, // n0x0557 c0x0000 (---------------) + blogspot
0x00224903, // n0x0558 c0x0000 (---------------) + I com
0x00215543, // n0x0559 c0x0000 (---------------) + I edu
0x0024b083, // n0x055a c0x0000 (---------------) + I net
0x00228143, // n0x055b c0x0000 (---------------) + I org
0x0000fe83, // n0x055c c0x0000 (---------------) + ath
0x0020a783, // n0x055d c0x0000 (---------------) + I gov
0x000a5548, // n0x055e c0x0000 (---------------) + blogspot
0x000a5548, // n0x055f c0x0000 (---------------) + blogspot
0x00024903, // n0x0560 c0x0000 (---------------) + com
0x0010604f, // n0x0561 c0x0000 (---------------) + fuettertdasnetz
0x0002634a, // n0x0562 c0x0000 (---------------) + isteingeek
0x00033dc7, // n0x0563 c0x0000 (---------------) + istmein
0x0013490a, // n0x0564 c0x0000 (---------------) + lebtimnetz
0x001609ca, // n0x0565 c0x0000 (---------------) + leitungsen
0x0012e28d, // n0x0566 c0x0000 (---------------) + traeumtgerade
0x000a5548, // n0x0567 c0x0000 (---------------) + blogspot
0x00224903, // n0x0568 c0x0000 (---------------) + I com
0x00215543, // n0x0569 c0x0000 (---------------) + I edu
0x0020a783, // n0x056a c0x0000 (---------------) + I gov
0x0024b083, // n0x056b c0x0000 (---------------) + I net
0x00228143, // n0x056c c0x0000 (---------------) + I org
0x002062c3, // n0x056d c0x0000 (---------------) + I art
0x00224903, // n0x056e c0x0000 (---------------) + I com
0x00215543, // n0x056f c0x0000 (---------------) + I edu
0x002f91c3, // n0x0570 c0x0000 (---------------) + I gob
0x0020a783, // n0x0571 c0x0000 (---------------) + I gov
0x00225bc3, // n0x0572 c0x0000 (---------------) + I mil
0x0024b083, // n0x0573 c0x0000 (---------------) + I net
0x00228143, // n0x0574 c0x0000 (---------------) + I org
0x002d5143, // n0x0575 c0x0000 (---------------) + I sld
0x002030c3, // n0x0576 c0x0000 (---------------) + I web
0x002062c3, // n0x0577 c0x0000 (---------------) + I art
0x002a4bc4, // n0x0578 c0x0000 (---------------) + I asso
0x00224903, // n0x0579 c0x0000 (---------------) + I com
0x00215543, // n0x057a c0x0000 (---------------) + I edu
0x0020a783, // n0x057b c0x0000 (---------------) + I gov
0x0024b083, // n0x057c c0x0000 (---------------) + I net
0x00228143, // n0x057d c0x0000 (---------------) + I org
0x00211903, // n0x057e c0x0000 (---------------) + I pol
0x00224903, // n0x057f c0x0000 (---------------) + I com
0x00215543, // n0x0580 c0x0000 (---------------) + I edu
0x00245f43, // n0x0581 c0x0000 (---------------) + I fin
0x002f91c3, // n0x0582 c0x0000 (---------------) + I gob
0x0020a783, // n0x0583 c0x0000 (---------------) + I gov
0x00216ec4, // n0x0584 c0x0000 (---------------) + I info
0x002e3383, // n0x0585 c0x0000 (---------------) + I k12
0x00215003, // n0x0586 c0x0000 (---------------) + I med
0x00225bc3, // n0x0587 c0x0000 (---------------) + I mil
0x0024b083, // n0x0588 c0x0000 (---------------) + I net
0x00228143, // n0x0589 c0x0000 (---------------) + I org
0x002d2303, // n0x058a c0x0000 (---------------) + I pro
0x0023dc83, // n0x058b c0x0000 (---------------) + I aip
0x00224903, // n0x058c c0x0000 (---------------) + I com
0x00215543, // n0x058d c0x0000 (---------------) + I edu
0x00244f03, // n0x058e c0x0000 (---------------) + I fie
0x0020a783, // n0x058f c0x0000 (---------------) + I gov
0x00217f43, // n0x0590 c0x0000 (---------------) + I lib
0x00215003, // n0x0591 c0x0000 (---------------) + I med
0x00228143, // n0x0592 c0x0000 (---------------) + I org
0x0021e183, // n0x0593 c0x0000 (---------------) + I pri
0x00202a84, // n0x0594 c0x0000 (---------------) + I riik
0x00224903, // n0x0595 c0x0000 (---------------) + I com
0x00215543, // n0x0596 c0x0000 (---------------) + I edu
0x00297843, // n0x0597 c0x0000 (---------------) + I eun
0x0020a783, // n0x0598 c0x0000 (---------------) + I gov
0x00225bc3, // n0x0599 c0x0000 (---------------) + I mil
0x002445c4, // n0x059a c0x0000 (---------------) + I name
0x0024b083, // n0x059b c0x0000 (---------------) + I net
0x00228143, // n0x059c c0x0000 (---------------) + I org
0x002173c3, // n0x059d c0x0000 (---------------) + I sci
0x13224903, // n0x059e c0x004c (n0x05a3-n0x05a4) + I com
0x00215543, // n0x059f c0x0000 (---------------) + I edu
0x002f91c3, // n0x05a0 c0x0000 (---------------) + I gob
0x00210303, // n0x05a1 c0x0000 (---------------) + I nom
0x00228143, // n0x05a2 c0x0000 (---------------) + I org
0x000a5548, // n0x05a3 c0x0000 (---------------) + blogspot
0x0030d705, // n0x05a4 c0x0000 (---------------) + I aland
0x000a5548, // n0x05a5 c0x0000 (---------------) + blogspot
0x000046c3, // n0x05a6 c0x0000 (---------------) + iki
0x002faf88, // n0x05a7 c0x0000 (---------------) + I aeroport
0x00257487, // n0x05a8 c0x0000 (---------------) + I assedic
0x002a4bc4, // n0x05a9 c0x0000 (---------------) + I asso
0x0031fd46, // n0x05aa c0x0000 (---------------) + I avocat
0x0032c986, // n0x05ab c0x0000 (---------------) + I avoues
0x000a5548, // n0x05ac c0x0000 (---------------) + blogspot
0x003078c3, // n0x05ad c0x0000 (---------------) + I cci
0x002b4849, // n0x05ae c0x0000 (---------------) + I chambagri
0x0028a815, // n0x05af c0x0000 (---------------) + I chirurgiens-dentistes
0x00224903, // n0x05b0 c0x0000 (---------------) + I com
0x00224712, // n0x05b1 c0x0000 (---------------) + I experts-comptables
0x002244cf, // n0x05b2 c0x0000 (---------------) + I geometre-expert
0x002e12c4, // n0x05b3 c0x0000 (---------------) + I gouv
0x00296bc5, // n0x05b4 c0x0000 (---------------) + I greta
0x00329290, // n0x05b5 c0x0000 (---------------) + I huissier-justice
0x00351687, // n0x05b6 c0x0000 (---------------) + I medecin
0x00210303, // n0x05b7 c0x0000 (---------------) + I nom
0x002a1148, // n0x05b8 c0x0000 (---------------) + I notaires
0x002c5bca, // n0x05b9 c0x0000 (---------------) + I pharmacien
0x00230044, // n0x05ba c0x0000 (---------------) + I port
0x002d19c3, // n0x05bb c0x0000 (---------------) + I prd
0x00219e06, // n0x05bc c0x0000 (---------------) + I presse
0x00233e42, // n0x05bd c0x0000 (---------------) + I tm
0x002b350b, // n0x05be c0x0000 (---------------) + I veterinaire
0x00224903, // n0x05bf c0x0000 (---------------) + I com
0x00215543, // n0x05c0 c0x0000 (---------------) + I edu
0x0020a783, // n0x05c1 c0x0000 (---------------) + I gov
0x00225bc3, // n0x05c2 c0x0000 (---------------) + I mil
0x0024b083, // n0x05c3 c0x0000 (---------------) + I net
0x00228143, // n0x05c4 c0x0000 (---------------) + I org
0x002d4ac3, // n0x05c5 c0x0000 (---------------) + I pvt
0x00206402, // n0x05c6 c0x0000 (---------------) + I co
0x0024b083, // n0x05c7 c0x0000 (---------------) + I net
0x00228143, // n0x05c8 c0x0000 (---------------) + I org
0x00224903, // n0x05c9 c0x0000 (---------------) + I com
0x00215543, // n0x05ca c0x0000 (---------------) + I edu
0x0020a783, // n0x05cb c0x0000 (---------------) + I gov
0x00225bc3, // n0x05cc c0x0000 (---------------) + I mil
0x00228143, // n0x05cd c0x0000 (---------------) + I org
0x00224903, // n0x05ce c0x0000 (---------------) + I com
0x00215543, // n0x05cf c0x0000 (---------------) + I edu
0x0020a783, // n0x05d0 c0x0000 (---------------) + I gov
0x00221b83, // n0x05d1 c0x0000 (---------------) + I ltd
0x0022bb43, // n0x05d2 c0x0000 (---------------) + I mod
0x00228143, // n0x05d3 c0x0000 (---------------) + I org
0x00200342, // n0x05d4 c0x0000 (---------------) + I ac
0x00224903, // n0x05d5 c0x0000 (---------------) + I com
0x00215543, // n0x05d6 c0x0000 (---------------) + I edu
0x0020a783, // n0x05d7 c0x0000 (---------------) + I gov
0x0024b083, // n0x05d8 c0x0000 (---------------) + I net
0x00228143, // n0x05d9 c0x0000 (---------------) + I org
0x002a4bc4, // n0x05da c0x0000 (---------------) + I asso
0x00224903, // n0x05db c0x0000 (---------------) + I com
0x00215543, // n0x05dc c0x0000 (---------------) + I edu
0x0020ac44, // n0x05dd c0x0000 (---------------) + I mobi
0x0024b083, // n0x05de c0x0000 (---------------) + I net
0x00228143, // n0x05df c0x0000 (---------------) + I org
0x000a5548, // n0x05e0 c0x0000 (---------------) + blogspot
0x00224903, // n0x05e1 c0x0000 (---------------) + I com
0x00215543, // n0x05e2 c0x0000 (---------------) + I edu
0x0020a783, // n0x05e3 c0x0000 (---------------) + I gov
0x0024b083, // n0x05e4 c0x0000 (---------------) + I net
0x00228143, // n0x05e5 c0x0000 (---------------) + I org
0x00224903, // n0x05e6 c0x0000 (---------------) + I com
0x00215543, // n0x05e7 c0x0000 (---------------) + I edu
0x002f91c3, // n0x05e8 c0x0000 (---------------) + I gob
0x00204fc3, // n0x05e9 c0x0000 (---------------) + I ind
0x00225bc3, // n0x05ea c0x0000 (---------------) + I mil
0x0024b083, // n0x05eb c0x0000 (---------------) + I net
0x00228143, // n0x05ec c0x0000 (---------------) + I org
0x00206402, // n0x05ed c0x0000 (---------------) + I co
0x00224903, // n0x05ee c0x0000 (---------------) + I com
0x0024b083, // n0x05ef c0x0000 (---------------) + I net
0x000a5548, // n0x05f0 c0x0000 (---------------) + blogspot
0x00224903, // n0x05f1 c0x0000 (---------------) + I com
0x00215543, // n0x05f2 c0x0000 (---------------) + I edu
0x0020a783, // n0x05f3 c0x0000 (---------------) + I gov
0x00220a03, // n0x05f4 c0x0000 (---------------) + I idv
0x0024b083, // n0x05f5 c0x0000 (---------------) + I net
0x00228143, // n0x05f6 c0x0000 (---------------) + I org
0x00365e0a, // n0x05f7 c0x0000 (---------------) + I xn--55qx5d
0x0030ad89, // n0x05f8 c0x0000 (---------------) + I xn--ciqpn
0x0031c0cb, // n0x05f9 c0x0000 (---------------) + I xn--gmq050i
0x0031d00a, // n0x05fa c0x0000 (---------------) + I xn--gmqw5a
0x0032364a, // n0x05fb c0x0000 (---------------) + I xn--io0a7i
0x0032b38b, // n0x05fc c0x0000 (---------------) + I xn--lcvr32d
0x0033c08a, // n0x05fd c0x0000 (---------------) + I xn--mk0axi
0x0033fd0a, // n0x05fe c0x0000 (---------------) + I xn--mxtq1m
0x00343a8a, // n0x05ff c0x0000 (---------------) + I xn--od0alg
0x00343d0b, // n0x0600 c0x0000 (---------------) + I xn--od0aq3b
0x00359ec9, // n0x0601 c0x0000 (---------------) + I xn--tn0ag
0x0035d10a, // n0x0602 c0x0000 (---------------) + I xn--uc0atv
0x0035d5cb, // n0x0603 c0x0000 (---------------) + I xn--uc0ay4a
0x0036224b, // n0x0604 c0x0000 (---------------) + I xn--wcvs22d
0x003670ca, // n0x0605 c0x0000 (---------------) + I xn--zf0avx
0x00224903, // n0x0606 c0x0000 (---------------) + I com
0x00215543, // n0x0607 c0x0000 (---------------) + I edu
0x002f91c3, // n0x0608 c0x0000 (---------------) + I gob
0x00225bc3, // n0x0609 c0x0000 (---------------) + I mil
0x0024b083, // n0x060a c0x0000 (---------------) + I net
0x00228143, // n0x060b c0x0000 (---------------) + I org
0x00224903, // n0x060c c0x0000 (---------------) + I com
0x00256c04, // n0x060d c0x0000 (---------------) + I from
0x00216cc2, // n0x060e c0x0000 (---------------) + I iz
0x002445c4, // n0x060f c0x0000 (---------------) + I name
0x00219005, // n0x0610 c0x0000 (---------------) + I adult
0x002062c3, // n0x0611 c0x0000 (---------------) + I art
0x002a4bc4, // n0x0612 c0x0000 (---------------) + I asso
0x00224903, // n0x0613 c0x0000 (---------------) + I com
0x00237f84, // n0x0614 c0x0000 (---------------) + I coop
0x00215543, // n0x0615 c0x0000 (---------------) + I edu
0x00246b84, // n0x0616 c0x0000 (---------------) + I firm
0x002e12c4, // n0x0617 c0x0000 (---------------) + I gouv
0x00216ec4, // n0x0618 c0x0000 (---------------) + I info
0x00215003, // n0x0619 c0x0000 (---------------) + I med
0x0024b083, // n0x061a c0x0000 (---------------) + I net
0x00228143, // n0x061b c0x0000 (---------------) + I org
0x0029f785, // n0x061c c0x0000 (---------------) + I perso
0x00211903, // n0x061d c0x0000 (---------------) + I pol
0x002d2303, // n0x061e c0x0000 (---------------) + I pro
0x002e0f43, // n0x061f c0x0000 (---------------) + I rel
0x0032eac4, // n0x0620 c0x0000 (---------------) + I shop
0x0023e884, // n0x0621 c0x0000 (---------------) + I 2000
0x0032db05, // n0x0622 c0x0000 (---------------) + I agrar
0x000a5548, // n0x0623 c0x0000 (---------------) + blogspot
0x00255f84, // n0x0624 c0x0000 (---------------) + I bolt
0x003340c6, // n0x0625 c0x0000 (---------------) + I casino
0x00229e84, // n0x0626 c0x0000 (---------------) + I city
0x00206402, // n0x0627 c0x0000 (---------------) + I co
0x002a4907, // n0x0628 c0x0000 (---------------) + I erotica
0x00301287, // n0x0629 c0x0000 (---------------) + I erotika
0x00245b84, // n0x062a c0x0000 (---------------) + I film
0x0024fbc5, // n0x062b c0x0000 (---------------) + I forum
0x002e5d45, // n0x062c c0x0000 (---------------) + I games
0x0029c4c5, // n0x062d c0x0000 (---------------) + I hotel
0x00216ec4, // n0x062e c0x0000 (---------------) + I info
0x00274788, // n0x062f c0x0000 (---------------) + I ingatlan
0x002f2906, // n0x0630 c0x0000 (---------------) + I jogasz
0x002edf08, // n0x0631 c0x0000 (---------------) + I konyvelo
0x002b28c5, // n0x0632 c0x0000 (---------------) + I lakas
0x00215005, // n0x0633 c0x0000 (---------------) + I media
0x00234344, // n0x0634 c0x0000 (---------------) + I news
0x00228143, // n0x0635 c0x0000 (---------------) + I org
0x002d2184, // n0x0636 c0x0000 (---------------) + I priv
0x002b4bc6, // n0x0637 c0x0000 (---------------) + I reklam
0x00219f03, // n0x0638 c0x0000 (---------------) + I sex
0x0032eac4, // n0x0639 c0x0000 (---------------) + I shop
0x0029d085, // n0x063a c0x0000 (---------------) + I sport
0x0031fb44, // n0x063b c0x0000 (---------------) + I suli
0x00261204, // n0x063c c0x0000 (---------------) + I szex
0x00233e42, // n0x063d c0x0000 (---------------) + I tm
0x00268d06, // n0x063e c0x0000 (---------------) + I tozsde
0x0034fbc6, // n0x063f c0x0000 (---------------) + I utazas
0x002f2105, // n0x0640 c0x0000 (---------------) + I video
0x00200342, // n0x0641 c0x0000 (---------------) + I ac
0x00367d83, // n0x0642 c0x0000 (---------------) + I biz
0x00206402, // n0x0643 c0x0000 (---------------) + I co
0x00236744, // n0x0644 c0x0000 (---------------) + I desa
0x00208102, // n0x0645 c0x0000 (---------------) + I go
0x00225bc3, // n0x0646 c0x0000 (---------------) + I mil
0x002614c2, // n0x0647 c0x0000 (---------------) + I my
0x0024b083, // n0x0648 c0x0000 (---------------) + I net
0x00201f42, // n0x0649 c0x0000 (---------------) + I or
0x0025e403, // n0x064a c0x0000 (---------------) + I sch
0x002030c3, // n0x064b c0x0000 (---------------) + I web
0x000a5548, // n0x064c c0x0000 (---------------) + blogspot
0x0020a783, // n0x064d c0x0000 (---------------) + I gov
0x18206402, // n0x064e c0x0060 (n0x064f-n0x0650) o I co
0x000a5548, // n0x064f c0x0000 (---------------) + blogspot
0x00200342, // n0x0650 c0x0000 (---------------) + I ac
0x18a06402, // n0x0651 c0x0062 (n0x0657-n0x0659) + I co
0x00224903, // n0x0652 c0x0000 (---------------) + I com
0x0024b083, // n0x0653 c0x0000 (---------------) + I net
0x00228143, // n0x0654 c0x0000 (---------------) + I org
0x00204d42, // n0x0655 c0x0000 (---------------) + I tt
0x0028c402, // n0x0656 c0x0000 (---------------) + I tv
0x00221b83, // n0x0657 c0x0000 (---------------) + I ltd
0x002cd203, // n0x0658 c0x0000 (---------------) + I plc
0x00200342, // n0x0659 c0x0000 (---------------) + I ac
0x000a5548, // n0x065a c0x0000 (---------------) + blogspot
0x00206402, // n0x065b c0x0000 (---------------) + I co
0x00215543, // n0x065c c0x0000 (---------------) + I edu
0x00246b84, // n0x065d c0x0000 (---------------) + I firm
0x00204983, // n0x065e c0x0000 (---------------) + I gen
0x0020a783, // n0x065f c0x0000 (---------------) + I gov
0x00204fc3, // n0x0660 c0x0000 (---------------) + I ind
0x00225bc3, // n0x0661 c0x0000 (---------------) + I mil
0x0024b083, // n0x0662 c0x0000 (---------------) + I net
0x00211303, // n0x0663 c0x0000 (---------------) + I nic
0x00228143, // n0x0664 c0x0000 (---------------) + I org
0x00217343, // n0x0665 c0x0000 (---------------) + I res
0x001150d3, // n0x0666 c0x0000 (---------------) + barrel-of-knowledge
0x0011f114, // n0x0667 c0x0000 (---------------) + barrell-of-knowledge
0x0000f086, // n0x0668 c0x0000 (---------------) + dyndns
0x0004b707, // n0x0669 c0x0000 (---------------) + for-our
0x0010e209, // n0x066a c0x0000 (---------------) + groks-the
0x0002b04a, // n0x066b c0x0000 (---------------) + groks-this
0x00079f4d, // n0x066c c0x0000 (---------------) + here-for-more
0x0001948a, // n0x066d c0x0000 (---------------) + knowsitall
0x0011a9c6, // n0x066e c0x0000 (---------------) + selfip
0x0009ab46, // n0x066f c0x0000 (---------------) + webhop
0x00205442, // n0x0670 c0x0000 (---------------) + I eu
0x00224903, // n0x0671 c0x0000 (---------------) + I com
0x000a7506, // n0x0672 c0x0000 (---------------) + github
0x00224903, // n0x0673 c0x0000 (---------------) + I com
0x00215543, // n0x0674 c0x0000 (---------------) + I edu
0x0020a783, // n0x0675 c0x0000 (---------------) + I gov
0x00225bc3, // n0x0676 c0x0000 (---------------) + I mil
0x0024b083, // n0x0677 c0x0000 (---------------) + I net
0x00228143, // n0x0678 c0x0000 (---------------) + I org
0x00200342, // n0x0679 c0x0000 (---------------) + I ac
0x00206402, // n0x067a c0x0000 (---------------) + I co
0x0020a783, // n0x067b c0x0000 (---------------) + I gov
0x00203902, // n0x067c c0x0000 (---------------) + I id
0x0024b083, // n0x067d c0x0000 (---------------) + I net
0x00228143, // n0x067e c0x0000 (---------------) + I org
0x0025e403, // n0x067f c0x0000 (---------------) + I sch
0x00335b4f, // n0x0680 c0x0000 (---------------) + I xn--mgba3a4f16a
0x00335f0e, // n0x0681 c0x0000 (---------------) + I xn--mgba3a4fra
0x00224903, // n0x0682 c0x0000 (---------------) + I com
0x00044287, // n0x0683 c0x0000 (---------------) + cupcake
0x00215543, // n0x0684 c0x0000 (---------------) + I edu
0x0020a783, // n0x0685 c0x0000 (---------------) + I gov
0x00201bc3, // n0x0686 c0x0000 (---------------) + I int
0x0024b083, // n0x0687 c0x0000 (---------------) + I net
0x00228143, // n0x0688 c0x0000 (---------------) + I org
0x00216043, // n0x0689 c0x0000 (---------------) + I abr
0x00239b47, // n0x068a c0x0000 (---------------) + I abruzzo
0x00201602, // n0x068b c0x0000 (---------------) + I ag
0x0035a089, // n0x068c c0x0000 (---------------) + I agrigento
0x00200742, // n0x068d c0x0000 (---------------) + I al
0x0027c44b, // n0x068e c0x0000 (---------------) + I alessandria
0x002c4a8a, // n0x068f c0x0000 (---------------) + I alto-adige
0x002d3d89, // n0x0690 c0x0000 (---------------) + I altoadige
0x00200902, // n0x0691 c0x0000 (---------------) + I an
0x00218186, // n0x0692 c0x0000 (---------------) + I ancona
0x0028d7d5, // n0x0693 c0x0000 (---------------) + I andria-barletta-trani
0x0027c595, // n0x0694 c0x0000 (---------------) + I andria-trani-barletta
0x0029b913, // n0x0695 c0x0000 (---------------) + I andriabarlettatrani
0x0027cb13, // n0x0696 c0x0000 (---------------) + I andriatranibarletta
0x00202742, // n0x0697 c0x0000 (---------------) + I ao
0x00202745, // n0x0698 c0x0000 (---------------) + I aosta
0x0020274c, // n0x0699 c0x0000 (---------------) + I aosta-valley
0x0021e94b, // n0x069a c0x0000 (---------------) + I aostavalley
0x0029db45, // n0x069b c0x0000 (---------------) + I aoste
0x002032c2, // n0x069c c0x0000 (---------------) + I ap
0x002784c2, // n0x069d c0x0000 (---------------) + I aq
0x002ea886, // n0x069e c0x0000 (---------------) + I aquila
0x00200682, // n0x069f c0x0000 (---------------) + I ar
0x002e3e86, // n0x06a0 c0x0000 (---------------) + I arezzo
0x0023910d, // n0x06a1 c0x0000 (---------------) + I ascoli-piceno
0x0023c50c, // n0x06a2 c0x0000 (---------------) + I ascolipiceno
0x0023d144, // n0x06a3 c0x0000 (---------------) + I asti
0x002010c2, // n0x06a4 c0x0000 (---------------) + I at
0x00200502, // n0x06a5 c0x0000 (---------------) + I av
0x002aa688, // n0x06a6 c0x0000 (---------------) + I avellino
0x00201182, // n0x06a7 c0x0000 (---------------) + I ba
0x002dffc6, // n0x06a8 c0x0000 (---------------) + I balsan
0x00286604, // n0x06a9 c0x0000 (---------------) + I bari
0x0028d995, // n0x06aa c0x0000 (---------------) + I barletta-trani-andria
0x0029ba93, // n0x06ab c0x0000 (---------------) + I barlettatraniandria
0x00275543, // n0x06ac c0x0000 (---------------) + I bas
0x0033e5ca, // n0x06ad c0x0000 (---------------) + I basilicata
0x00243cc7, // n0x06ae c0x0000 (---------------) + I belluno
0x00352ac9, // n0x06af c0x0000 (---------------) + I benevento
0x0033b507, // n0x06b0 c0x0000 (---------------) + I bergamo
0x00269482, // n0x06b1 c0x0000 (---------------) + I bg
0x00200002, // n0x06b2 c0x0000 (---------------) + I bi
0x00367846, // n0x06b3 c0x0000 (---------------) + I biella
0x0020e682, // n0x06b4 c0x0000 (---------------) + I bl
0x000a5548, // n0x06b5 c0x0000 (---------------) + blogspot
0x002732c2, // n0x06b6 c0x0000 (---------------) + I bn
0x0020fcc2, // n0x06b7 c0x0000 (---------------) + I bo
0x00355007, // n0x06b8 c0x0000 (---------------) + I bologna
0x002f4287, // n0x06b9 c0x0000 (---------------) + I bolzano
0x00215145, // n0x06ba c0x0000 (---------------) + I bozen
0x00216082, // n0x06bb c0x0000 (---------------) + I br
0x00217307, // n0x06bc c0x0000 (---------------) + I brescia
0x002174c8, // n0x06bd c0x0000 (---------------) + I brindisi
0x00203142, // n0x06be c0x0000 (---------------) + I bs
0x002e1b82, // n0x06bf c0x0000 (---------------) + I bt
0x002298c2, // n0x06c0 c0x0000 (---------------) + I bz
0x002012c2, // n0x06c1 c0x0000 (---------------) + I ca
0x00258848, // n0x06c2 c0x0000 (---------------) + I cagliari
0x00211383, // n0x06c3 c0x0000 (---------------) + I cal
0x002bf888, // n0x06c4 c0x0000 (---------------) + I calabria
0x0023d84d, // n0x06c5 c0x0000 (---------------) + I caltanissetta
0x002012c3, // n0x06c6 c0x0000 (---------------) + I cam
0x002012c8, // n0x06c7 c0x0000 (---------------) + I campania
0x0024bbcf, // n0x06c8 c0x0000 (---------------) + I campidano-medio
0x0024bf8e, // n0x06c9 c0x0000 (---------------) + I campidanomedio
0x002a4a4a, // n0x06ca c0x0000 (---------------) + I campobasso
0x002f2f11, // n0x06cb c0x0000 (---------------) + I carbonia-iglesias
0x002f3390, // n0x06cc c0x0000 (---------------) + I carboniaiglesias
0x002a314d, // n0x06cd c0x0000 (---------------) + I carrara-massa
0x002a348c, // n0x06ce c0x0000 (---------------) + I carraramassa
0x00238787, // n0x06cf c0x0000 (---------------) + I caserta
0x0033e747, // n0x06d0 c0x0000 (---------------) + I catania
0x0031fe09, // n0x06d1 c0x0000 (---------------) + I catanzaro
0x0023d242, // n0x06d2 c0x0000 (---------------) + I cb
0x00201d82, // n0x06d3 c0x0000 (---------------) + I ce
0x0024d50c, // n0x06d4 c0x0000 (---------------) + I cesena-forli
0x0024d80b, // n0x06d5 c0x0000 (---------------) + I cesenaforli
0x00200382, // n0x06d6 c0x0000 (---------------) + I ch
0x002b2606, // n0x06d7 c0x0000 (---------------) + I chieti
0x00217402, // n0x06d8 c0x0000 (---------------) + I ci
0x00201942, // n0x06d9 c0x0000 (---------------) + I cl
0x0022f882, // n0x06da c0x0000 (---------------) + I cn
0x00206402, // n0x06db c0x0000 (---------------) + I co
0x00231f84, // n0x06dc c0x0000 (---------------) + I como
0x0023cb87, // n0x06dd c0x0000 (---------------) + I cosenza
0x00214602, // n0x06de c0x0000 (---------------) + I cr
0x00240847, // n0x06df c0x0000 (---------------) + I cremona
0x002420c7, // n0x06e0 c0x0000 (---------------) + I crotone
0x00208882, // n0x06e1 c0x0000 (---------------) + I cs
0x00227482, // n0x06e2 c0x0000 (---------------) + I ct
0x00244145, // n0x06e3 c0x0000 (---------------) + I cuneo
0x00200142, // n0x06e4 c0x0000 (---------------) + I cz
0x0025a7ce, // n0x06e5 c0x0000 (---------------) + I dell-ogliastra
0x0026fb4d, // n0x06e6 c0x0000 (---------------) + I dellogliastra
0x00215543, // n0x06e7 c0x0000 (---------------) + I edu
0x00225b8e, // n0x06e8 c0x0000 (---------------) + I emilia-romagna
0x0024260d, // n0x06e9 c0x0000 (---------------) + I emiliaromagna
0x00201dc3, // n0x06ea c0x0000 (---------------) + I emr
0x002005c2, // n0x06eb c0x0000 (---------------) + I en
0x0025cf84, // n0x06ec c0x0000 (---------------) + I enna
0x00334082, // n0x06ed c0x0000 (---------------) + I fc
0x0022c9c2, // n0x06ee c0x0000 (---------------) + I fe
0x0033f445, // n0x06ef c0x0000 (---------------) + I fermo
0x00345707, // n0x06f0 c0x0000 (---------------) + I ferrara
0x003484c2, // n0x06f1 c0x0000 (---------------) + I fg
0x00227b42, // n0x06f2 c0x0000 (---------------) + I fi
0x002469c7, // n0x06f3 c0x0000 (---------------) + I firenze
0x00249a48, // n0x06f4 c0x0000 (---------------) + I florence
0x00271a02, // n0x06f5 c0x0000 (---------------) + I fm
0x00216f46, // n0x06f6 c0x0000 (---------------) + I foggia
0x0024d38c, // n0x06f7 c0x0000 (---------------) + I forli-cesena
0x0024d6cb, // n0x06f8 c0x0000 (---------------) + I forlicesena
0x0020f842, // n0x06f9 c0x0000 (---------------) + I fr
0x00252c0f, // n0x06fa c0x0000 (---------------) + I friuli-v-giulia
0x00252fd0, // n0x06fb c0x0000 (---------------) + I friuli-ve-giulia
0x002533cf, // n0x06fc c0x0000 (---------------) + I friuli-vegiulia
0x00253795, // n0x06fd c0x0000 (---------------) + I friuli-venezia-giulia
0x00253cd4, // n0x06fe c0x0000 (---------------) + I friuli-veneziagiulia
0x002541ce, // n0x06ff c0x0000 (---------------) + I friuli-vgiulia
0x0025454e, // n0x0700 c0x0000 (---------------) + I friuliv-giulia
0x002548cf, // n0x0701 c0x0000 (---------------) + I friulive-giulia
0x00254c8e, // n0x0702 c0x0000 (---------------) + I friulivegiulia
0x00255014, // n0x0703 c0x0000 (---------------) + I friulivenezia-giulia
0x00255513, // n0x0704 c0x0000 (---------------) + I friuliveneziagiulia
0x002559cd, // n0x0705 c0x0000 (---------------) + I friulivgiulia
0x0026bf49, // n0x0706 c0x0000 (---------------) + I frosinone
0x0027a983, // n0x0707 c0x0000 (---------------) + I fvg
0x00200282, // n0x0708 c0x0000 (---------------) + I ge
0x00206a05, // n0x0709 c0x0000 (---------------) + I genoa
0x00211006, // n0x070a c0x0000 (---------------) + I genova
0x00208102, // n0x070b c0x0000 (---------------) + I go
0x002bcf87, // n0x070c c0x0000 (---------------) + I gorizia
0x0020a783, // n0x070d c0x0000 (---------------) + I gov
0x00208702, // n0x070e c0x0000 (---------------) + I gr
0x0022c088, // n0x070f c0x0000 (---------------) + I grosseto
0x002f3151, // n0x0710 c0x0000 (---------------) + I iglesias-carbonia
0x002f3590, // n0x0711 c0x0000 (---------------) + I iglesiascarbonia
0x00200f02, // n0x0712 c0x0000 (---------------) + I im
0x0034d6c7, // n0x0713 c0x0000 (---------------) + I imperia
0x00204542, // n0x0714 c0x0000 (---------------) + I is
0x00246dc7, // n0x0715 c0x0000 (---------------) + I isernia
0x0020ab02, // n0x0716 c0x0000 (---------------) + I kr
0x002a9309, // n0x0717 c0x0000 (---------------) + I la-spezia
0x002ea847, // n0x0718 c0x0000 (---------------) + I laquila
0x00276948, // n0x0719 c0x0000 (---------------) + I laspezia
0x00214186, // n0x071a c0x0000 (---------------) + I latina
0x002cd103, // n0x071b c0x0000 (---------------) + I laz
0x00347545, // n0x071c c0x0000 (---------------) + I lazio
0x0020b0c2, // n0x071d c0x0000 (---------------) + I lc
0x00200a82, // n0x071e c0x0000 (---------------) + I le
0x00367c45, // n0x071f c0x0000 (---------------) + I lecce
0x00227285, // n0x0720 c0x0000 (---------------) + I lecco
0x00204f82, // n0x0721 c0x0000 (---------------) + I li
0x00219c03, // n0x0722 c0x0000 (---------------) + I lig
0x0031fbc7, // n0x0723 c0x0000 (---------------) + I liguria
0x002196c7, // n0x0724 c0x0000 (---------------) + I livorno
0x00201982, // n0x0725 c0x0000 (---------------) + I lo
0x0024dec4, // n0x0726 c0x0000 (---------------) + I lodi
0x00221583, // n0x0727 c0x0000 (---------------) + I lom
0x0024e389, // n0x0728 c0x0000 (---------------) + I lombardia
0x002ee088, // n0x0729 c0x0000 (---------------) + I lombardy
0x002190c2, // n0x072a c0x0000 (---------------) + I lt
0x00205742, // n0x072b c0x0000 (---------------) + I lu
0x00271e47, // n0x072c c0x0000 (---------------) + I lucania
0x0029a185, // n0x072d c0x0000 (---------------) + I lucca
0x00307f48, // n0x072e c0x0000 (---------------) + I macerata
0x00274147, // n0x072f c0x0000 (---------------) + I mantova
0x002128c3, // n0x0730 c0x0000 (---------------) + I mar
0x0032c506, // n0x0731 c0x0000 (---------------) + I marche
0x002a2fcd, // n0x0732 c0x0000 (---------------) + I massa-carrara
0x002a334c, // n0x0733 c0x0000 (---------------) + I massacarrara
0x00368846, // n0x0734 c0x0000 (---------------) + I matera
0x00207c02, // n0x0735 c0x0000 (---------------) + I mb
0x00263a42, // n0x0736 c0x0000 (---------------) + I mc
0x002024c2, // n0x0737 c0x0000 (---------------) + I me
0x0024ba4f, // n0x0738 c0x0000 (---------------) + I medio-campidano
0x0024be4e, // n0x0739 c0x0000 (---------------) + I mediocampidano
0x002e5dc7, // n0x073a c0x0000 (---------------) + I messina
0x00200e42, // n0x073b c0x0000 (---------------) + I mi
0x0032ae45, // n0x073c c0x0000 (---------------) + I milan
0x0032ae46, // n0x073d c0x0000 (---------------) + I milano
0x0020ebc2, // n0x073e c0x0000 (---------------) + I mn
0x00207842, // n0x073f c0x0000 (---------------) + I mo
0x0027f086, // n0x0740 c0x0000 (---------------) + I modena
0x002107c3, // n0x0741 c0x0000 (---------------) + I mol
0x00368386, // n0x0742 c0x0000 (---------------) + I molise
0x002ba8c5, // n0x0743 c0x0000 (---------------) + I monza
0x002ba8cd, // n0x0744 c0x0000 (---------------) + I monza-brianza
0x002bac15, // n0x0745 c0x0000 (---------------) + I monza-e-della-brianza
0x002bb14c, // n0x0746 c0x0000 (---------------) + I monzabrianza
0x002bb44d, // n0x0747 c0x0000 (---------------) + I monzaebrianza
0x002bb792, // n0x0748 c0x0000 (---------------) + I monzaedellabrianza
0x002133c2, // n0x0749 c0x0000 (---------------) + I ms
0x00260042, // n0x074a c0x0000 (---------------) + I mt
0x00201cc2, // n0x074b c0x0000 (---------------) + I na
0x002da846, // n0x074c c0x0000 (---------------) + I naples
0x00211886, // n0x074d c0x0000 (---------------) + I napoli
0x00203f82, // n0x074e c0x0000 (---------------) + I no
0x00211086, // n0x074f c0x0000 (---------------) + I novara
0x0021cdc2, // n0x0750 c0x0000 (---------------) + I nu
0x00358b05, // n0x0751 c0x0000 (---------------) + I nuoro
0x00202042, // n0x0752 c0x0000 (---------------) + I og
0x0025a909, // n0x0753 c0x0000 (---------------) + I ogliastra
0x0023764c, // n0x0754 c0x0000 (---------------) + I olbia-tempio
0x0023798b, // n0x0755 c0x0000 (---------------) + I olbiatempio
0x00201f42, // n0x0756 c0x0000 (---------------) + I or
0x00249e88, // n0x0757 c0x0000 (---------------) + I oristano
0x00203c02, // n0x0758 c0x0000 (---------------) + I ot
0x00200a02, // n0x0759 c0x0000 (---------------) + I pa
0x0021e706, // n0x075a c0x0000 (---------------) + I padova
0x00337885, // n0x075b c0x0000 (---------------) + I padua
0x00207707, // n0x075c c0x0000 (---------------) + I palermo
0x00230905, // n0x075d c0x0000 (---------------) + I parma
0x002c5a85, // n0x075e c0x0000 (---------------) + I pavia
0x00244302, // n0x075f c0x0000 (---------------) + I pc
0x00238082, // n0x0760 c0x0000 (---------------) + I pd
0x0020cbc2, // n0x0761 c0x0000 (---------------) + I pe
0x0026d947, // n0x0762 c0x0000 (---------------) + I perugia
0x002b384d, // n0x0763 c0x0000 (---------------) + I pesaro-urbino
0x002b3bcc, // n0x0764 c0x0000 (---------------) + I pesarourbino
0x0029afc7, // n0x0765 c0x0000 (---------------) + I pescara
0x00243fc2, // n0x0766 c0x0000 (---------------) + I pg
0x00209042, // n0x0767 c0x0000 (---------------) + I pi
0x0025d5c8, // n0x0768 c0x0000 (---------------) + I piacenza
0x0024dbc8, // n0x0769 c0x0000 (---------------) + I piedmont
0x002c9ec8, // n0x076a c0x0000 (---------------) + I piemonte
0x00241044, // n0x076b c0x0000 (---------------) + I pisa
0x002cc8c7, // n0x076c c0x0000 (---------------) + I pistoia
0x002ceec3, // n0x076d c0x0000 (---------------) + I pmn
0x0029eec2, // n0x076e c0x0000 (---------------) + I pn
0x002084c2, // n0x076f c0x0000 (---------------) + I po
0x002d0209, // n0x0770 c0x0000 (---------------) + I pordenone
0x002a0547, // n0x0771 c0x0000 (---------------) + I potenza
0x00219e02, // n0x0772 c0x0000 (---------------) + I pr
0x0032fa45, // n0x0773 c0x0000 (---------------) + I prato
0x002249c2, // n0x0774 c0x0000 (---------------) + I pt
0x0020b902, // n0x0775 c0x0000 (---------------) + I pu
0x0028f243, // n0x0776 c0x0000 (---------------) + I pug
0x0028f246, // n0x0777 c0x0000 (---------------) + I puglia
0x002d4ac2, // n0x0778 c0x0000 (---------------) + I pv
0x002d4f82, // n0x0779 c0x0000 (---------------) + I pz
0x00204082, // n0x077a c0x0000 (---------------) + I ra
0x0023acc6, // n0x077b c0x0000 (---------------) + I ragusa
0x002b0a07, // n0x077c c0x0000 (---------------) + I ravenna
0x00234542, // n0x077d c0x0000 (---------------) + I rc
0x0020ab42, // n0x077e c0x0000 (---------------) + I re
0x002bf6cf, // n0x077f c0x0000 (---------------) + I reggio-calabria
0x002259cd, // n0x0780 c0x0000 (---------------) + I reggio-emilia
0x00362a0e, // n0x0781 c0x0000 (---------------) + I reggiocalabria
0x0024248c, // n0x0782 c0x0000 (---------------) + I reggioemilia
0x002006c2, // n0x0783 c0x0000 (---------------) + I rg
0x00202a82, // n0x0784 c0x0000 (---------------) + I ri
0x00220385, // n0x0785 c0x0000 (---------------) + I rieti
0x002d8bc6, // n0x0786 c0x0000 (---------------) + I rimini
0x00207802, // n0x0787 c0x0000 (---------------) + I rm
0x0020d4c2, // n0x0788 c0x0000 (---------------) + I rn
0x00200c42, // n0x0789 c0x0000 (---------------) + I ro
0x00225d44, // n0x078a c0x0000 (---------------) + I roma
0x00351604, // n0x078b c0x0000 (---------------) + I rome
0x0024a646, // n0x078c c0x0000 (---------------) + I rovigo
0x002007c2, // n0x078d c0x0000 (---------------) + I sa
0x00292987, // n0x078e c0x0000 (---------------) + I salerno
0x0023adc3, // n0x078f c0x0000 (---------------) + I sar
0x00248fc8, // n0x0790 c0x0000 (---------------) + I sardegna
0x00249708, // n0x0791 c0x0000 (---------------) + I sardinia
0x0025e507, // n0x0792 c0x0000 (---------------) + I sassari
0x00282e06, // n0x0793 c0x0000 (---------------) + I savona
0x00202382, // n0x0794 c0x0000 (---------------) + I si
0x00217643, // n0x0795 c0x0000 (---------------) + I sic
0x00217647, // n0x0796 c0x0000 (---------------) + I sicilia
0x00297d86, // n0x0797 c0x0000 (---------------) + I sicily
0x002d7d05, // n0x0798 c0x0000 (---------------) + I siena
0x002dad88, // n0x0799 c0x0000 (---------------) + I siracusa
0x00203382, // n0x079a c0x0000 (---------------) + I so
0x00348e87, // n0x079b c0x0000 (---------------) + I sondrio
0x0021e142, // n0x079c c0x0000 (---------------) + I sp
0x002bf682, // n0x079d c0x0000 (---------------) + I sr
0x002044c2, // n0x079e c0x0000 (---------------) + I ss
0x002b9a49, // n0x079f c0x0000 (---------------) + I suedtirol
0x00207942, // n0x07a0 c0x0000 (---------------) + I sv
0x00202802, // n0x07a1 c0x0000 (---------------) + I ta
0x0027cf43, // n0x07a2 c0x0000 (---------------) + I taa
0x00311207, // n0x07a3 c0x0000 (---------------) + I taranto
0x00201c42, // n0x07a4 c0x0000 (---------------) + I te
0x002377cc, // n0x07a5 c0x0000 (---------------) + I tempio-olbia
0x00237acb, // n0x07a6 c0x0000 (---------------) + I tempioolbia
0x003688c6, // n0x07a7 c0x0000 (---------------) + I teramo
0x002df285, // n0x07a8 c0x0000 (---------------) + I terni
0x00205d02, // n0x07a9 c0x0000 (---------------) + I tn
0x00206d82, // n0x07aa c0x0000 (---------------) + I to
0x002a7ec6, // n0x07ab c0x0000 (---------------) + I torino
0x00228783, // n0x07ac c0x0000 (---------------) + I tos
0x003159c7, // n0x07ad c0x0000 (---------------) + I toscana
0x0021b782, // n0x07ae c0x0000 (---------------) + I tp
0x00205802, // n0x07af c0x0000 (---------------) + I tr
0x0028d655, // n0x07b0 c0x0000 (---------------) + I trani-andria-barletta
0x0027c755, // n0x07b1 c0x0000 (---------------) + I trani-barletta-andria
0x0029b7d3, // n0x07b2 c0x0000 (---------------) + I traniandriabarletta
0x0027cc93, // n0x07b3 c0x0000 (---------------) + I tranibarlettaandria
0x0029d187, // n0x07b4 c0x0000 (---------------) + I trapani
0x002a5708, // n0x07b5 c0x0000 (---------------) + I trentino
0x002e71d0, // n0x07b6 c0x0000 (---------------) + I trentino-a-adige
0x002f944f, // n0x07b7 c0x0000 (---------------) + I trentino-aadige
0x0030a8d3, // n0x07b8 c0x0000 (---------------) + I trentino-alto-adige
0x00326892, // n0x07b9 c0x0000 (---------------) + I trentino-altoadige
0x0032d6d0, // n0x07ba c0x0000 (---------------) + I trentino-s-tirol
0x002fd34f, // n0x07bb c0x0000 (---------------) + I trentino-stirol
0x002ee552, // n0x07bc c0x0000 (---------------) + I trentino-sud-tirol
0x002a5711, // n0x07bd c0x0000 (---------------) + I trentino-sudtirol
0x002a7913, // n0x07be c0x0000 (---------------) + I trentino-sued-tirol
0x002b9812, // n0x07bf c0x0000 (---------------) + I trentino-suedtirol
0x002c368f, // n0x07c0 c0x0000 (---------------) + I trentinoa-adige
0x002c408e, // n0x07c1 c0x0000 (---------------) + I trentinoaadige
0x002c4892, // n0x07c2 c0x0000 (---------------) + I trentinoalto-adige
0x002d3b91, // n0x07c3 c0x0000 (---------------) + I trentinoaltoadige
0x002d4b4f, // n0x07c4 c0x0000 (---------------) + I trentinos-tirol
0x002d798e, // n0x07c5 c0x0000 (---------------) + I trentinostirol
0x002db891, // n0x07c6 c0x0000 (---------------) + I trentinosud-tirol
0x002e5610, // n0x07c7 c0x0000 (---------------) + I trentinosudtirol
0x00360fd2, // n0x07c8 c0x0000 (---------------) + I trentinosued-tirol
0x002f5b91, // n0x07c9 c0x0000 (---------------) + I trentinosuedtirol
0x00309ac6, // n0x07ca c0x0000 (---------------) + I trento
0x0030f107, // n0x07cb c0x0000 (---------------) + I treviso
0x002131c7, // n0x07cc c0x0000 (---------------) + I trieste
0x00203e82, // n0x07cd c0x0000 (---------------) + I ts
0x002b8e45, // n0x07ce c0x0000 (---------------) + I turin
0x002ebcc7, // n0x07cf c0x0000 (---------------) + I tuscany
0x0028c402, // n0x07d0 c0x0000 (---------------) + I tv
0x00203d42, // n0x07d1 c0x0000 (---------------) + I ud
0x002a3905, // n0x07d2 c0x0000 (---------------) + I udine
0x0021a3c3, // n0x07d3 c0x0000 (---------------) + I umb
0x0032dd86, // n0x07d4 c0x0000 (---------------) + I umbria
0x002b3a0d, // n0x07d5 c0x0000 (---------------) + I urbino-pesaro
0x002b3d4c, // n0x07d6 c0x0000 (---------------) + I urbinopesaro
0x00201082, // n0x07d7 c0x0000 (---------------) + I va
0x002025cb, // n0x07d8 c0x0000 (---------------) + I val-d-aosta
0x0021e80a, // n0x07d9 c0x0000 (---------------) + I val-daosta
0x002cf90a, // n0x07da c0x0000 (---------------) + I vald-aosta
0x002ebf09, // n0x07db c0x0000 (---------------) + I valdaosta
0x002282cb, // n0x07dc c0x0000 (---------------) + I valle-aosta
0x0023ebcd, // n0x07dd c0x0000 (---------------) + I valle-d-aosta
0x0024628c, // n0x07de c0x0000 (---------------) + I valle-daosta
0x002652ca, // n0x07df c0x0000 (---------------) + I valleaosta
0x0026b60c, // n0x07e0 c0x0000 (---------------) + I valled-aosta
0x00298e0b, // n0x07e1 c0x0000 (---------------) + I valledaosta
0x0029d98c, // n0x07e2 c0x0000 (---------------) + I vallee-aoste
0x002c06cb, // n0x07e3 c0x0000 (---------------) + I valleeaoste
0x002e4083, // n0x07e4 c0x0000 (---------------) + I vao
0x0035dcc6, // n0x07e5 c0x0000 (---------------) + I varese
0x002ec602, // n0x07e6 c0x0000 (---------------) + I vb
0x002ed782, // n0x07e7 c0x0000 (---------------) + I vc
0x00204ec3, // n0x07e8 c0x0000 (---------------) + I vda
0x00200582, // n0x07e9 c0x0000 (---------------) + I ve
0x00200583, // n0x07ea c0x0000 (---------------) + I ven
0x00299e06, // n0x07eb c0x0000 (---------------) + I veneto
0x00253947, // n0x07ec c0x0000 (---------------) + I venezia
0x002d9586, // n0x07ed c0x0000 (---------------) + I venice
0x00335948, // n0x07ee c0x0000 (---------------) + I verbania
0x002ddbc8, // n0x07ef c0x0000 (---------------) + I vercelli
0x002eef46, // n0x07f0 c0x0000 (---------------) + I verona
0x00205a02, // n0x07f1 c0x0000 (---------------) + I vi
0x002f1acd, // n0x07f2 c0x0000 (---------------) + I vibo-valentia
0x002f1e0c, // n0x07f3 c0x0000 (---------------) + I vibovalentia
0x002e1387, // n0x07f4 c0x0000 (---------------) + I vicenza
0x002f4147, // n0x07f5 c0x0000 (---------------) + I viterbo
0x00220a82, // n0x07f6 c0x0000 (---------------) + I vr
0x00259002, // n0x07f7 c0x0000 (---------------) + I vs
0x0026ac02, // n0x07f8 c0x0000 (---------------) + I vt
0x00200542, // n0x07f9 c0x0000 (---------------) + I vv
0x00206402, // n0x07fa c0x0000 (---------------) + I co
0x0024b083, // n0x07fb c0x0000 (---------------) + I net
0x00228143, // n0x07fc c0x0000 (---------------) + I org
0x00224903, // n0x07fd c0x0000 (---------------) + I com
0x00215543, // n0x07fe c0x0000 (---------------) + I edu
0x0020a783, // n0x07ff c0x0000 (---------------) + I gov
0x00225bc3, // n0x0800 c0x0000 (---------------) + I mil
0x002445c4, // n0x0801 c0x0000 (---------------) + I name
0x0024b083, // n0x0802 c0x0000 (---------------) + I net
0x00228143, // n0x0803 c0x0000 (---------------) + I org
0x0025e403, // n0x0804 c0x0000 (---------------) + I sch
0x00200342, // n0x0805 c0x0000 (---------------) + I ac
0x002001c2, // n0x0806 c0x0000 (---------------) + I ad
0x1ba85305, // n0x0807 c0x006e (n0x0845-n0x0879) + I aichi
0x1be75f05, // n0x0808 c0x006f (n0x0879-n0x0895) + I akita
0x1c2e40c6, // n0x0809 c0x0070 (n0x0895-n0x08ab) + I aomori
0x000a5548, // n0x080a c0x0000 (---------------) + blogspot
0x1c6a8f85, // n0x080b c0x0071 (n0x08ab-n0x08e5) + I chiba
0x00206402, // n0x080c c0x0000 (---------------) + I co
0x00203702, // n0x080d c0x0000 (---------------) + I ed
0x1cb68ac5, // n0x080e c0x0072 (n0x08e5-n0x08fb) + I ehime
0x1ce72005, // n0x080f c0x0073 (n0x08fb-n0x090a) + I fukui
0x1d272687, // n0x0810 c0x0074 (n0x090a-n0x0949) + I fukuoka
0x1d673f89, // n0x0811 c0x0075 (n0x0949-n0x097c) + I fukushima
0x1daae204, // n0x0812 c0x0076 (n0x097c-n0x09a2) + I gifu
0x00208102, // n0x0813 c0x0000 (---------------) + I go
0x00208702, // n0x0814 c0x0000 (---------------) + I gr
0x1df48505, // n0x0815 c0x0077 (n0x09a2-n0x09c6) + I gunma
0x1e2877c9, // n0x0816 c0x0078 (n0x09c6-n0x09df) + I hiroshima
0x1e73a108, // n0x0817 c0x0079 (n0x09df-n0x0a6d) + I hokkaido
0x1eac9245, // n0x0818 c0x007a (n0x0a6d-n0x0a9b) + I hyogo
0x1ef36847, // n0x0819 c0x007b (n0x0a9b-n0x0ace) + I ibaraki
0x1f21d5c8, // n0x081a c0x007c (n0x0ace-n0x0ae1) + I ishikawa
0x1f69e905, // n0x081b c0x007d (n0x0ae1-n0x0b03) + I iwate
0x1fa015c6, // n0x081c c0x007e (n0x0b03-n0x0b12) + I kagawa
0x1fe31209, // n0x081d c0x007f (n0x0b12-n0x0b26) + I kagoshima
0x2034bec8, // n0x081e c0x0080 (n0x0b26-n0x0b44) + I kanagawa
0x206af948, // n0x081f c0x0081 (n0x0b44-n0x0b45)* o I kawasaki
0x20aa0a4a, // n0x0820 c0x0082 (n0x0b45-n0x0b46)* o I kitakyushu
0x20e6c784, // n0x0821 c0x0083 (n0x0b46-n0x0b47)* o I kobe
0x212c1805, // n0x0822 c0x0084 (n0x0b47-n0x0b66) + I kochi
0x217685c8, // n0x0823 c0x0085 (n0x0b66-n0x0b80) + I kumamoto
0x21a5c8c5, // n0x0824 c0x0086 (n0x0b80-n0x0b9f) + I kyoto
0x00211402, // n0x0825 c0x0000 (---------------) + I lg
0x21e44a83, // n0x0826 c0x0087 (n0x0b9f-n0x0bbd) + I mie
0x22293ec6, // n0x0827 c0x0088 (n0x0bbd-n0x0bde) + I miyagi
0x22658208, // n0x0828 c0x0089 (n0x0bde-n0x0bf9) + I miyazaki
0x22af8b86, // n0x0829 c0x008a (n0x0bf9-n0x0c44) + I nagano
0x22e815c8, // n0x082a c0x008b (n0x0c44-n0x0c5a) + I nagasaki
0x2336a906, // n0x082b c0x008c (n0x0c5a-n0x0c5b)* o I nagoya
0x2366ad04, // n0x082c c0x008d (n0x0c5b-n0x0c81) + I nara
0x00202f42, // n0x082d c0x0000 (---------------) + I ne
0x23a622c7, // n0x082e c0x008e (n0x0c81-n0x0ca3) + I niigata
0x23ed29c4, // n0x082f c0x008f (n0x0ca3-n0x0cb6) + I oita
0x2426e8c7, // n0x0830 c0x0090 (n0x0cb6-n0x0cd0) + I okayama
0x246e1547, // n0x0831 c0x0091 (n0x0cd0-n0x0cfa) + I okinawa
0x00201f42, // n0x0832 c0x0000 (---------------) + I or
0x24a8e085, // n0x0833 c0x0092 (n0x0cfa-n0x0d2c) + I osaka
0x24e76544, // n0x0834 c0x0093 (n0x0d2c-n0x0d46) + I saga
0x252daf07, // n0x0835 c0x0094 (n0x0d46-n0x0d8b) + I saitama
0x256d3847, // n0x0836 c0x0095 (n0x0d8b-n0x0d8c)* o I sapporo
0x25a77186, // n0x0837 c0x0096 (n0x0d8c-n0x0d8d)* o I sendai
0x25e570c5, // n0x0838 c0x0097 (n0x0d8d-n0x0da4) + I shiga
0x262878c7, // n0x0839 c0x0098 (n0x0da4-n0x0dbb) + I shimane
0x266d6d88, // n0x083a c0x0099 (n0x0dbb-n0x0ddf) + I shizuoka
0x26b44007, // n0x083b c0x009a (n0x0ddf-n0x0dfe) + I tochigi
0x26eefc89, // n0x083c c0x009b (n0x0dfe-n0x0e0f) + I tokushima
0x2726bb05, // n0x083d c0x009c (n0x0e0f-n0x0e48) + I tokyo
0x276f7947, // n0x083e c0x009d (n0x0e48-n0x0e55) + I tottori
0x27a847c6, // n0x083f c0x009e (n0x0e55-n0x0e6d) + I toyama
0x27f5b088, // n0x0840 c0x009f (n0x0e6d-n0x0e8a) + I wakayama
0x28274fc8, // n0x0841 c0x00a0 (n0x0e8a-n0x0eac) + I yamagata
0x286796c9, // n0x0842 c0x00a1 (n0x0eac-n0x0ebc) + I yamaguchi
0x28a2b309, // n0x0843 c0x00a2 (n0x0ebc-n0x0ed8) + I yamanashi
0x28f3adc8, // n0x0844 c0x00a3 (n0x0ed8-n0x0ed9)* o I yokohama
0x002a9c85, // n0x0845 c0x0000 (---------------) + I aisai
0x00203dc3, // n0x0846 c0x0000 (---------------) + I ama
0x0027a744, // n0x0847 c0x0000 (---------------) + I anjo
0x0030c845, // n0x0848 c0x0000 (---------------) + I asuke
0x002adf46, // n0x0849 c0x0000 (---------------) + I chiryu
0x002b66c5, // n0x084a c0x0000 (---------------) + I chita
0x00278fc4, // n0x084b c0x0000 (---------------) + I fuso
0x002bce88, // n0x084c c0x0000 (---------------) + I gamagori
0x002b1005, // n0x084d c0x0000 (---------------) + I handa
0x00286904, // n0x084e c0x0000 (---------------) + I hazu
0x002073c7, // n0x084f c0x0000 (---------------) + I hekinan
0x002900ca, // n0x0850 c0x0000 (---------------) + I higashiura
0x0035b7ca, // n0x0851 c0x0000 (---------------) + I ichinomiya
0x002deec7, // n0x0852 c0x0000 (---------------) + I inazawa
0x0021cd87, // n0x0853 c0x0000 (---------------) + I inuyama
0x00347a07, // n0x0854 c0x0000 (---------------) + I isshiki
0x0025db47, // n0x0855 c0x0000 (---------------) + I iwakura
0x002f0f05, // n0x0856 c0x0000 (---------------) + I kanie
0x0030cc06, // n0x0857 c0x0000 (---------------) + I kariya
0x002cc4c7, // n0x0858 c0x0000 (---------------) + I kasugai
0x0030d484, // n0x0859 c0x0000 (---------------) + I kira
0x0021f206, // n0x085a c0x0000 (---------------) + I kiyosu
0x002ac146, // n0x085b c0x0000 (---------------) + I komaki
0x002e3845, // n0x085c c0x0000 (---------------) + I konan
0x002eafc4, // n0x085d c0x0000 (---------------) + I kota
0x00295246, // n0x085e c0x0000 (---------------) + I mihama
0x0028f607, // n0x085f c0x0000 (---------------) + I miyoshi
0x00227586, // n0x0860 c0x0000 (---------------) + I nishio
0x00267187, // n0x0861 c0x0000 (---------------) + I nisshin
0x002861c3, // n0x0862 c0x0000 (---------------) + I obu
0x0022f5c6, // n0x0863 c0x0000 (---------------) + I oguchi
0x00251485, // n0x0864 c0x0000 (---------------) + I oharu
0x00272787, // n0x0865 c0x0000 (---------------) + I okazaki
0x002b6b4a, // n0x0866 c0x0000 (---------------) + I owariasahi
0x0022c184, // n0x0867 c0x0000 (---------------) + I seto
0x0021cac8, // n0x0868 c0x0000 (---------------) + I shikatsu
0x002e9609, // n0x0869 c0x0000 (---------------) + I shinshiro
0x002d6707, // n0x086a c0x0000 (---------------) + I shitara
0x003214c6, // n0x086b c0x0000 (---------------) + I tahara
0x00274988, // n0x086c c0x0000 (---------------) + I takahama
0x002397c9, // n0x086d c0x0000 (---------------) + I tobishima
0x00273504, // n0x086e c0x0000 (---------------) + I toei
0x002c80c4, // n0x086f c0x0000 (---------------) + I togo
0x002f4d05, // n0x0870 c0x0000 (---------------) + I tokai
0x00349688, // n0x0871 c0x0000 (---------------) + I tokoname
0x002b82c7, // n0x0872 c0x0000 (---------------) + I toyoake
0x002da1c9, // n0x0873 c0x0000 (---------------) + I toyohashi
0x00241d48, // n0x0874 c0x0000 (---------------) + I toyokawa
0x00247346, // n0x0875 c0x0000 (---------------) + I toyone
0x00256046, // n0x0876 c0x0000 (---------------) + I toyota
0x0028b208, // n0x0877 c0x0000 (---------------) + I tsushima
0x00328f06, // n0x0878 c0x0000 (---------------) + I yatomi
0x00275f05, // n0x0879 c0x0000 (---------------) + I akita
0x00277246, // n0x087a c0x0000 (---------------) + I daisen
0x0026edc8, // n0x087b c0x0000 (---------------) + I fujisato
0x00214f06, // n0x087c c0x0000 (---------------) + I gojome
0x00349f0b, // n0x087d c0x0000 (---------------) + I hachirogata
0x00280506, // n0x087e c0x0000 (---------------) + I happou
0x0028c6cd, // n0x087f c0x0000 (---------------) + I higashinaruse
0x00209e45, // n0x0880 c0x0000 (---------------) + I honjo
0x00299606, // n0x0881 c0x0000 (---------------) + I honjyo
0x0021d685, // n0x0882 c0x0000 (---------------) + I ikawa
0x0028ef09, // n0x0883 c0x0000 (---------------) + I kamikoani
0x00202c87, // n0x0884 c0x0000 (---------------) + I kamioka
0x0032acc8, // n0x0885 c0x0000 (---------------) + I katagami
0x0024d206, // n0x0886 c0x0000 (---------------) + I kazuno
0x0028bb09, // n0x0887 c0x0000 (---------------) + I kitaakita
0x00351386, // n0x0888 c0x0000 (---------------) + I kosaka
0x002b6ac5, // n0x0889 c0x0000 (---------------) + I kyowa
0x002396c6, // n0x088a c0x0000 (---------------) + I misato
0x00308a06, // n0x088b c0x0000 (---------------) + I mitane
0x002bc7c9, // n0x088c c0x0000 (---------------) + I moriyoshi
0x00273306, // n0x088d c0x0000 (---------------) + I nikaho
0x00251bc7, // n0x088e c0x0000 (---------------) + I noshiro
0x002d6c45, // n0x088f c0x0000 (---------------) + I odate
0x00204243, // n0x0890 c0x0000 (---------------) + I oga
0x00292b05, // n0x0891 c0x0000 (---------------) + I ogata
0x00368487, // n0x0892 c0x0000 (---------------) + I semboku
0x0031f706, // n0x0893 c0x0000 (---------------) + I yokote
0x00209d49, // n0x0894 c0x0000 (---------------) + I yurihonjo
0x002e40c6, // n0x0895 c0x0000 (---------------) + I aomori
0x002ae3c6, // n0x0896 c0x0000 (---------------) + I gonohe
0x0024f609, // n0x0897 c0x0000 (---------------) + I hachinohe
0x00276c49, // n0x0898 c0x0000 (---------------) + I hashikami
0x002924c7, // n0x0899 c0x0000 (---------------) + I hiranai
0x00200bc8, // n0x089a c0x0000 (---------------) + I hirosaki
0x002c5fc9, // n0x089b c0x0000 (---------------) + I itayanagi
0x00273848, // n0x089c c0x0000 (---------------) + I kuroishi
0x0033ff46, // n0x089d c0x0000 (---------------) + I misawa
0x002c5105, // n0x089e c0x0000 (---------------) + I mutsu
0x0023ce0a, // n0x089f c0x0000 (---------------) + I nakadomari
0x002ae446, // n0x08a0 c0x0000 (---------------) + I noheji
0x00281906, // n0x08a1 c0x0000 (---------------) + I oirase
0x00294085, // n0x08a2 c0x0000 (---------------) + I owani
0x00358bc8, // n0x08a3 c0x0000 (---------------) + I rokunohe
0x0022d4c7, // n0x08a4 c0x0000 (---------------) + I sannohe
0x002071ca, // n0x08a5 c0x0000 (---------------) + I shichinohe
0x00247006, // n0x08a6 c0x0000 (---------------) + I shingo
0x00306d85, // n0x08a7 c0x0000 (---------------) + I takko
0x002abe06, // n0x08a8 c0x0000 (---------------) + I towada
0x0027e107, // n0x08a9 c0x0000 (---------------) + I tsugaru
0x00321387, // n0x08aa c0x0000 (---------------) + I tsuruta
0x0022e605, // n0x08ab c0x0000 (---------------) + I abiko
0x002b6c85, // n0x08ac c0x0000 (---------------) + I asahi
0x00308fc6, // n0x08ad c0x0000 (---------------) + I chonan
0x003199c6, // n0x08ae c0x0000 (---------------) + I chosei
0x0031a186, // n0x08af c0x0000 (---------------) + I choshi
0x00283d04, // n0x08b0 c0x0000 (---------------) + I chuo
0x00275449, // n0x08b1 c0x0000 (---------------) + I funabashi
0x0027a586, // n0x08b2 c0x0000 (---------------) + I futtsu
0x0025ab8a, // n0x08b3 c0x0000 (---------------) + I hanamigawa
0x00285348, // n0x08b4 c0x0000 (---------------) + I ichihara
0x002394c8, // n0x08b5 c0x0000 (---------------) + I ichikawa
0x0035b7ca, // n0x08b6 c0x0000 (---------------) + I ichinomiya
0x0020c345, // n0x08b7 c0x0000 (---------------) + I inzai
0x0028f545, // n0x08b8 c0x0000 (---------------) + I isumi
0x00242948, // n0x08b9 c0x0000 (---------------) + I kamagaya
0x002c6f48, // n0x08ba c0x0000 (---------------) + I kamogawa
0x00217b07, // n0x08bb c0x0000 (---------------) + I kashiwa
0x00349986, // n0x08bc c0x0000 (---------------) + I katori
0x00305108, // n0x08bd c0x0000 (---------------) + I katsuura
0x00369407, // n0x08be c0x0000 (---------------) + I kimitsu
0x002728c8, // n0x08bf c0x0000 (---------------) + I kisarazu
0x002a4186, // n0x08c0 c0x0000 (---------------) + I kozaki
0x0022b748, // n0x08c1 c0x0000 (---------------) + I kujukuri
0x002862c6, // n0x08c2 c0x0000 (---------------) + I kyonan
0x002b2a47, // n0x08c3 c0x0000 (---------------) + I matsudo
0x0025ea46, // n0x08c4 c0x0000 (---------------) + I midori
0x00295246, // n0x08c5 c0x0000 (---------------) + I mihama
0x0032900a, // n0x08c6 c0x0000 (---------------) + I minamiboso
0x00232006, // n0x08c7 c0x0000 (---------------) + I mobara
0x002c5109, // n0x08c8 c0x0000 (---------------) + I mutsuzawa
0x002b0b46, // n0x08c9 c0x0000 (---------------) + I nagara
0x002e0aca, // n0x08ca c0x0000 (---------------) + I nagareyama
0x0026ad09, // n0x08cb c0x0000 (---------------) + I narashino
0x002ef046, // n0x08cc c0x0000 (---------------) + I narita
0x00218cc4, // n0x08cd c0x0000 (---------------) + I noda
0x00206acd, // n0x08ce c0x0000 (---------------) + I oamishirasato
0x00279947, // n0x08cf c0x0000 (---------------) + I omigawa
0x00307cc6, // n0x08d0 c0x0000 (---------------) + I onjuku
0x002af805, // n0x08d1 c0x0000 (---------------) + I otaki
0x00351405, // n0x08d2 c0x0000 (---------------) + I sakae
0x0020ff46, // n0x08d3 c0x0000 (---------------) + I sakura
0x00276389, // n0x08d4 c0x0000 (---------------) + I shimofusa
0x00316f87, // n0x08d5 c0x0000 (---------------) + I shirako
0x0026f606, // n0x08d6 c0x0000 (---------------) + I shiroi
0x002d5dc6, // n0x08d7 c0x0000 (---------------) + I shisui
0x0025b889, // n0x08d8 c0x0000 (---------------) + I sodegaura
0x00275e44, // n0x08d9 c0x0000 (---------------) + I sosa
0x0024ed04, // n0x08da c0x0000 (---------------) + I tako
0x00223548, // n0x08db c0x0000 (---------------) + I tateyama
0x00238c46, // n0x08dc c0x0000 (---------------) + I togane
0x00291e48, // n0x08dd c0x0000 (---------------) + I tohnosho
0x0026b988, // n0x08de c0x0000 (---------------) + I tomisato
0x00290507, // n0x08df c0x0000 (---------------) + I urayasu
0x00341009, // n0x08e0 c0x0000 (---------------) + I yachimata
0x00200307, // n0x08e1 c0x0000 (---------------) + I yachiyo
0x002a8e4a, // n0x08e2 c0x0000 (---------------) + I yokaichiba
0x002dcb0f, // n0x08e3 c0x0000 (---------------) + I yokoshibahikari
0x00259c4a, // n0x08e4 c0x0000 (---------------) + I yotsukaido
0x00220185, // n0x08e5 c0x0000 (---------------) + I ainan
0x0026f005, // n0x08e6 c0x0000 (---------------) + I honai
0x0021aa85, // n0x08e7 c0x0000 (---------------) + I ikata
0x00286547, // n0x08e8 c0x0000 (---------------) + I imabari
0x00200403, // n0x08e9 c0x0000 (---------------) + I iyo
0x00200dc8, // n0x08ea c0x0000 (---------------) + I kamijima
0x00204706, // n0x08eb c0x0000 (---------------) + I kihoku
0x00204809, // n0x08ec c0x0000 (---------------) + I kumakogen
0x00321106, // n0x08ed c0x0000 (---------------) + I masaki
0x00243187, // n0x08ee c0x0000 (---------------) + I matsuno
0x0028b8c9, // n0x08ef c0x0000 (---------------) + I matsuyama
0x0032abc8, // n0x08f0 c0x0000 (---------------) + I namikata
0x00294147, // n0x08f1 c0x0000 (---------------) + I niihama
0x002e2203, // n0x08f2 c0x0000 (---------------) + I ozu
0x002a9d05, // n0x08f3 c0x0000 (---------------) + I saijo
0x002dca45, // n0x08f4 c0x0000 (---------------) + I seiyo
0x00283b4b, // n0x08f5 c0x0000 (---------------) + I shikokuchuo
0x0025c984, // n0x08f6 c0x0000 (---------------) + I tobe
0x00261944, // n0x08f7 c0x0000 (---------------) + I toon
0x0026df86, // n0x08f8 c0x0000 (---------------) + I uchiko
0x002fe6c7, // n0x08f9 c0x0000 (---------------) + I uwajima
0x0034b0ca, // n0x08fa c0x0000 (---------------) + I yawatahama
0x00245787, // n0x08fb c0x0000 (---------------) + I echizen
0x002f68c7, // n0x08fc c0x0000 (---------------) + I eiheiji
0x00272005, // n0x08fd c0x0000 (---------------) + I fukui
0x00203685, // n0x08fe c0x0000 (---------------) + I ikeda
0x00235889, // n0x08ff c0x0000 (---------------) + I katsuyama
0x00295246, // n0x0900 c0x0000 (---------------) + I mihama
0x0024560d, // n0x0901 c0x0000 (---------------) + I minamiechizen
0x002e1905, // n0x0902 c0x0000 (---------------) + I obama
0x00290083, // n0x0903 c0x0000 (---------------) + I ohi
0x002104c3, // n0x0904 c0x0000 (---------------) + I ono
0x0021c205, // n0x0905 c0x0000 (---------------) + I sabae
0x00323305, // n0x0906 c0x0000 (---------------) + I sakai
0x00274988, // n0x0907 c0x0000 (---------------) + I takahama
0x0032c287, // n0x0908 c0x0000 (---------------) + I tsuruga
0x0024ea86, // n0x0909 c0x0000 (---------------) + I wakasa
0x00290806, // n0x090a c0x0000 (---------------) + I ashiya
0x00226c45, // n0x090b c0x0000 (---------------) + I buzen
0x00261dc7, // n0x090c c0x0000 (---------------) + I chikugo
0x0021d007, // n0x090d c0x0000 (---------------) + I chikuho
0x0030e887, // n0x090e c0x0000 (---------------) + I chikujo
0x0025cc8a, // n0x090f c0x0000 (---------------) + I chikushino
0x0022f688, // n0x0910 c0x0000 (---------------) + I chikuzen
0x00283d04, // n0x0911 c0x0000 (---------------) + I chuo
0x00203947, // n0x0912 c0x0000 (---------------) + I dazaifu
0x00270fc7, // n0x0913 c0x0000 (---------------) + I fukuchi
0x0033ec06, // n0x0914 c0x0000 (---------------) + I hakata
0x00287147, // n0x0915 c0x0000 (---------------) + I higashi
0x002b1d88, // n0x0916 c0x0000 (---------------) + I hirokawa
0x0022b208, // n0x0917 c0x0000 (---------------) + I hisayama
0x0024fe06, // n0x0918 c0x0000 (---------------) + I iizuka
0x00263f48, // n0x0919 c0x0000 (---------------) + I inatsuki
0x00273384, // n0x091a c0x0000 (---------------) + I kaho
0x002cc4c6, // n0x091b c0x0000 (---------------) + I kasuga
0x002cd606, // n0x091c c0x0000 (---------------) + I kasuya
0x00317886, // n0x091d c0x0000 (---------------) + I kawara
0x0035ba46, // n0x091e c0x0000 (---------------) + I keisen
0x00290d84, // n0x091f c0x0000 (---------------) + I koga
0x0025dc06, // n0x0920 c0x0000 (---------------) + I kurate
0x002ad086, // n0x0921 c0x0000 (---------------) + I kurogi
0x0028a3c6, // n0x0922 c0x0000 (---------------) + I kurume
0x00228ac6, // n0x0923 c0x0000 (---------------) + I minami
0x00210386, // n0x0924 c0x0000 (---------------) + I miyako
0x002b1bc6, // n0x0925 c0x0000 (---------------) + I miyama
0x0024e988, // n0x0926 c0x0000 (---------------) + I miyawaka
0x0029f488, // n0x0927 c0x0000 (---------------) + I mizumaki
0x002c2808, // n0x0928 c0x0000 (---------------) + I munakata
0x002b68c8, // n0x0929 c0x0000 (---------------) + I nakagawa
0x002428c6, // n0x092a c0x0000 (---------------) + I nakama
0x00211fc5, // n0x092b c0x0000 (---------------) + I nishi
0x00292ac6, // n0x092c c0x0000 (---------------) + I nogata
0x002c92c5, // n0x092d c0x0000 (---------------) + I ogori
0x00251207, // n0x092e c0x0000 (---------------) + I okagaki
0x00241e05, // n0x092f c0x0000 (---------------) + I okawa
0x00237203, // n0x0930 c0x0000 (---------------) + I oki
0x00219845, // n0x0931 c0x0000 (---------------) + I omuta
0x0022bdc4, // n0x0932 c0x0000 (---------------) + I onga
0x002104c5, // n0x0933 c0x0000 (---------------) + I onojo
0x0020b743, // n0x0934 c0x0000 (---------------) + I oto
0x00330947, // n0x0935 c0x0000 (---------------) + I saigawa
0x002de7c8, // n0x0936 c0x0000 (---------------) + I sasaguri
0x00267246, // n0x0937 c0x0000 (---------------) + I shingu
0x002f0b8d, // n0x0938 c0x0000 (---------------) + I shinyoshitomi
0x0026efc6, // n0x0939 c0x0000 (---------------) + I shonai
0x00289785, // n0x093a c0x0000 (---------------) + I soeda
0x00203ec3, // n0x093b c0x0000 (---------------) + I sue
0x002a9ac9, // n0x093c c0x0000 (---------------) + I tachiarai
0x002d2d86, // n0x093d c0x0000 (---------------) + I tagawa
0x00284a46, // n0x093e c0x0000 (---------------) + I takata
0x0032fe04, // n0x093f c0x0000 (---------------) + I toho
0x00259bc7, // n0x0940 c0x0000 (---------------) + I toyotsu
0x00236986, // n0x0941 c0x0000 (---------------) + I tsuiki
0x00306fc5, // n0x0942 c0x0000 (---------------) + I ukiha
0x0021bb03, // n0x0943 c0x0000 (---------------) + I umi
0x002137c4, // n0x0944 c0x0000 (---------------) + I usui
0x00271186, // n0x0945 c0x0000 (---------------) + I yamada
0x002cd704, // n0x0946 c0x0000 (---------------) + I yame
0x003135c8, // n0x0947 c0x0000 (---------------) + I yanagawa
0x00207e49, // n0x0948 c0x0000 (---------------) + I yukuhashi
0x002cea89, // n0x0949 c0x0000 (---------------) + I aizubange
0x00291c4a, // n0x094a c0x0000 (---------------) + I aizumisato
0x00283fcd, // n0x094b c0x0000 (---------------) + I aizuwakamatsu
0x002e0447, // n0x094c c0x0000 (---------------) + I asakawa
0x002340c6, // n0x094d c0x0000 (---------------) + I bandai
0x00224044, // n0x094e c0x0000 (---------------) + I date
0x00273f89, // n0x094f c0x0000 (---------------) + I fukushima
0x002789c8, // n0x0950 c0x0000 (---------------) + I furudono
0x00279546, // n0x0951 c0x0000 (---------------) + I futaba
0x0024b586, // n0x0952 c0x0000 (---------------) + I hanawa
0x00287147, // n0x0953 c0x0000 (---------------) + I higashi
0x002d5246, // n0x0954 c0x0000 (---------------) + I hirata
0x002213c6, // n0x0955 c0x0000 (---------------) + I hirono
0x00206f46, // n0x0956 c0x0000 (---------------) + I iitate
0x002e15ca, // n0x0957 c0x0000 (---------------) + I inawashiro
0x0021d5c8, // n0x0958 c0x0000 (---------------) + I ishikawa
0x0023b185, // n0x0959 c0x0000 (---------------) + I iwaki
0x002c1ec9, // n0x095a c0x0000 (---------------) + I izumizaki
0x002b8a4a, // n0x095b c0x0000 (---------------) + I kagamiishi
0x0023bd48, // n0x095c c0x0000 (---------------) + I kaneyama
0x0028eb88, // n0x095d c0x0000 (---------------) + I kawamata
0x002849c8, // n0x095e c0x0000 (---------------) + I kitakata
0x0028facc, // n0x095f c0x0000 (---------------) + I kitashiobara
0x002f6205, // n0x0960 c0x0000 (---------------) + I koori
0x00290a88, // n0x0961 c0x0000 (---------------) + I koriyama
0x00235d06, // n0x0962 c0x0000 (---------------) + I kunimi
0x002e62c6, // n0x0963 c0x0000 (---------------) + I miharu
0x002b7187, // n0x0964 c0x0000 (---------------) + I mishima
0x00245685, // n0x0965 c0x0000 (---------------) + I namie
0x00309085, // n0x0966 c0x0000 (---------------) + I nango
0x002ce949, // n0x0967 c0x0000 (---------------) + I nishiaizu
0x00214907, // n0x0968 c0x0000 (---------------) + I nishigo
0x002047c5, // n0x0969 c0x0000 (---------------) + I okuma
0x00225347, // n0x096a c0x0000 (---------------) + I omotego
0x002104c3, // n0x096b c0x0000 (---------------) + I ono
0x002b9105, // n0x096c c0x0000 (---------------) + I otama
0x00226a48, // n0x096d c0x0000 (---------------) + I samegawa
0x00207fc7, // n0x096e c0x0000 (---------------) + I shimogo
0x0028ea49, // n0x096f c0x0000 (---------------) + I shirakawa
0x002d7505, // n0x0970 c0x0000 (---------------) + I showa
0x002da684, // n0x0971 c0x0000 (---------------) + I soma
0x00293388, // n0x0972 c0x0000 (---------------) + I sukagawa
0x00262407, // n0x0973 c0x0000 (---------------) + I taishin
0x00294308, // n0x0974 c0x0000 (---------------) + I tamakawa
0x002ecdc8, // n0x0975 c0x0000 (---------------) + I tanagura
0x00223cc5, // n0x0976 c0x0000 (---------------) + I tenei
0x00257206, // n0x0977 c0x0000 (---------------) + I yabuki
0x00284e86, // n0x0978 c0x0000 (---------------) + I yamato
0x002eb809, // n0x0979 c0x0000 (---------------) + I yamatsuri
0x002fe547, // n0x097a c0x0000 (---------------) + I yanaizu
0x0029e406, // n0x097b c0x0000 (---------------) + I yugawa
0x00209347, // n0x097c c0x0000 (---------------) + I anpachi
0x00201c83, // n0x097d c0x0000 (---------------) + I ena
0x002ae204, // n0x097e c0x0000 (---------------) + I gifu
0x00334f85, // n0x097f c0x0000 (---------------) + I ginan
0x002260c4, // n0x0980 c0x0000 (---------------) + I godo
0x00237304, // n0x0981 c0x0000 (---------------) + I gujo
0x00275b87, // n0x0982 c0x0000 (---------------) + I hashima
0x0025b747, // n0x0983 c0x0000 (---------------) + I hichiso
0x0026f7c4, // n0x0984 c0x0000 (---------------) + I hida
0x0028e890, // n0x0985 c0x0000 (---------------) + I higashishirakawa
0x00344307, // n0x0986 c0x0000 (---------------) + I ibigawa
0x00203685, // n0x0987 c0x0000 (---------------) + I ikeda
0x002ff3cc, // n0x0988 c0x0000 (---------------) + I kakamigahara
0x00204c44, // n0x0989 c0x0000 (---------------) + I kani
0x002f0448, // n0x098a c0x0000 (---------------) + I kasahara
0x002b2949, // n0x098b c0x0000 (---------------) + I kasamatsu
0x00244746, // n0x098c c0x0000 (---------------) + I kawaue
0x00275f48, // n0x098d c0x0000 (---------------) + I kitagata
0x00264fc4, // n0x098e c0x0000 (---------------) + I mino
0x00294b88, // n0x098f c0x0000 (---------------) + I minokamo
0x002b7c46, // n0x0990 c0x0000 (---------------) + I mitake
0x00228948, // n0x0991 c0x0000 (---------------) + I mizunami
0x00287f06, // n0x0992 c0x0000 (---------------) + I motosu
0x00205d4b, // n0x0993 c0x0000 (---------------) + I nakatsugawa
0x00204245, // n0x0994 c0x0000 (---------------) + I ogaki
0x002a7388, // n0x0995 c0x0000 (---------------) + I sakahogi
0x00210e84, // n0x0996 c0x0000 (---------------) + I seki
0x002b560a, // n0x0997 c0x0000 (---------------) + I sekigahara
0x0028ea49, // n0x0998 c0x0000 (---------------) + I shirakawa
0x00310a86, // n0x0999 c0x0000 (---------------) + I tajimi
0x003033c8, // n0x099a c0x0000 (---------------) + I takayama
0x002c8485, // n0x099b c0x0000 (---------------) + I tarui
0x002b7a44, // n0x099c c0x0000 (---------------) + I toki
0x002f0346, // n0x099d c0x0000 (---------------) + I tomika
0x0025cb48, // n0x099e c0x0000 (---------------) + I wanouchi
0x00274fc8, // n0x099f c0x0000 (---------------) + I yamagata
0x00305946, // n0x09a0 c0x0000 (---------------) + I yaotsu
0x0020b444, // n0x09a1 c0x0000 (---------------) + I yoro
0x0023cd86, // n0x09a2 c0x0000 (---------------) + I annaka
0x00200387, // n0x09a3 c0x0000 (---------------) + I chiyoda
0x0026e7c7, // n0x09a4 c0x0000 (---------------) + I fujioka
0x002c1a8f, // n0x09a5 c0x0000 (---------------) + I higashiagatsuma
0x002f2747, // n0x09a6 c0x0000 (---------------) + I isesaki
0x002ef107, // n0x09a7 c0x0000 (---------------) + I itakura
0x00339f45, // n0x09a8 c0x0000 (---------------) + I kanna
0x002e6a45, // n0x09a9 c0x0000 (---------------) + I kanra
0x00292189, // n0x09aa c0x0000 (---------------) + I katashina
0x00341346, // n0x09ab c0x0000 (---------------) + I kawaba
0x00251345, // n0x09ac c0x0000 (---------------) + I kiryu
0x00276f47, // n0x09ad c0x0000 (---------------) + I kusatsu
0x002a8308, // n0x09ae c0x0000 (---------------) + I maebashi
0x00243045, // n0x09af c0x0000 (---------------) + I meiwa
0x0025ea46, // n0x09b0 c0x0000 (---------------) + I midori
0x00224d48, // n0x09b1 c0x0000 (---------------) + I minakami
0x002f8b8a, // n0x09b2 c0x0000 (---------------) + I naganohara
0x00331f08, // n0x09b3 c0x0000 (---------------) + I nakanojo
0x0027ee07, // n0x09b4 c0x0000 (---------------) + I nanmoku
0x002dcf46, // n0x09b5 c0x0000 (---------------) + I numata
0x002c1e86, // n0x09b6 c0x0000 (---------------) + I oizumi
0x002156c3, // n0x09b7 c0x0000 (---------------) + I ora
0x00211243, // n0x09b8 c0x0000 (---------------) + I ota
0x0031a249, // n0x09b9 c0x0000 (---------------) + I shibukawa
0x002c5e49, // n0x09ba c0x0000 (---------------) + I shimonita
0x002efb86, // n0x09bb c0x0000 (---------------) + I shinto
0x002d7505, // n0x09bc c0x0000 (---------------) + I showa
0x0020ce88, // n0x09bd c0x0000 (---------------) + I takasaki
0x003033c8, // n0x09be c0x0000 (---------------) + I takayama
0x002c31c8, // n0x09bf c0x0000 (---------------) + I tamamura
0x00206fcb, // n0x09c0 c0x0000 (---------------) + I tatebayashi
0x002f0dc7, // n0x09c1 c0x0000 (---------------) + I tomioka
0x0029eb09, // n0x09c2 c0x0000 (---------------) + I tsukiyono
0x002c1d08, // n0x09c3 c0x0000 (---------------) + I tsumagoi
0x00203f04, // n0x09c4 c0x0000 (---------------) + I ueno
0x002bc8c8, // n0x09c5 c0x0000 (---------------) + I yoshioka
0x00282809, // n0x09c6 c0x0000 (---------------) + I asaminami
0x00234185, // n0x09c7 c0x0000 (---------------) + I daiwa
0x00296c47, // n0x09c8 c0x0000 (---------------) + I etajima
0x00203a85, // n0x09c9 c0x0000 (---------------) + I fuchu
0x00274ec8, // n0x09ca c0x0000 (---------------) + I fukuyama
0x0028518b, // n0x09cb c0x0000 (---------------) + I hatsukaichi
0x00287610, // n0x09cc c0x0000 (---------------) + I higashihiroshima
0x00299245, // n0x09cd c0x0000 (---------------) + I hongo
0x00210dcc, // n0x09ce c0x0000 (---------------) + I jinsekikogen
0x0024ec45, // n0x09cf c0x0000 (---------------) + I kaita
0x0026d5c3, // n0x09d0 c0x0000 (---------------) + I kui
0x002d4386, // n0x09d1 c0x0000 (---------------) + I kumano
0x002ab244, // n0x09d2 c0x0000 (---------------) + I kure
0x002793c6, // n0x09d3 c0x0000 (---------------) + I mihara
0x0028f607, // n0x09d4 c0x0000 (---------------) + I miyoshi
0x00205d44, // n0x09d5 c0x0000 (---------------) + I naka
0x0035b6c8, // n0x09d6 c0x0000 (---------------) + I onomichi
0x00200c8d, // n0x09d7 c0x0000 (---------------) + I osakikamijima
0x002cc305, // n0x09d8 c0x0000 (---------------) + I otake
0x00269f84, // n0x09d9 c0x0000 (---------------) + I saka
0x0021fec4, // n0x09da c0x0000 (---------------) + I sera
0x00280e49, // n0x09db c0x0000 (---------------) + I seranishi
0x002d1588, // n0x09dc c0x0000 (---------------) + I shinichi
0x002b08c7, // n0x09dd c0x0000 (---------------) + I shobara
0x002b7cc8, // n0x09de c0x0000 (---------------) + I takehara
0x00275508, // n0x09df c0x0000 (---------------) + I abashiri
0x0026f905, // n0x09e0 c0x0000 (---------------) + I abira
0x00218507, // n0x09e1 c0x0000 (---------------) + I aibetsu
0x0026f887, // n0x09e2 c0x0000 (---------------) + I akabira
0x002b4607, // n0x09e3 c0x0000 (---------------) + I akkeshi
0x002b6c89, // n0x09e4 c0x0000 (---------------) + I asahikawa
0x00236809, // n0x09e5 c0x0000 (---------------) + I ashibetsu
0x002409c6, // n0x09e6 c0x0000 (---------------) + I ashoro
0x002a3686, // n0x09e7 c0x0000 (---------------) + I assabu
0x00277006, // n0x09e8 c0x0000 (---------------) + I atsuma
0x002296c5, // n0x09e9 c0x0000 (---------------) + I bibai
0x00341b04, // n0x09ea c0x0000 (---------------) + I biei
0x002014c6, // n0x09eb c0x0000 (---------------) + I bifuka
0x00201e86, // n0x09ec c0x0000 (---------------) + I bihoro
0x0026f948, // n0x09ed c0x0000 (---------------) + I biratori
0x0027ddcb, // n0x09ee c0x0000 (---------------) + I chippubetsu
0x002c7f07, // n0x09ef c0x0000 (---------------) + I chitose
0x00224044, // n0x09f0 c0x0000 (---------------) + I date
0x002e0686, // n0x09f1 c0x0000 (---------------) + I ebetsu
0x0026d407, // n0x09f2 c0x0000 (---------------) + I embetsu
0x00316145, // n0x09f3 c0x0000 (---------------) + I eniwa
0x00300d45, // n0x09f4 c0x0000 (---------------) + I erimo
0x0022d484, // n0x09f5 c0x0000 (---------------) + I esan
0x00236786, // n0x09f6 c0x0000 (---------------) + I esashi
0x00201548, // n0x09f7 c0x0000 (---------------) + I fukagawa
0x00273f89, // n0x09f8 c0x0000 (---------------) + I fukushima
0x00245dc6, // n0x09f9 c0x0000 (---------------) + I furano
0x00278308, // n0x09fa c0x0000 (---------------) + I furubira
0x002a0f86, // n0x09fb c0x0000 (---------------) + I haboro
0x00343888, // n0x09fc c0x0000 (---------------) + I hakodate
0x00314a0c, // n0x09fd c0x0000 (---------------) + I hamatonbetsu
0x0026f7c6, // n0x09fe c0x0000 (---------------) + I hidaka
0x0028944d, // n0x09ff c0x0000 (---------------) + I higashikagura
0x002898cb, // n0x0a00 c0x0000 (---------------) + I higashikawa
0x00251c85, // n0x0a01 c0x0000 (---------------) + I hiroo
0x0021d147, // n0x0a02 c0x0000 (---------------) + I hokuryu
0x00273406, // n0x0a03 c0x0000 (---------------) + I hokuto
0x00300408, // n0x0a04 c0x0000 (---------------) + I honbetsu
0x00240a49, // n0x0a05 c0x0000 (---------------) + I horokanai
0x002ce488, // n0x0a06 c0x0000 (---------------) + I horonobe
0x00203685, // n0x0a07 c0x0000 (---------------) + I ikeda
0x00296d47, // n0x0a08 c0x0000 (---------------) + I imakane
0x002b8bc8, // n0x0a09 c0x0000 (---------------) + I ishikari
0x0031e709, // n0x0a0a c0x0000 (---------------) + I iwamizawa
0x0023db86, // n0x0a0b c0x0000 (---------------) + I iwanai
0x002519ca, // n0x0a0c c0x0000 (---------------) + I kamifurano
0x00300188, // n0x0a0d c0x0000 (---------------) + I kamikawa
0x002ce2cb, // n0x0a0e c0x0000 (---------------) + I kamishihoro
0x0024ff0c, // n0x0a0f c0x0000 (---------------) + I kamisunagawa
0x00294c88, // n0x0a10 c0x0000 (---------------) + I kamoenai
0x00270286, // n0x0a11 c0x0000 (---------------) + I kayabe
0x0030e748, // n0x0a12 c0x0000 (---------------) + I kembuchi
0x00281747, // n0x0a13 c0x0000 (---------------) + I kikonai
0x00321209, // n0x0a14 c0x0000 (---------------) + I kimobetsu
0x0033698d, // n0x0a15 c0x0000 (---------------) + I kitahiroshima
0x002c2086, // n0x0a16 c0x0000 (---------------) + I kitami
0x00250848, // n0x0a17 c0x0000 (---------------) + I kiyosato
0x0029f349, // n0x0a18 c0x0000 (---------------) + I koshimizu
0x002aa888, // n0x0a19 c0x0000 (---------------) + I kunneppu
0x0022b848, // n0x0a1a c0x0000 (---------------) + I kuriyama
0x002ada8c, // n0x0a1b c0x0000 (---------------) + I kuromatsunai
0x002b0407, // n0x0a1c c0x0000 (---------------) + I kushiro
0x002b0f07, // n0x0a1d c0x0000 (---------------) + I kutchan
0x002b6ac5, // n0x0a1e c0x0000 (---------------) + I kyowa
0x002f50c7, // n0x0a1f c0x0000 (---------------) + I mashike
0x002a81c8, // n0x0a20 c0x0000 (---------------) + I matsumae
0x002f03c6, // n0x0a21 c0x0000 (---------------) + I mikasa
0x00245c4c, // n0x0a22 c0x0000 (---------------) + I minamifurano
0x002b9508, // n0x0a23 c0x0000 (---------------) + I mombetsu
0x002be2c8, // n0x0a24 c0x0000 (---------------) + I moseushi
0x003667c6, // n0x0a25 c0x0000 (---------------) + I mukawa
0x00256e87, // n0x0a26 c0x0000 (---------------) + I muroran
0x00240bc4, // n0x0a27 c0x0000 (---------------) + I naie
0x002b68c8, // n0x0a28 c0x0000 (---------------) + I nakagawa
0x0027f18c, // n0x0a29 c0x0000 (---------------) + I nakasatsunai
0x00207a8c, // n0x0a2a c0x0000 (---------------) + I nakatombetsu
0x00220205, // n0x0a2b c0x0000 (---------------) + I nanae
0x00208407, // n0x0a2c c0x0000 (---------------) + I nanporo
0x0020b3c6, // n0x0a2d c0x0000 (---------------) + I nayoro
0x00256e06, // n0x0a2e c0x0000 (---------------) + I nemuro
0x0028f0c8, // n0x0a2f c0x0000 (---------------) + I niikappu
0x00204684, // n0x0a30 c0x0000 (---------------) + I niki
0x0022758b, // n0x0a31 c0x0000 (---------------) + I nishiokoppe
0x0035abcb, // n0x0a32 c0x0000 (---------------) + I noboribetsu
0x002dcf46, // n0x0a33 c0x0000 (---------------) + I numata
0x00200b07, // n0x0a34 c0x0000 (---------------) + I obihiro
0x00206085, // n0x0a35 c0x0000 (---------------) + I obira
0x00265d85, // n0x0a36 c0x0000 (---------------) + I oketo
0x002276c6, // n0x0a37 c0x0000 (---------------) + I okoppe
0x002c8445, // n0x0a38 c0x0000 (---------------) + I otaru
0x0025c945, // n0x0a39 c0x0000 (---------------) + I otobe
0x002ad647, // n0x0a3a c0x0000 (---------------) + I otofuke
0x0020b749, // n0x0a3b c0x0000 (---------------) + I otoineppu
0x00315f44, // n0x0a3c c0x0000 (---------------) + I oumu
0x00341585, // n0x0a3d c0x0000 (---------------) + I ozora
0x002cad85, // n0x0a3e c0x0000 (---------------) + I pippu
0x00256f88, // n0x0a3f c0x0000 (---------------) + I rankoshi
0x0035b505, // n0x0a40 c0x0000 (---------------) + I rebun
0x0031db89, // n0x0a41 c0x0000 (---------------) + I rikubetsu
0x002f9d07, // n0x0a42 c0x0000 (---------------) + I rishiri
0x002f9d0b, // n0x0a43 c0x0000 (---------------) + I rishirifuji
0x002b3f46, // n0x0a44 c0x0000 (---------------) + I saroma
0x0024e6c9, // n0x0a45 c0x0000 (---------------) + I sarufutsu
0x002eaf08, // n0x0a46 c0x0000 (---------------) + I shakotan
0x002a1305, // n0x0a47 c0x0000 (---------------) + I shari
0x002b4708, // n0x0a48 c0x0000 (---------------) + I shibecha
0x00236848, // n0x0a49 c0x0000 (---------------) + I shibetsu
0x0022cd87, // n0x0a4a c0x0000 (---------------) + I shikabe
0x002a8447, // n0x0a4b c0x0000 (---------------) + I shikaoi
0x00275c09, // n0x0a4c c0x0000 (---------------) + I shimamaki
0x00228887, // n0x0a4d c0x0000 (---------------) + I shimizu
0x002bfb49, // n0x0a4e c0x0000 (---------------) + I shimokawa
0x002da98c, // n0x0a4f c0x0000 (---------------) + I shinshinotsu
0x002efb88, // n0x0a50 c0x0000 (---------------) + I shintoku
0x00317489, // n0x0a51 c0x0000 (---------------) + I shiranuka
0x00333687, // n0x0a52 c0x0000 (---------------) + I shiraoi
0x002755c9, // n0x0a53 c0x0000 (---------------) + I shiriuchi
0x0031fa07, // n0x0a54 c0x0000 (---------------) + I sobetsu
0x00250008, // n0x0a55 c0x0000 (---------------) + I sunagawa
0x002e1f85, // n0x0a56 c0x0000 (---------------) + I taiki
0x002cc446, // n0x0a57 c0x0000 (---------------) + I takasu
0x002af848, // n0x0a58 c0x0000 (---------------) + I takikawa
0x00299048, // n0x0a59 c0x0000 (---------------) + I takinoue
0x002b8909, // n0x0a5a c0x0000 (---------------) + I teshikaga
0x0025c987, // n0x0a5b c0x0000 (---------------) + I tobetsu
0x00265e45, // n0x0a5c c0x0000 (---------------) + I tohma
0x002db389, // n0x0a5d c0x0000 (---------------) + I tomakomai
0x00311346, // n0x0a5e c0x0000 (---------------) + I tomari
0x002847c4, // n0x0a5f c0x0000 (---------------) + I toya
0x0032fb06, // n0x0a60 c0x0000 (---------------) + I toyako
0x00258088, // n0x0a61 c0x0000 (---------------) + I toyotomi
0x0025b147, // n0x0a62 c0x0000 (---------------) + I toyoura
0x0027dfc8, // n0x0a63 c0x0000 (---------------) + I tsubetsu
0x00264009, // n0x0a64 c0x0000 (---------------) + I tsukigata
0x00369b47, // n0x0a65 c0x0000 (---------------) + I urakawa
0x00290286, // n0x0a66 c0x0000 (---------------) + I urausu
0x0021d204, // n0x0a67 c0x0000 (---------------) + I uryu
0x002198c9, // n0x0a68 c0x0000 (---------------) + I utashinai
0x00218388, // n0x0a69 c0x0000 (---------------) + I wakkanai
0x00366687, // n0x0a6a c0x0000 (---------------) + I wassamu
0x00368d06, // n0x0a6b c0x0000 (---------------) + I yakumo
0x00299706, // n0x0a6c c0x0000 (---------------) + I yoichi
0x00281884, // n0x0a6d c0x0000 (---------------) + I aioi
0x002ad346, // n0x0a6e c0x0000 (---------------) + I akashi
0x002048c3, // n0x0a6f c0x0000 (---------------) + I ako
0x00239f89, // n0x0a70 c0x0000 (---------------) + I amagasaki
0x00204206, // n0x0a71 c0x0000 (---------------) + I aogaki
0x002d2b05, // n0x0a72 c0x0000 (---------------) + I asago
0x00290806, // n0x0a73 c0x0000 (---------------) + I ashiya
0x00228c45, // n0x0a74 c0x0000 (---------------) + I awaji
0x00273d08, // n0x0a75 c0x0000 (---------------) + I fukusaki
0x002949c7, // n0x0a76 c0x0000 (---------------) + I goshiki
0x00225f06, // n0x0a77 c0x0000 (---------------) + I harima
0x00368b06, // n0x0a78 c0x0000 (---------------) + I himeji
0x002394c8, // n0x0a79 c0x0000 (---------------) + I ichikawa
0x00292307, // n0x0a7a c0x0000 (---------------) + I inagawa
0x002c20c5, // n0x0a7b c0x0000 (---------------) + I itami
0x00290d08, // n0x0a7c c0x0000 (---------------) + I kakogawa
0x0027e4c8, // n0x0a7d c0x0000 (---------------) + I kamigori
0x00300188, // n0x0a7e c0x0000 (---------------) + I kamikawa
0x0024eb05, // n0x0a7f c0x0000 (---------------) + I kasai
0x002cc4c6, // n0x0a80 c0x0000 (---------------) + I kasuga
0x002ce849, // n0x0a81 c0x0000 (---------------) + I kawanishi
0x00284d04, // n0x0a82 c0x0000 (---------------) + I miki
0x00228acb, // n0x0a83 c0x0000 (---------------) + I minamiawaji
0x002210cb, // n0x0a84 c0x0000 (---------------) + I nishinomiya
0x0023b089, // n0x0a85 c0x0000 (---------------) + I nishiwaki
0x002104c3, // n0x0a86 c0x0000 (---------------) + I ono
0x0024e185, // n0x0a87 c0x0000 (---------------) + I sanda
0x002edc46, // n0x0a88 c0x0000 (---------------) + I sannan
0x00250348, // n0x0a89 c0x0000 (---------------) + I sasayama
0x0028a604, // n0x0a8a c0x0000 (---------------) + I sayo
0x00267246, // n0x0a8b c0x0000 (---------------) + I shingu
0x0025cdc9, // n0x0a8c c0x0000 (---------------) + I shinonsen
0x002d5c05, // n0x0a8d c0x0000 (---------------) + I shiso
0x002ad586, // n0x0a8e c0x0000 (---------------) + I sumoto
0x00262406, // n0x0a8f c0x0000 (---------------) + I taishi
0x0020ce84, // n0x0a90 c0x0000 (---------------) + I taka
0x0028ed0a, // n0x0a91 c0x0000 (---------------) + I takarazuka
0x002d2a48, // n0x0a92 c0x0000 (---------------) + I takasago
0x00299046, // n0x0a93 c0x0000 (---------------) + I takino
0x00301985, // n0x0a94 c0x0000 (---------------) + I tamba
0x0023ba07, // n0x0a95 c0x0000 (---------------) + I tatsuno
0x002505c7, // n0x0a96 c0x0000 (---------------) + I toyooka
0x00257204, // n0x0a97 c0x0000 (---------------) + I yabu
0x00221307, // n0x0a98 c0x0000 (---------------) + I yashiro
0x00241dc4, // n0x0a99 c0x0000 (---------------) + I yoka
0x00241dc6, // n0x0a9a c0x0000 (---------------) + I yokawa
0x00200e03, // n0x0a9b c0x0000 (---------------) + I ami
0x002b6c85, // n0x0a9c c0x0000 (---------------) + I asahi
0x0033c585, // n0x0a9d c0x0000 (---------------) + I bando
0x002c1888, // n0x0a9e c0x0000 (---------------) + I chikusei
0x002ae305, // n0x0a9f c0x0000 (---------------) + I daigo
0x0026f509, // n0x0aa0 c0x0000 (---------------) + I fujishiro
0x00293cc7, // n0x0aa1 c0x0000 (---------------) + I hitachi
0x002b670b, // n0x0aa2 c0x0000 (---------------) + I hitachinaka
0x00293ccc, // n0x0aa3 c0x0000 (---------------) + I hitachiomiya
0x0029474a, // n0x0aa4 c0x0000 (---------------) + I hitachiota
0x00336847, // n0x0aa5 c0x0000 (---------------) + I ibaraki
0x00207483, // n0x0aa6 c0x0000 (---------------) + I ina
0x002e5ec8, // n0x0aa7 c0x0000 (---------------) + I inashiki
0x0024ecc5, // n0x0aa8 c0x0000 (---------------) + I itako
0x002430c5, // n0x0aa9 c0x0000 (---------------) + I iwama
0x002a9dc4, // n0x0aaa c0x0000 (---------------) + I joso
0x0024ff06, // n0x0aab c0x0000 (---------------) + I kamisu
0x002b2946, // n0x0aac c0x0000 (---------------) + I kasama
0x002ad387, // n0x0aad c0x0000 (---------------) + I kashima
0x00260d4b, // n0x0aae c0x0000 (---------------) + I kasumigaura
0x00290d84, // n0x0aaf c0x0000 (---------------) + I koga
0x0033a084, // n0x0ab0 c0x0000 (---------------) + I miho
0x002b7ec4, // n0x0ab1 c0x0000 (---------------) + I mito
0x002bc446, // n0x0ab2 c0x0000 (---------------) + I moriya
0x00205d44, // n0x0ab3 c0x0000 (---------------) + I naka
0x00349788, // n0x0ab4 c0x0000 (---------------) + I namegata
0x00318c05, // n0x0ab5 c0x0000 (---------------) + I oarai
0x0022e485, // n0x0ab6 c0x0000 (---------------) + I ogawa
0x002c3107, // n0x0ab7 c0x0000 (---------------) + I omitama
0x0021d249, // n0x0ab8 c0x0000 (---------------) + I ryugasaki
0x00323305, // n0x0ab9 c0x0000 (---------------) + I sakai
0x0020ff4a, // n0x0aba c0x0000 (---------------) + I sakuragawa
0x002d6b49, // n0x0abb c0x0000 (---------------) + I shimodate
0x002d098a, // n0x0abc c0x0000 (---------------) + I shimotsuma
0x002e1709, // n0x0abd c0x0000 (---------------) + I shirosato
0x002df784, // n0x0abe c0x0000 (---------------) + I sowa
0x002d5e85, // n0x0abf c0x0000 (---------------) + I suifu
0x002d5348, // n0x0ac0 c0x0000 (---------------) + I takahagi
0x002dafcb, // n0x0ac1 c0x0000 (---------------) + I tamatsukuri
0x002f4d05, // n0x0ac2 c0x0000 (---------------) + I tokai
0x00243bc6, // n0x0ac3 c0x0000 (---------------) + I tomobe
0x00242184, // n0x0ac4 c0x0000 (---------------) + I tone
0x0026fa46, // n0x0ac5 c0x0000 (---------------) + I toride
0x003699c9, // n0x0ac6 c0x0000 (---------------) + I tsuchiura
0x002e0747, // n0x0ac7 c0x0000 (---------------) + I tsukuba
0x002e4288, // n0x0ac8 c0x0000 (---------------) + I uchihara
0x00284346, // n0x0ac9 c0x0000 (---------------) + I ushiku
0x00200307, // n0x0aca c0x0000 (---------------) + I yachiyo
0x00274fc8, // n0x0acb c0x0000 (---------------) + I yamagata
0x00345046, // n0x0acc c0x0000 (---------------) + I yawara
0x00206e84, // n0x0acd c0x0000 (---------------) + I yuki
0x0023ff87, // n0x0ace c0x0000 (---------------) + I anamizu
0x0027b105, // n0x0acf c0x0000 (---------------) + I hakui
0x0027b507, // n0x0ad0 c0x0000 (---------------) + I hakusan
0x002015c4, // n0x0ad1 c0x0000 (---------------) + I kaga
0x00273386, // n0x0ad2 c0x0000 (---------------) + I kahoku
0x0021d848, // n0x0ad3 c0x0000 (---------------) + I kanazawa
0x00289a88, // n0x0ad4 c0x0000 (---------------) + I kawakita
0x002b0047, // n0x0ad5 c0x0000 (---------------) + I komatsu
0x00367e88, // n0x0ad6 c0x0000 (---------------) + I nakanoto
0x00286385, // n0x0ad7 c0x0000 (---------------) + I nanao
0x00210304, // n0x0ad8 c0x0000 (---------------) + I nomi
0x002393c8, // n0x0ad9 c0x0000 (---------------) + I nonoichi
0x002b9f44, // n0x0ada c0x0000 (---------------) + I noto
0x0021aa05, // n0x0adb c0x0000 (---------------) + I shika
0x002e6b84, // n0x0adc c0x0000 (---------------) + I suzu
0x00369507, // n0x0add c0x0000 (---------------) + I tsubata
0x00300547, // n0x0ade c0x0000 (---------------) + I tsurugi
0x00275708, // n0x0adf c0x0000 (---------------) + I uchinada
0x00294486, // n0x0ae0 c0x0000 (---------------) + I wajima
0x002ae285, // n0x0ae1 c0x0000 (---------------) + I fudai
0x0026f308, // n0x0ae2 c0x0000 (---------------) + I fujisawa
0x00332108, // n0x0ae3 c0x0000 (---------------) + I hanamaki
0x00291b89, // n0x0ae4 c0x0000 (---------------) + I hiraizumi
0x002213c6, // n0x0ae5 c0x0000 (---------------) + I hirono
0x00207248, // n0x0ae6 c0x0000 (---------------) + I ichinohe
0x002b548a, // n0x0ae7 c0x0000 (---------------) + I ichinoseki
0x003161c8, // n0x0ae8 c0x0000 (---------------) + I iwaizumi
0x0029e905, // n0x0ae9 c0x0000 (---------------) + I iwate
0x00220c46, // n0x0aea c0x0000 (---------------) + I joboji
0x0024ad08, // n0x0aeb c0x0000 (---------------) + I kamaishi
0x00296e0a, // n0x0aec c0x0000 (---------------) + I kanegasaki
0x00201a47, // n0x0aed c0x0000 (---------------) + I karumai
0x00268a85, // n0x0aee c0x0000 (---------------) + I kawai
0x0027bc08, // n0x0aef c0x0000 (---------------) + I kitakami
0x00277704, // n0x0af0 c0x0000 (---------------) + I kuji
0x00358c46, // n0x0af1 c0x0000 (---------------) + I kunohe
0x002b2288, // n0x0af2 c0x0000 (---------------) + I kuzumaki
0x00210386, // n0x0af3 c0x0000 (---------------) + I miyako
0x0021bb48, // n0x0af4 c0x0000 (---------------) + I mizusawa
0x00263887, // n0x0af5 c0x0000 (---------------) + I morioka
0x0020ec06, // n0x0af6 c0x0000 (---------------) + I ninohe
0x00218cc4, // n0x0af7 c0x0000 (---------------) + I noda
0x002ed847, // n0x0af8 c0x0000 (---------------) + I ofunato
0x0029fb84, // n0x0af9 c0x0000 (---------------) + I oshu
0x00369987, // n0x0afa c0x0000 (---------------) + I otsuchi
0x003669cd, // n0x0afb c0x0000 (---------------) + I rikuzentakata
0x00217b85, // n0x0afc c0x0000 (---------------) + I shiwa
0x002d694b, // n0x0afd c0x0000 (---------------) + I shizukuishi
0x0021f306, // n0x0afe c0x0000 (---------------) + I sumita
0x00249f88, // n0x0aff c0x0000 (---------------) + I tanohata
0x0022d2c4, // n0x0b00 c0x0000 (---------------) + I tono
0x00242ac6, // n0x0b01 c0x0000 (---------------) + I yahaba
0x00271186, // n0x0b02 c0x0000 (---------------) + I yamada
0x0026cd47, // n0x0b03 c0x0000 (---------------) + I ayagawa
0x0028910d, // n0x0b04 c0x0000 (---------------) + I higashikagawa
0x002d6f07, // n0x0b05 c0x0000 (---------------) + I kanonji
0x002a1848, // n0x0b06 c0x0000 (---------------) + I kotohira
0x00265f05, // n0x0b07 c0x0000 (---------------) + I manno
0x00336c48, // n0x0b08 c0x0000 (---------------) + I marugame
0x002b8246, // n0x0b09 c0x0000 (---------------) + I mitoyo
0x00286408, // n0x0b0a c0x0000 (---------------) + I naoshima
0x00241906, // n0x0b0b c0x0000 (---------------) + I sanuki
0x0032c187, // n0x0b0c c0x0000 (---------------) + I tadotsu
0x00297189, // n0x0b0d c0x0000 (---------------) + I takamatsu
0x0022d2c7, // n0x0b0e c0x0000 (---------------) + I tonosho
0x00279808, // n0x0b0f c0x0000 (---------------) + I uchinomi
0x00269e05, // n0x0b10 c0x0000 (---------------) + I utazu
0x002151c8, // n0x0b11 c0x0000 (---------------) + I zentsuji
0x00256d45, // n0x0b12 c0x0000 (---------------) + I akune
0x00222345, // n0x0b13 c0x0000 (---------------) + I amami
0x00352d45, // n0x0b14 c0x0000 (---------------) + I hioki
0x0022a683, // n0x0b15 c0x0000 (---------------) + I isa
0x002772c4, // n0x0b16 c0x0000 (---------------) + I isen
0x0027be05, // n0x0b17 c0x0000 (---------------) + I izumi
0x00231209, // n0x0b18 c0x0000 (---------------) + I kagoshima
0x0030f2c6, // n0x0b19 c0x0000 (---------------) + I kanoya
0x002b1e88, // n0x0b1a c0x0000 (---------------) + I kawanabe
0x00236a85, // n0x0b1b c0x0000 (---------------) + I kinko
0x002a2e87, // n0x0b1c c0x0000 (---------------) + I kouyama
0x0030d28a, // n0x0b1d c0x0000 (---------------) + I makurazaki
0x002ad4c9, // n0x0b1e c0x0000 (---------------) + I matsumoto
0x0030890a, // n0x0b1f c0x0000 (---------------) + I minamitane
0x002c2888, // n0x0b20 c0x0000 (---------------) + I nakatane
0x0022518c, // n0x0b21 c0x0000 (---------------) + I nishinoomote
0x00276fcd, // n0x0b22 c0x0000 (---------------) + I satsumasendai
0x002db6c3, // n0x0b23 c0x0000 (---------------) + I soo
0x0021ba48, // n0x0b24 c0x0000 (---------------) + I tarumizu
0x00213785, // n0x0b25 c0x0000 (---------------) + I yusui
0x003412c6, // n0x0b26 c0x0000 (---------------) + I aikawa
0x0032aa46, // n0x0b27 c0x0000 (---------------) + I atsugi
0x002d3445, // n0x0b28 c0x0000 (---------------) + I ayase
0x00209449, // n0x0b29 c0x0000 (---------------) + I chigasaki
0x0031f845, // n0x0b2a c0x0000 (---------------) + I ebina
0x0026f308, // n0x0b2b c0x0000 (---------------) + I fujisawa
0x002b9e46, // n0x0b2c c0x0000 (---------------) + I hadano
0x00346106, // n0x0b2d c0x0000 (---------------) + I hakone
0x00293249, // n0x0b2e c0x0000 (---------------) + I hiratsuka
0x0034c487, // n0x0b2f c0x0000 (---------------) + I isehara
0x002dc986, // n0x0b30 c0x0000 (---------------) + I kaisei
0x0030d208, // n0x0b31 c0x0000 (---------------) + I kamakura
0x00317788, // n0x0b32 c0x0000 (---------------) + I kiyokawa
0x0033afc7, // n0x0b33 c0x0000 (---------------) + I matsuda
0x002df40e, // n0x0b34 c0x0000 (---------------) + I minamiashigara
0x002b8485, // n0x0b35 c0x0000 (---------------) + I miura
0x0031e605, // n0x0b36 c0x0000 (---------------) + I nakai
0x00210288, // n0x0b37 c0x0000 (---------------) + I ninomiya
0x00218d07, // n0x0b38 c0x0000 (---------------) + I odawara
0x0020b7c2, // n0x0b39 c0x0000 (---------------) + I oi
0x002ad8c4, // n0x0b3a c0x0000 (---------------) + I oiso
0x002792ca, // n0x0b3b c0x0000 (---------------) + I sagamihara
0x00366748, // n0x0b3c c0x0000 (---------------) + I samukawa
0x0026d506, // n0x0b3d c0x0000 (---------------) + I tsukui
0x0028ba08, // n0x0b3e c0x0000 (---------------) + I yamakita
0x00284e86, // n0x0b3f c0x0000 (---------------) + I yamato
0x0030ffc8, // n0x0b40 c0x0000 (---------------) + I yokosuka
0x0029e408, // n0x0b41 c0x0000 (---------------) + I yugawara
0x00222304, // n0x0b42 c0x0000 (---------------) + I zama
0x002a3cc5, // n0x0b43 c0x0000 (---------------) + I zushi
0x00629e84, // n0x0b44 c0x0001 (---------------) ! I city
0x00629e84, // n0x0b45 c0x0001 (---------------) ! I city
0x00629e84, // n0x0b46 c0x0001 (---------------) ! I city
0x00200d03, // n0x0b47 c0x0000 (---------------) + I aki
0x00315d86, // n0x0b48 c0x0000 (---------------) + I geisei
0x0026f7c6, // n0x0b49 c0x0000 (---------------) + I hidaka
0x0028fdcc, // n0x0b4a c0x0000 (---------------) + I higashitsuno
0x00207303, // n0x0b4b c0x0000 (---------------) + I ino
0x002b41c6, // n0x0b4c c0x0000 (---------------) + I kagami
0x00200dc4, // n0x0b4d c0x0000 (---------------) + I kami
0x002d2d08, // n0x0b4e c0x0000 (---------------) + I kitagawa
0x002c1805, // n0x0b4f c0x0000 (---------------) + I kochi
0x002793c6, // n0x0b50 c0x0000 (---------------) + I mihara
0x003686c8, // n0x0b51 c0x0000 (---------------) + I motoyama
0x002c33c6, // n0x0b52 c0x0000 (---------------) + I muroto
0x00225e86, // n0x0b53 c0x0000 (---------------) + I nahari
0x00310888, // n0x0b54 c0x0000 (---------------) + I nakamura
0x00335007, // n0x0b55 c0x0000 (---------------) + I nankoku
0x00228649, // n0x0b56 c0x0000 (---------------) + I nishitosa
0x00267f4a, // n0x0b57 c0x0000 (---------------) + I niyodogawa
0x002c1844, // n0x0b58 c0x0000 (---------------) + I ochi
0x00241e05, // n0x0b59 c0x0000 (---------------) + I okawa
0x00250585, // n0x0b5a c0x0000 (---------------) + I otoyo
0x002d2c06, // n0x0b5b c0x0000 (---------------) + I otsuki
0x002e0486, // n0x0b5c c0x0000 (---------------) + I sakawa
0x00289f86, // n0x0b5d c0x0000 (---------------) + I sukumo
0x002e5a06, // n0x0b5e c0x0000 (---------------) + I susaki
0x00228784, // n0x0b5f c0x0000 (---------------) + I tosa
0x0022878b, // n0x0b60 c0x0000 (---------------) + I tosashimizu
0x00241d44, // n0x0b61 c0x0000 (---------------) + I toyo
0x0023ba85, // n0x0b62 c0x0000 (---------------) + I tsuno
0x0029df85, // n0x0b63 c0x0000 (---------------) + I umaji
0x002905c6, // n0x0b64 c0x0000 (---------------) + I yasuda
0x0020fac8, // n0x0b65 c0x0000 (---------------) + I yusuhara
0x00276e87, // n0x0b66 c0x0000 (---------------) + I amakusa
0x002f8d44, // n0x0b67 c0x0000 (---------------) + I arao
0x0020f983, // n0x0b68 c0x0000 (---------------) + I aso
0x0031e405, // n0x0b69 c0x0000 (---------------) + I choyo
0x00243a87, // n0x0b6a c0x0000 (---------------) + I gyokuto
0x00295009, // n0x0b6b c0x0000 (---------------) + I hitoyoshi
0x00276d8b, // n0x0b6c c0x0000 (---------------) + I kamiamakusa
0x002ad387, // n0x0b6d c0x0000 (---------------) + I kashima
0x0026ca47, // n0x0b6e c0x0000 (---------------) + I kikuchi
0x003308c4, // n0x0b6f c0x0000 (---------------) + I kosa
0x003685c8, // n0x0b70 c0x0000 (---------------) + I kumamoto
0x00235a47, // n0x0b71 c0x0000 (---------------) + I mashiki
0x0028c546, // n0x0b72 c0x0000 (---------------) + I mifune
0x00306c08, // n0x0b73 c0x0000 (---------------) + I minamata
0x0027868b, // n0x0b74 c0x0000 (---------------) + I minamioguni
0x0030c786, // n0x0b75 c0x0000 (---------------) + I nagasu
0x00215e49, // n0x0b76 c0x0000 (---------------) + I nishihara
0x00278805, // n0x0b77 c0x0000 (---------------) + I oguni
0x002e2203, // n0x0b78 c0x0000 (---------------) + I ozu
0x002ad586, // n0x0b79 c0x0000 (---------------) + I sumoto
0x00263788, // n0x0b7a c0x0000 (---------------) + I takamori
0x00206ec3, // n0x0b7b c0x0000 (---------------) + I uki
0x00240643, // n0x0b7c c0x0000 (---------------) + I uto
0x00274fc6, // n0x0b7d c0x0000 (---------------) + I yamaga
0x00284e86, // n0x0b7e c0x0000 (---------------) + I yamato
0x0033d9ca, // n0x0b7f c0x0000 (---------------) + I yatsushiro
0x002702c5, // n0x0b80 c0x0000 (---------------) + I ayabe
0x00270fcb, // n0x0b81 c0x0000 (---------------) + I fukuchiyama
0x0029074b, // n0x0b82 c0x0000 (---------------) + I higashiyama
0x002673c3, // n0x0b83 c0x0000 (---------------) + I ide
0x00202f03, // n0x0b84 c0x0000 (---------------) + I ine
0x002d2904, // n0x0b85 c0x0000 (---------------) + I joyo
0x00263b87, // n0x0b86 c0x0000 (---------------) + I kameoka
0x00263804, // n0x0b87 c0x0000 (---------------) + I kamo
0x00275f44, // n0x0b88 c0x0000 (---------------) + I kita
0x00235b84, // n0x0b89 c0x0000 (---------------) + I kizu
0x003164c8, // n0x0b8a c0x0000 (---------------) + I kumiyama
0x003018c8, // n0x0b8b c0x0000 (---------------) + I kyotamba
0x00213b49, // n0x0b8c c0x0000 (---------------) + I kyotanabe
0x0026bb88, // n0x0b8d c0x0000 (---------------) + I kyotango
0x002e19c7, // n0x0b8e c0x0000 (---------------) + I maizuru
0x00228ac6, // n0x0b8f c0x0000 (---------------) + I minami
0x002b1acf, // n0x0b90 c0x0000 (---------------) + I minamiyamashiro
0x002b85c6, // n0x0b91 c0x0000 (---------------) + I miyazu
0x002c1784, // n0x0b92 c0x0000 (---------------) + I muko
0x0030170a, // n0x0b93 c0x0000 (---------------) + I nagaokakyo
0x00243987, // n0x0b94 c0x0000 (---------------) + I nakagyo
0x002e38c6, // n0x0b95 c0x0000 (---------------) + I nantan
0x00284809, // n0x0b96 c0x0000 (---------------) + I oyamazaki
0x00213ac5, // n0x0b97 c0x0000 (---------------) + I sakyo
0x00319a85, // n0x0b98 c0x0000 (---------------) + I seika
0x00213c06, // n0x0b99 c0x0000 (---------------) + I tanabe
0x00215303, // n0x0b9a c0x0000 (---------------) + I uji
0x00277749, // n0x0b9b c0x0000 (---------------) + I ujitawara
0x0021d746, // n0x0b9c c0x0000 (---------------) + I wazuka
0x00263dc9, // n0x0b9d c0x0000 (---------------) + I yamashina
0x0034b0c6, // n0x0b9e c0x0000 (---------------) + I yawata
0x002b6c85, // n0x0b9f c0x0000 (---------------) + I asahi
0x00214245, // n0x0ba0 c0x0000 (---------------) + I inabe
0x00242e43, // n0x0ba1 c0x0000 (---------------) + I ise
0x00263cc8, // n0x0ba2 c0x0000 (---------------) + I kameyama
0x002e0507, // n0x0ba3 c0x0000 (---------------) + I kawagoe
0x00204704, // n0x0ba4 c0x0000 (---------------) + I kiho
0x00275dc8, // n0x0ba5 c0x0000 (---------------) + I kisosaki
0x002e6044, // n0x0ba6 c0x0000 (---------------) + I kiwa
0x002cbd86, // n0x0ba7 c0x0000 (---------------) + I komono
0x002d4386, // n0x0ba8 c0x0000 (---------------) + I kumano
0x0023fec6, // n0x0ba9 c0x0000 (---------------) + I kuwana
0x002a7249, // n0x0baa c0x0000 (---------------) + I matsusaka
0x00243045, // n0x0bab c0x0000 (---------------) + I meiwa
0x00295246, // n0x0bac c0x0000 (---------------) + I mihama
0x00246c49, // n0x0bad c0x0000 (---------------) + I minamiise
0x002b78c6, // n0x0bae c0x0000 (---------------) + I misugi
0x002b1bc6, // n0x0baf c0x0000 (---------------) + I miyama
0x003478c6, // n0x0bb0 c0x0000 (---------------) + I nabari
0x00215885, // n0x0bb1 c0x0000 (---------------) + I shima
0x002e6b86, // n0x0bb2 c0x0000 (---------------) + I suzuka
0x0032c184, // n0x0bb3 c0x0000 (---------------) + I tado
0x002e1f85, // n0x0bb4 c0x0000 (---------------) + I taiki
0x00299044, // n0x0bb5 c0x0000 (---------------) + I taki
0x002a2106, // n0x0bb6 c0x0000 (---------------) + I tamaki
0x002e18c4, // n0x0bb7 c0x0000 (---------------) + I toba
0x00203e83, // n0x0bb8 c0x0000 (---------------) + I tsu
0x00278a85, // n0x0bb9 c0x0000 (---------------) + I udono
0x00236548, // n0x0bba c0x0000 (---------------) + I ureshino
0x0029e647, // n0x0bbb c0x0000 (---------------) + I watarai
0x0028a689, // n0x0bbc c0x0000 (---------------) + I yokkaichi
0x00278cc8, // n0x0bbd c0x0000 (---------------) + I furukawa
0x0028afd1, // n0x0bbe c0x0000 (---------------) + I higashimatsushima
0x0026248a, // n0x0bbf c0x0000 (---------------) + I ishinomaki
0x002dce87, // n0x0bc0 c0x0000 (---------------) + I iwanuma
0x00203c86, // n0x0bc1 c0x0000 (---------------) + I kakuda
0x00200dc4, // n0x0bc2 c0x0000 (---------------) + I kami
0x002af948, // n0x0bc3 c0x0000 (---------------) + I kawasaki
0x0030c909, // n0x0bc4 c0x0000 (---------------) + I kesennuma
0x00280148, // n0x0bc5 c0x0000 (---------------) + I marumori
0x0028b18a, // n0x0bc6 c0x0000 (---------------) + I matsushima
0x0031d94d, // n0x0bc7 c0x0000 (---------------) + I minamisanriku
0x002396c6, // n0x0bc8 c0x0000 (---------------) + I misato
0x00310986, // n0x0bc9 c0x0000 (---------------) + I murata
0x002ed906, // n0x0bca c0x0000 (---------------) + I natori
0x0022e487, // n0x0bcb c0x0000 (---------------) + I ogawara
0x00292045, // n0x0bcc c0x0000 (---------------) + I ohira
0x00218247, // n0x0bcd c0x0000 (---------------) + I onagawa
0x00200c85, // n0x0bce c0x0000 (---------------) + I osaki
0x002f9e44, // n0x0bcf c0x0000 (---------------) + I rifu
0x002c2686, // n0x0bd0 c0x0000 (---------------) + I semine
0x0020cd47, // n0x0bd1 c0x0000 (---------------) + I shibata
0x0022b48d, // n0x0bd2 c0x0000 (---------------) + I shichikashuku
0x0024ac47, // n0x0bd3 c0x0000 (---------------) + I shikama
0x002bcd88, // n0x0bd4 c0x0000 (---------------) + I shiogama
0x0026f609, // n0x0bd5 c0x0000 (---------------) + I shiroishi
0x00292bc6, // n0x0bd6 c0x0000 (---------------) + I tagajo
0x0023db05, // n0x0bd7 c0x0000 (---------------) + I taiwa
0x00242fc4, // n0x0bd8 c0x0000 (---------------) + I tome
0x00258186, // n0x0bd9 c0x0000 (---------------) + I tomiya
0x00340f06, // n0x0bda c0x0000 (---------------) + I wakuya
0x003668c6, // n0x0bdb c0x0000 (---------------) + I watari
0x0028e248, // n0x0bdc c0x0000 (---------------) + I yamamoto
0x002e14c3, // n0x0bdd c0x0000 (---------------) + I zao
0x00207103, // n0x0bde c0x0000 (---------------) + I aya
0x0034e505, // n0x0bdf c0x0000 (---------------) + I ebino
0x00261f06, // n0x0be0 c0x0000 (---------------) + I gokase
0x0029e3c5, // n0x0be1 c0x0000 (---------------) + I hyuga
0x00284548, // n0x0be2 c0x0000 (---------------) + I kadogawa
0x0028f7ca, // n0x0be3 c0x0000 (---------------) + I kawaminami
0x002f2884, // n0x0be4 c0x0000 (---------------) + I kijo
0x002d2d08, // n0x0be5 c0x0000 (---------------) + I kitagawa
0x002849c8, // n0x0be6 c0x0000 (---------------) + I kitakata
0x00290407, // n0x0be7 c0x0000 (---------------) + I kitaura
0x00236b49, // n0x0be8 c0x0000 (---------------) + I kobayashi
0x002a9f88, // n0x0be9 c0x0000 (---------------) + I kunitomi
0x00274007, // n0x0bea c0x0000 (---------------) + I kushima
0x002ad206, // n0x0beb c0x0000 (---------------) + I mimata
0x0021038a, // n0x0bec c0x0000 (---------------) + I miyakonojo
0x00258208, // n0x0bed c0x0000 (---------------) + I miyazaki
0x002ce109, // n0x0bee c0x0000 (---------------) + I morotsuka
0x002d1648, // n0x0bef c0x0000 (---------------) + I nichinan
0x0021f809, // n0x0bf0 c0x0000 (---------------) + I nishimera
0x002ce587, // n0x0bf1 c0x0000 (---------------) + I nobeoka
0x002e9b45, // n0x0bf2 c0x0000 (---------------) + I saito
0x00281246, // n0x0bf3 c0x0000 (---------------) + I shiiba
0x002f0248, // n0x0bf4 c0x0000 (---------------) + I shintomi
0x00275148, // n0x0bf5 c0x0000 (---------------) + I takaharu
0x002641c8, // n0x0bf6 c0x0000 (---------------) + I takanabe
0x002dd048, // n0x0bf7 c0x0000 (---------------) + I takazaki
0x0023ba85, // n0x0bf8 c0x0000 (---------------) + I tsuno
0x00200344, // n0x0bf9 c0x0000 (---------------) + I achi
0x002f86c8, // n0x0bfa c0x0000 (---------------) + I agematsu
0x002083c4, // n0x0bfb c0x0000 (---------------) + I anan
0x002e1504, // n0x0bfc c0x0000 (---------------) + I aoki
0x002b6c85, // n0x0bfd c0x0000 (---------------) + I asahi
0x00286947, // n0x0bfe c0x0000 (---------------) + I azumino
0x0021d009, // n0x0bff c0x0000 (---------------) + I chikuhoku
0x0026cb47, // n0x0c00 c0x0000 (---------------) + I chikuma
0x00207285, // n0x0c01 c0x0000 (---------------) + I chino
0x0026e186, // n0x0c02 c0x0000 (---------------) + I fujimi
0x00364d06, // n0x0c03 c0x0000 (---------------) + I hakuba
0x00204004, // n0x0c04 c0x0000 (---------------) + I hara
0x00293586, // n0x0c05 c0x0000 (---------------) + I hiraya
0x002038c4, // n0x0c06 c0x0000 (---------------) + I iida
0x00285bc6, // n0x0c07 c0x0000 (---------------) + I iijima
0x0020c446, // n0x0c08 c0x0000 (---------------) + I iiyama
0x00216c86, // n0x0c09 c0x0000 (---------------) + I iizuna
0x00203685, // n0x0c0a c0x0000 (---------------) + I ikeda
0x00284407, // n0x0c0b c0x0000 (---------------) + I ikusaka
0x00207483, // n0x0c0c c0x0000 (---------------) + I ina
0x00359989, // n0x0c0d c0x0000 (---------------) + I karuizawa
0x002dc688, // n0x0c0e c0x0000 (---------------) + I kawakami
0x00273e84, // n0x0c0f c0x0000 (---------------) + I kiso
0x00273e8d, // n0x0c10 c0x0000 (---------------) + I kisofukushima
0x00289b88, // n0x0c11 c0x0000 (---------------) + I kitaaiki
0x002a5dc8, // n0x0c12 c0x0000 (---------------) + I komagane
0x002ce086, // n0x0c13 c0x0000 (---------------) + I komoro
0x00297289, // n0x0c14 c0x0000 (---------------) + I matsukawa
0x002ad4c9, // n0x0c15 c0x0000 (---------------) + I matsumoto
0x003696c5, // n0x0c16 c0x0000 (---------------) + I miasa
0x0028f8ca, // n0x0c17 c0x0000 (---------------) + I minamiaiki
0x0025f8ca, // n0x0c18 c0x0000 (---------------) + I minamimaki
0x00264e4c, // n0x0c19 c0x0000 (---------------) + I minamiminowa
0x00264fc6, // n0x0c1a c0x0000 (---------------) + I minowa
0x0026e646, // n0x0c1b c0x0000 (---------------) + I miyada
0x002b9046, // n0x0c1c c0x0000 (---------------) + I miyota
0x0033f509, // n0x0c1d c0x0000 (---------------) + I mochizuki
0x002f8b86, // n0x0c1e c0x0000 (---------------) + I nagano
0x00218286, // n0x0c1f c0x0000 (---------------) + I nagawa
0x0031f906, // n0x0c20 c0x0000 (---------------) + I nagiso
0x002b68c8, // n0x0c21 c0x0000 (---------------) + I nakagawa
0x00331f06, // n0x0c22 c0x0000 (---------------) + I nakano
0x0021f58b, // n0x0c23 c0x0000 (---------------) + I nozawaonsen
0x00286ac5, // n0x0c24 c0x0000 (---------------) + I obuse
0x0022e485, // n0x0c25 c0x0000 (---------------) + I ogawa
0x0026e8c5, // n0x0c26 c0x0000 (---------------) + I okaya
0x0027dd06, // n0x0c27 c0x0000 (---------------) + I omachi
0x00210343, // n0x0c28 c0x0000 (---------------) + I omi
0x0023fe46, // n0x0c29 c0x0000 (---------------) + I ookuwa
0x0024abc7, // n0x0c2a c0x0000 (---------------) + I ooshika
0x002af805, // n0x0c2b c0x0000 (---------------) + I otaki
0x00256105, // n0x0c2c c0x0000 (---------------) + I otari
0x00351405, // n0x0c2d c0x0000 (---------------) + I sakae
0x00269f86, // n0x0c2e c0x0000 (---------------) + I sakaki
0x0020f3c4, // n0x0c2f c0x0000 (---------------) + I saku
0x0020f3c6, // n0x0c30 c0x0000 (---------------) + I sakuho
0x002ca209, // n0x0c31 c0x0000 (---------------) + I shimosuwa
0x0027db8c, // n0x0c32 c0x0000 (---------------) + I shinanomachi
0x002f9b88, // n0x0c33 c0x0000 (---------------) + I shiojiri
0x0025cac4, // n0x0c34 c0x0000 (---------------) + I suwa
0x002e6946, // n0x0c35 c0x0000 (---------------) + I suzaka
0x0021f406, // n0x0c36 c0x0000 (---------------) + I takagi
0x00263788, // n0x0c37 c0x0000 (---------------) + I takamori
0x003033c8, // n0x0c38 c0x0000 (---------------) + I takayama
0x0027da89, // n0x0c39 c0x0000 (---------------) + I tateshina
0x0023ba07, // n0x0c3a c0x0000 (---------------) + I tatsuno
0x00238989, // n0x0c3b c0x0000 (---------------) + I togakushi
0x002fdd86, // n0x0c3c c0x0000 (---------------) + I togura
0x002299c4, // n0x0c3d c0x0000 (---------------) + I tomi
0x00213e84, // n0x0c3e c0x0000 (---------------) + I ueda
0x00273c04, // n0x0c3f c0x0000 (---------------) + I wada
0x00274fc8, // n0x0c40 c0x0000 (---------------) + I yamagata
0x0021ce4a, // n0x0c41 c0x0000 (---------------) + I yamanouchi
0x00323286, // n0x0c42 c0x0000 (---------------) + I yasaka
0x00327007, // n0x0c43 c0x0000 (---------------) + I yasuoka
0x0022c2c7, // n0x0c44 c0x0000 (---------------) + I chijiwa
0x0024e7c5, // n0x0c45 c0x0000 (---------------) + I futsu
0x002da144, // n0x0c46 c0x0000 (---------------) + I goto
0x002827c6, // n0x0c47 c0x0000 (---------------) + I hasami
0x002a1946, // n0x0c48 c0x0000 (---------------) + I hirado
0x002046c3, // n0x0c49 c0x0000 (---------------) + I iki
0x002dc4c7, // n0x0c4a c0x0000 (---------------) + I isahaya
0x002eccc8, // n0x0c4b c0x0000 (---------------) + I kawatana
0x0036980a, // n0x0c4c c0x0000 (---------------) + I kuchinotsu
0x002bc5c8, // n0x0c4d c0x0000 (---------------) + I matsuura
0x002815c8, // n0x0c4e c0x0000 (---------------) + I nagasaki
0x002e1905, // n0x0c4f c0x0000 (---------------) + I obama
0x00214a85, // n0x0c50 c0x0000 (---------------) + I omura
0x002c8005, // n0x0c51 c0x0000 (---------------) + I oseto
0x0024eb86, // n0x0c52 c0x0000 (---------------) + I saikai
0x00255e86, // n0x0c53 c0x0000 (---------------) + I sasebo
0x002c19c5, // n0x0c54 c0x0000 (---------------) + I seihi
0x0023a1c9, // n0x0c55 c0x0000 (---------------) + I shimabara
0x002d9f4c, // n0x0c56 c0x0000 (---------------) + I shinkamigoto
0x00299f07, // n0x0c57 c0x0000 (---------------) + I togitsu
0x0028b208, // n0x0c58 c0x0000 (---------------) + I tsushima
0x00275305, // n0x0c59 c0x0000 (---------------) + I unzen
0x00629e84, // n0x0c5a c0x0001 (---------------) ! I city
0x00216584, // n0x0c5b c0x0000 (---------------) + I ando
0x00208104, // n0x0c5c c0x0000 (---------------) + I gose
0x0024f7c6, // n0x0c5d c0x0000 (---------------) + I heguri
0x002912ce, // n0x0c5e c0x0000 (---------------) + I higashiyoshino
0x0020bfc7, // n0x0c5f c0x0000 (---------------) + I ikaruga
0x0022e685, // n0x0c60 c0x0000 (---------------) + I ikoma
0x00284c8c, // n0x0c61 c0x0000 (---------------) + I kamikitayama
0x00317647, // n0x0c62 c0x0000 (---------------) + I kanmaki
0x0020ccc7, // n0x0c63 c0x0000 (---------------) + I kashiba
0x00210949, // n0x0c64 c0x0000 (---------------) + I kashihara
0x0021cb89, // n0x0c65 c0x0000 (---------------) + I katsuragi
0x00268a85, // n0x0c66 c0x0000 (---------------) + I kawai
0x002dc688, // n0x0c67 c0x0000 (---------------) + I kawakami
0x002ce849, // n0x0c68 c0x0000 (---------------) + I kawanishi
0x00308685, // n0x0c69 c0x0000 (---------------) + I koryo
0x002af748, // n0x0c6a c0x0000 (---------------) + I kurotaki
0x002c1606, // n0x0c6b c0x0000 (---------------) + I mitsue
0x0035b946, // n0x0c6c c0x0000 (---------------) + I miyake
0x0026ad04, // n0x0c6d c0x0000 (---------------) + I nara
0x00265fc8, // n0x0c6e c0x0000 (---------------) + I nosegawa
0x00220d03, // n0x0c6f c0x0000 (---------------) + I oji
0x00280904, // n0x0c70 c0x0000 (---------------) + I ouda
0x0031e485, // n0x0c71 c0x0000 (---------------) + I oyodo
0x002125c7, // n0x0c72 c0x0000 (---------------) + I sakurai
0x00298045, // n0x0c73 c0x0000 (---------------) + I sango
0x002b5349, // n0x0c74 c0x0000 (---------------) + I shimoichi
0x002c118d, // n0x0c75 c0x0000 (---------------) + I shimokitayama
0x002d2806, // n0x0c76 c0x0000 (---------------) + I shinjo
0x00262244, // n0x0c77 c0x0000 (---------------) + I soni
0x00349908, // n0x0c78 c0x0000 (---------------) + I takatori
0x0020b58a, // n0x0c79 c0x0000 (---------------) + I tawaramoto
0x003370c7, // n0x0c7a c0x0000 (---------------) + I tenkawa
0x002f1345, // n0x0c7b c0x0000 (---------------) + I tenri
0x00203d43, // n0x0c7c c0x0000 (---------------) + I uda
0x0029090e, // n0x0c7d c0x0000 (---------------) + I yamatokoriyama
0x00284e8c, // n0x0c7e c0x0000 (---------------) + I yamatotakada
0x0023be47, // n0x0c7f c0x0000 (---------------) + I yamazoe
0x00291487, // n0x0c80 c0x0000 (---------------) + I yoshino
0x00201603, // n0x0c81 c0x0000 (---------------) + I aga
0x002f8bc5, // n0x0c82 c0x0000 (---------------) + I agano
0x00208105, // n0x0c83 c0x0000 (---------------) + I gosen
0x0028bdc8, // n0x0c84 c0x0000 (---------------) + I itoigawa
0x00287c49, // n0x0c85 c0x0000 (---------------) + I izumozaki
0x00292cc6, // n0x0c86 c0x0000 (---------------) + I joetsu
0x00263804, // n0x0c87 c0x0000 (---------------) + I kamo
0x002dcdc6, // n0x0c88 c0x0000 (---------------) + I kariwa
0x0021efcb, // n0x0c89 c0x0000 (---------------) + I kashiwazaki
0x002a6fcc, // n0x0c8a c0x0000 (---------------) + I minamiuonuma
0x002724c7, // n0x0c8b c0x0000 (---------------) + I mitsuke
0x002c14c5, // n0x0c8c c0x0000 (---------------) + I muika
0x0027e3c8, // n0x0c8d c0x0000 (---------------) + I murakami
0x0033ad85, // n0x0c8e c0x0000 (---------------) + I myoko
0x00301707, // n0x0c8f c0x0000 (---------------) + I nagaoka
0x002622c7, // n0x0c90 c0x0000 (---------------) + I niigata
0x00263605, // n0x0c91 c0x0000 (---------------) + I ojiya
0x00210343, // n0x0c92 c0x0000 (---------------) + I omi
0x002edac4, // n0x0c93 c0x0000 (---------------) + I sado
0x002af045, // n0x0c94 c0x0000 (---------------) + I sanjo
0x00315e45, // n0x0c95 c0x0000 (---------------) + I seiro
0x00315e46, // n0x0c96 c0x0000 (---------------) + I seirou
0x002c9cc8, // n0x0c97 c0x0000 (---------------) + I sekikawa
0x0020cd47, // n0x0c98 c0x0000 (---------------) + I shibata
0x0032ad46, // n0x0c99 c0x0000 (---------------) + I tagami
0x003411c6, // n0x0c9a c0x0000 (---------------) + I tainai
0x00352c86, // n0x0c9b c0x0000 (---------------) + I tochio
0x002509c9, // n0x0c9c c0x0000 (---------------) + I tokamachi
0x00218607, // n0x0c9d c0x0000 (---------------) + I tsubame
0x0027a646, // n0x0c9e c0x0000 (---------------) + I tsunan
0x002a7146, // n0x0c9f c0x0000 (---------------) + I uonuma
0x0026c686, // n0x0ca0 c0x0000 (---------------) + I yahiko
0x002d2985, // n0x0ca1 c0x0000 (---------------) + I yoita
0x00216686, // n0x0ca2 c0x0000 (---------------) + I yuzawa
0x00354ec5, // n0x0ca3 c0x0000 (---------------) + I beppu
0x0035b588, // n0x0ca4 c0x0000 (---------------) + I bungoono
0x0025d0cb, // n0x0ca5 c0x0000 (---------------) + I bungotakada
0x002825c6, // n0x0ca6 c0x0000 (---------------) + I hasama
0x0022c304, // n0x0ca7 c0x0000 (---------------) + I hiji
0x00215789, // n0x0ca8 c0x0000 (---------------) + I himeshima
0x00293cc4, // n0x0ca9 c0x0000 (---------------) + I hita
0x002c1588, // n0x0caa c0x0000 (---------------) + I kamitsue
0x002eb107, // n0x0cab c0x0000 (---------------) + I kokonoe
0x0022b744, // n0x0cac c0x0000 (---------------) + I kuju
0x002a9548, // n0x0cad c0x0000 (---------------) + I kunisaki
0x002b0cc4, // n0x0cae c0x0000 (---------------) + I kusu
0x002d29c4, // n0x0caf c0x0000 (---------------) + I oita
0x0027bb45, // n0x0cb0 c0x0000 (---------------) + I saiki
0x002cc346, // n0x0cb1 c0x0000 (---------------) + I taketa
0x00316407, // n0x0cb2 c0x0000 (---------------) + I tsukumi
0x0021bc03, // n0x0cb3 c0x0000 (---------------) + I usa
0x00290345, // n0x0cb4 c0x0000 (---------------) + I usuki
0x00305fc4, // n0x0cb5 c0x0000 (---------------) + I yufu
0x0031e646, // n0x0cb6 c0x0000 (---------------) + I akaiwa
0x00369748, // n0x0cb7 c0x0000 (---------------) + I asakuchi
0x00367d85, // n0x0cb8 c0x0000 (---------------) + I bizen
0x00285ec9, // n0x0cb9 c0x0000 (---------------) + I hayashima
0x002db585, // n0x0cba c0x0000 (---------------) + I ibara
0x002b41c8, // n0x0cbb c0x0000 (---------------) + I kagamino
0x00202b47, // n0x0cbc c0x0000 (---------------) + I kasaoka
0x002e2048, // n0x0cbd c0x0000 (---------------) + I kibichuo
0x002a8c87, // n0x0cbe c0x0000 (---------------) + I kumenan
0x002ef1c9, // n0x0cbf c0x0000 (---------------) + I kurashiki
0x0025da86, // n0x0cc0 c0x0000 (---------------) + I maniwa
0x002d6146, // n0x0cc1 c0x0000 (---------------) + I misaki
0x002c6104, // n0x0cc2 c0x0000 (---------------) + I nagi
0x002df345, // n0x0cc3 c0x0000 (---------------) + I niimi
0x00211fcc, // n0x0cc4 c0x0000 (---------------) + I nishiawakura
0x0026e8c7, // n0x0cc5 c0x0000 (---------------) + I okayama
0x0026eec7, // n0x0cc6 c0x0000 (---------------) + I satosho
0x0022c188, // n0x0cc7 c0x0000 (---------------) + I setouchi
0x002d2806, // n0x0cc8 c0x0000 (---------------) + I shinjo
0x00291f84, // n0x0cc9 c0x0000 (---------------) + I shoo
0x002d5cc4, // n0x0cca c0x0000 (---------------) + I soja
0x00275a89, // n0x0ccb c0x0000 (---------------) + I takahashi
0x002b9146, // n0x0ccc c0x0000 (---------------) + I tamano
0x00235907, // n0x0ccd c0x0000 (---------------) + I tsuyama
0x0030e6c4, // n0x0cce c0x0000 (---------------) + I wake
0x00293686, // n0x0ccf c0x0000 (---------------) + I yakage
0x00202185, // n0x0cd0 c0x0000 (---------------) + I aguni
0x00293fc7, // n0x0cd1 c0x0000 (---------------) + I ginowan
0x0021f506, // n0x0cd2 c0x0000 (---------------) + I ginoza
0x00251889, // n0x0cd3 c0x0000 (---------------) + I gushikami
0x0031d787, // n0x0cd4 c0x0000 (---------------) + I haebaru
0x00287147, // n0x0cd5 c0x0000 (---------------) + I higashi
0x002930c6, // n0x0cd6 c0x0000 (---------------) + I hirara
0x00368c45, // n0x0cd7 c0x0000 (---------------) + I iheya
0x00273948, // n0x0cd8 c0x0000 (---------------) + I ishigaki
0x0021d5c8, // n0x0cd9 c0x0000 (---------------) + I ishikawa
0x00271c46, // n0x0cda c0x0000 (---------------) + I itoman
0x00367dc5, // n0x0cdb c0x0000 (---------------) + I izena
0x003013c6, // n0x0cdc c0x0000 (---------------) + I kadena
0x00207443, // n0x0cdd c0x0000 (---------------) + I kin
0x0028bc49, // n0x0cde c0x0000 (---------------) + I kitadaito
0x00289d0e, // n0x0cdf c0x0000 (---------------) + I kitanakagusuku
0x002a8048, // n0x0ce0 c0x0000 (---------------) + I kumejima
0x002e6148, // n0x0ce1 c0x0000 (---------------) + I kunigami
0x00271a4b, // n0x0ce2 c0x0000 (---------------) + I minamidaito
0x00286106, // n0x0ce3 c0x0000 (---------------) + I motobu
0x002e0104, // n0x0ce4 c0x0000 (---------------) + I nago
0x00225e84, // n0x0ce5 c0x0000 (---------------) + I naha
0x00289e0a, // n0x0ce6 c0x0000 (---------------) + I nakagusuku
0x00210cc7, // n0x0ce7 c0x0000 (---------------) + I nakijin
0x0027a705, // n0x0ce8 c0x0000 (---------------) + I nanjo
0x00215e49, // n0x0ce9 c0x0000 (---------------) + I nishihara
0x002ad145, // n0x0cea c0x0000 (---------------) + I ogimi
0x002e1547, // n0x0ceb c0x0000 (---------------) + I okinawa
0x00244544, // n0x0cec c0x0000 (---------------) + I onna
0x002be987, // n0x0ced c0x0000 (---------------) + I shimoji
0x0026b888, // n0x0cee c0x0000 (---------------) + I taketomi
0x002d67c6, // n0x0cef c0x0000 (---------------) + I tarama
0x0029fd49, // n0x0cf0 c0x0000 (---------------) + I tokashiki
0x002aa08a, // n0x0cf1 c0x0000 (---------------) + I tomigusuku
0x00210c46, // n0x0cf2 c0x0000 (---------------) + I tonaki
0x002896c6, // n0x0cf3 c0x0000 (---------------) + I urasoe
0x0029df05, // n0x0cf4 c0x0000 (---------------) + I uruma
0x00342e85, // n0x0cf5 c0x0000 (---------------) + I yaese
0x0034e887, // n0x0cf6 c0x0000 (---------------) + I yomitan
0x00355508, // n0x0cf7 c0x0000 (---------------) + I yonabaru
0x002020c8, // n0x0cf8 c0x0000 (---------------) + I yonaguni
0x00222306, // n0x0cf9 c0x0000 (---------------) + I zamami
0x002a2b85, // n0x0cfa c0x0000 (---------------) + I abeno
0x002e020e, // n0x0cfb c0x0000 (---------------) + I chihayaakasaka
0x00283d04, // n0x0cfc c0x0000 (---------------) + I chuo
0x00271bc5, // n0x0cfd c0x0000 (---------------) + I daito
0x0026db09, // n0x0cfe c0x0000 (---------------) + I fujiidera
0x00268888, // n0x0cff c0x0000 (---------------) + I habikino
0x0027ed46, // n0x0d00 c0x0000 (---------------) + I hannan
0x0028decc, // n0x0d01 c0x0000 (---------------) + I higashiosaka
0x0028f3d0, // n0x0d02 c0x0000 (---------------) + I higashisumiyoshi
0x00290f0f, // n0x0d03 c0x0000 (---------------) + I higashiyodogawa
0x00292088, // n0x0d04 c0x0000 (---------------) + I hirakata
0x00336847, // n0x0d05 c0x0000 (---------------) + I ibaraki
0x00203685, // n0x0d06 c0x0000 (---------------) + I ikeda
0x0027be05, // n0x0d07 c0x0000 (---------------) + I izumi
0x00316289, // n0x0d08 c0x0000 (---------------) + I izumiotsu
0x0027be09, // n0x0d09 c0x0000 (---------------) + I izumisano
0x0023ce86, // n0x0d0a c0x0000 (---------------) + I kadoma
0x002f4d87, // n0x0d0b c0x0000 (---------------) + I kaizuka
0x00208385, // n0x0d0c c0x0000 (---------------) + I kanan
0x00217b09, // n0x0d0d c0x0000 (---------------) + I kashiwara
0x0033ec86, // n0x0d0e c0x0000 (---------------) + I katano
0x002f89cd, // n0x0d0f c0x0000 (---------------) + I kawachinagano
0x00273ac9, // n0x0d10 c0x0000 (---------------) + I kishiwada
0x00275f44, // n0x0d11 c0x0000 (---------------) + I kita
0x002a7dc8, // n0x0d12 c0x0000 (---------------) + I kumatori
0x002f8789, // n0x0d13 c0x0000 (---------------) + I matsubara
0x00323446, // n0x0d14 c0x0000 (---------------) + I minato
0x0026e285, // n0x0d15 c0x0000 (---------------) + I minoh
0x002d6146, // n0x0d16 c0x0000 (---------------) + I misaki
0x002e4149, // n0x0d17 c0x0000 (---------------) + I moriguchi
0x002bd288, // n0x0d18 c0x0000 (---------------) + I neyagawa
0x00211fc5, // n0x0d19 c0x0000 (---------------) + I nishi
0x00265fc4, // n0x0d1a c0x0000 (---------------) + I nose
0x0028e08b, // n0x0d1b c0x0000 (---------------) + I osakasayama
0x00323305, // n0x0d1c c0x0000 (---------------) + I sakai
0x0022b286, // n0x0d1d c0x0000 (---------------) + I sayama
0x0025cf46, // n0x0d1e c0x0000 (---------------) + I sennan
0x0031c986, // n0x0d1f c0x0000 (---------------) + I settsu
0x00236ccb, // n0x0d20 c0x0000 (---------------) + I shijonawate
0x00285fc9, // n0x0d21 c0x0000 (---------------) + I shimamoto
0x0035ae05, // n0x0d22 c0x0000 (---------------) + I suita
0x00251107, // n0x0d23 c0x0000 (---------------) + I tadaoka
0x00262406, // n0x0d24 c0x0000 (---------------) + I taishi
0x0024a106, // n0x0d25 c0x0000 (---------------) + I tajiri
0x00276248, // n0x0d26 c0x0000 (---------------) + I takaishi
0x0021ab49, // n0x0d27 c0x0000 (---------------) + I takatsuki
0x002bcb4c, // n0x0d28 c0x0000 (---------------) + I tondabayashi
0x00243888, // n0x0d29 c0x0000 (---------------) + I toyonaka
0x00248546, // n0x0d2a c0x0000 (---------------) + I toyono
0x00305943, // n0x0d2b c0x0000 (---------------) + I yao
0x00286646, // n0x0d2c c0x0000 (---------------) + I ariake
0x00281085, // n0x0d2d c0x0000 (---------------) + I arita
0x00271308, // n0x0d2e c0x0000 (---------------) + I fukudomi
0x00220086, // n0x0d2f c0x0000 (---------------) + I genkai
0x00294208, // n0x0d30 c0x0000 (---------------) + I hamatama
0x00245805, // n0x0d31 c0x0000 (---------------) + I hizen
0x003397c5, // n0x0d32 c0x0000 (---------------) + I imari
0x00202dc8, // n0x0d33 c0x0000 (---------------) + I kamimine
0x00250707, // n0x0d34 c0x0000 (---------------) + I kanzaki
0x0032a987, // n0x0d35 c0x0000 (---------------) + I karatsu
0x002ad387, // n0x0d36 c0x0000 (---------------) + I kashima
0x00275f48, // n0x0d37 c0x0000 (---------------) + I kitagata
0x00297008, // n0x0d38 c0x0000 (---------------) + I kitahata
0x002839c6, // n0x0d39 c0x0000 (---------------) + I kiyama
0x002a1f47, // n0x0d3a c0x0000 (---------------) + I kouhoku
0x002ae0c7, // n0x0d3b c0x0000 (---------------) + I kyuragi
0x00280f4a, // n0x0d3c c0x0000 (---------------) + I nishiarita
0x00239d83, // n0x0d3d c0x0000 (---------------) + I ogi
0x0027dd06, // n0x0d3e c0x0000 (---------------) + I omachi
0x0021cf85, // n0x0d3f c0x0000 (---------------) + I ouchi
0x00276544, // n0x0d40 c0x0000 (---------------) + I saga
0x0026f609, // n0x0d41 c0x0000 (---------------) + I shiroishi
0x002ef144, // n0x0d42 c0x0000 (---------------) + I taku
0x0029e6c4, // n0x0d43 c0x0000 (---------------) + I tara
0x00287f84, // n0x0d44 c0x0000 (---------------) + I tosu
0x0029148b, // n0x0d45 c0x0000 (---------------) + I yoshinogari
0x002f8907, // n0x0d46 c0x0000 (---------------) + I arakawa
0x002e0445, // n0x0d47 c0x0000 (---------------) + I asaka
0x00287308, // n0x0d48 c0x0000 (---------------) + I chichibu
0x0026e186, // n0x0d49 c0x0000 (---------------) + I fujimi
0x0026e188, // n0x0d4a c0x0000 (---------------) + I fujimino
0x00270206, // n0x0d4b c0x0000 (---------------) + I fukaya
0x0027f805, // n0x0d4c c0x0000 (---------------) + I hanno
0x0027fd85, // n0x0d4d c0x0000 (---------------) + I hanyu
0x002834c6, // n0x0d4e c0x0000 (---------------) + I hasuda
0x00283e08, // n0x0d4f c0x0000 (---------------) + I hatogaya
0x00284748, // n0x0d50 c0x0000 (---------------) + I hatoyama
0x0026f7c6, // n0x0d51 c0x0000 (---------------) + I hidaka
0x0028714f, // n0x0d52 c0x0000 (---------------) + I higashichichibu
0x0028b710, // n0x0d53 c0x0000 (---------------) + I higashimatsuyama
0x00209e45, // n0x0d54 c0x0000 (---------------) + I honjo
0x00207483, // n0x0d55 c0x0000 (---------------) + I ina
0x00280085, // n0x0d56 c0x0000 (---------------) + I iruma
0x0029ea48, // n0x0d57 c0x0000 (---------------) + I iwatsuki
0x0027bd09, // n0x0d58 c0x0000 (---------------) + I kamiizumi
0x00300188, // n0x0d59 c0x0000 (---------------) + I kamikawa
0x0032fc88, // n0x0d5a c0x0000 (---------------) + I kamisato
0x00226588, // n0x0d5b c0x0000 (---------------) + I kasukabe
0x002e0507, // n0x0d5c c0x0000 (---------------) + I kawagoe
0x0026de49, // n0x0d5d c0x0000 (---------------) + I kawaguchi
0x00294408, // n0x0d5e c0x0000 (---------------) + I kawajima
0x0024c7c4, // n0x0d5f c0x0000 (---------------) + I kazo
0x00287e08, // n0x0d60 c0x0000 (---------------) + I kitamoto
0x00257049, // n0x0d61 c0x0000 (---------------) + I koshigaya
0x002a2607, // n0x0d62 c0x0000 (---------------) + I kounosu
0x002aa284, // n0x0d63 c0x0000 (---------------) + I kuki
0x0026cc08, // n0x0d64 c0x0000 (---------------) + I kumagaya
0x002841ca, // n0x0d65 c0x0000 (---------------) + I matsubushi
0x002b80c6, // n0x0d66 c0x0000 (---------------) + I minano
0x002396c6, // n0x0d67 c0x0000 (---------------) + I misato
0x00221289, // n0x0d68 c0x0000 (---------------) + I miyashiro
0x0028f607, // n0x0d69 c0x0000 (---------------) + I miyoshi
0x002bd488, // n0x0d6a c0x0000 (---------------) + I moroyama
0x00355148, // n0x0d6b c0x0000 (---------------) + I nagatoro
0x00340d88, // n0x0d6c c0x0000 (---------------) + I namegawa
0x0029d2c5, // n0x0d6d c0x0000 (---------------) + I niiza
0x00260945, // n0x0d6e c0x0000 (---------------) + I ogano
0x0022e485, // n0x0d6f c0x0000 (---------------) + I ogawa
0x002080c5, // n0x0d70 c0x0000 (---------------) + I ogose
0x002a4fc7, // n0x0d71 c0x0000 (---------------) + I okegawa
0x00210345, // n0x0d72 c0x0000 (---------------) + I omiya
0x002af805, // n0x0d73 c0x0000 (---------------) + I otaki
0x00209246, // n0x0d74 c0x0000 (---------------) + I ranzan
0x003000c7, // n0x0d75 c0x0000 (---------------) + I ryokami
0x002daf07, // n0x0d76 c0x0000 (---------------) + I saitama
0x002844c6, // n0x0d77 c0x0000 (---------------) + I sakado
0x002c2dc5, // n0x0d78 c0x0000 (---------------) + I satte
0x0022b286, // n0x0d79 c0x0000 (---------------) + I sayama
0x00235ac5, // n0x0d7a c0x0000 (---------------) + I shiki
0x00339dc8, // n0x0d7b c0x0000 (---------------) + I shiraoka
0x0030f244, // n0x0d7c c0x0000 (---------------) + I soka
0x002b7946, // n0x0d7d c0x0000 (---------------) + I sugito
0x00206d84, // n0x0d7e c0x0000 (---------------) + I toda
0x002b7a48, // n0x0d7f c0x0000 (---------------) + I tokigawa
0x002e9c0a, // n0x0d80 c0x0000 (---------------) + I tokorozawa
0x0032c28c, // n0x0d81 c0x0000 (---------------) + I tsurugashima
0x00260f45, // n0x0d82 c0x0000 (---------------) + I urawa
0x0022e546, // n0x0d83 c0x0000 (---------------) + I warabi
0x002bcd06, // n0x0d84 c0x0000 (---------------) + I yashio
0x0034e3c6, // n0x0d85 c0x0000 (---------------) + I yokoze
0x002485c4, // n0x0d86 c0x0000 (---------------) + I yono
0x00202a05, // n0x0d87 c0x0000 (---------------) + I yorii
0x00270047, // n0x0d88 c0x0000 (---------------) + I yoshida
0x0028f689, // n0x0d89 c0x0000 (---------------) + I yoshikawa
0x00295107, // n0x0d8a c0x0000 (---------------) + I yoshimi
0x00629e84, // n0x0d8b c0x0001 (---------------) ! I city
0x00629e84, // n0x0d8c c0x0001 (---------------) ! I city
0x002b0845, // n0x0d8d c0x0000 (---------------) + I aisho
0x0033b5c4, // n0x0d8e c0x0000 (---------------) + I gamo
0x0028d04a, // n0x0d8f c0x0000 (---------------) + I higashiomi
0x0026e006, // n0x0d90 c0x0000 (---------------) + I hikone
0x0032fc04, // n0x0d91 c0x0000 (---------------) + I koka
0x002e3845, // n0x0d92 c0x0000 (---------------) + I konan
0x0029ef45, // n0x0d93 c0x0000 (---------------) + I kosei
0x002a1844, // n0x0d94 c0x0000 (---------------) + I koto
0x00276f47, // n0x0d95 c0x0000 (---------------) + I kusatsu
0x002db507, // n0x0d96 c0x0000 (---------------) + I maibara
0x002bc448, // n0x0d97 c0x0000 (---------------) + I moriyama
0x00300fc8, // n0x0d98 c0x0000 (---------------) + I nagahama
0x00212e89, // n0x0d99 c0x0000 (---------------) + I nishiazai
0x002b9f48, // n0x0d9a c0x0000 (---------------) + I notogawa
0x0028d20b, // n0x0d9b c0x0000 (---------------) + I omihachiman
0x00259c84, // n0x0d9c c0x0000 (---------------) + I otsu
0x002fdcc5, // n0x0d9d c0x0000 (---------------) + I ritto
0x002513c5, // n0x0d9e c0x0000 (---------------) + I ryuoh
0x002ad309, // n0x0d9f c0x0000 (---------------) + I takashima
0x0021ab49, // n0x0da0 c0x0000 (---------------) + I takatsuki
0x00215688, // n0x0da1 c0x0000 (---------------) + I torahime
0x00251f48, // n0x0da2 c0x0000 (---------------) + I toyosato
0x002905c4, // n0x0da3 c0x0000 (---------------) + I yasu
0x0021f445, // n0x0da4 c0x0000 (---------------) + I akagi
0x00203dc3, // n0x0da5 c0x0000 (---------------) + I ama
0x002d2bc5, // n0x0da6 c0x0000 (---------------) + I gotsu
0x002952c6, // n0x0da7 c0x0000 (---------------) + I hamada
0x00287a8c, // n0x0da8 c0x0000 (---------------) + I higashiizumo
0x0021d646, // n0x0da9 c0x0000 (---------------) + I hikawa
0x00294a86, // n0x0daa c0x0000 (---------------) + I hikimi
0x0027efc5, // n0x0dab c0x0000 (---------------) + I izumo
0x0026a008, // n0x0dac c0x0000 (---------------) + I kakinoki
0x002a3e06, // n0x0dad c0x0000 (---------------) + I masuda
0x00203e06, // n0x0dae c0x0000 (---------------) + I matsue
0x002396c6, // n0x0daf c0x0000 (---------------) + I misato
0x00226d4c, // n0x0db0 c0x0000 (---------------) + I nishinoshima
0x00265b44, // n0x0db1 c0x0000 (---------------) + I ohda
0x00352dca, // n0x0db2 c0x0000 (---------------) + I okinoshima
0x0027ef08, // n0x0db3 c0x0000 (---------------) + I okuizumo
0x002878c7, // n0x0db4 c0x0000 (---------------) + I shimane
0x00305ec6, // n0x0db5 c0x0000 (---------------) + I tamayu
0x0025ca87, // n0x0db6 c0x0000 (---------------) + I tsuwano
0x002d0d85, // n0x0db7 c0x0000 (---------------) + I unnan
0x00368d06, // n0x0db8 c0x0000 (---------------) + I yakumo
0x003244c6, // n0x0db9 c0x0000 (---------------) + I yasugi
0x0032a847, // n0x0dba c0x0000 (---------------) + I yatsuka
0x0029e544, // n0x0dbb c0x0000 (---------------) + I arai
0x00369605, // n0x0dbc c0x0000 (---------------) + I atami
0x0026db04, // n0x0dbd c0x0000 (---------------) + I fuji
0x002f9ec7, // n0x0dbe c0x0000 (---------------) + I fujieda
0x0026dd48, // n0x0dbf c0x0000 (---------------) + I fujikawa
0x0026e4ca, // n0x0dc0 c0x0000 (---------------) + I fujinomiya
0x002737c7, // n0x0dc1 c0x0000 (---------------) + I fukuroi
0x00299307, // n0x0dc2 c0x0000 (---------------) + I gotemba
0x003367c7, // n0x0dc3 c0x0000 (---------------) + I haibara
0x0033aec9, // n0x0dc4 c0x0000 (---------------) + I hamamatsu
0x00287a8a, // n0x0dc5 c0x0000 (---------------) + I higashiizu
0x00228743, // n0x0dc6 c0x0000 (---------------) + I ito
0x0029e605, // n0x0dc7 c0x0000 (---------------) + I iwata
0x00216cc3, // n0x0dc8 c0x0000 (---------------) + I izu
0x00235bc9, // n0x0dc9 c0x0000 (---------------) + I izunokuni
0x002705c8, // n0x0dca c0x0000 (---------------) + I kakegawa
0x00339f47, // n0x0dcb c0x0000 (---------------) + I kannami
0x00300289, // n0x0dcc c0x0000 (---------------) + I kawanehon
0x0021d6c6, // n0x0dcd c0x0000 (---------------) + I kawazu
0x00262688, // n0x0dce c0x0000 (---------------) + I kikugawa
0x003308c5, // n0x0dcf c0x0000 (---------------) + I kosai
0x0033220a, // n0x0dd0 c0x0000 (---------------) + I makinohara
0x002bd609, // n0x0dd1 c0x0000 (---------------) + I matsuzaki
0x0024fcc9, // n0x0dd2 c0x0000 (---------------) + I minamiizu
0x002b7187, // n0x0dd3 c0x0000 (---------------) + I mishima
0x00280249, // n0x0dd4 c0x0000 (---------------) + I morimachi
0x00216b88, // n0x0dd5 c0x0000 (---------------) + I nishiizu
0x002e6d06, // n0x0dd6 c0x0000 (---------------) + I numazu
0x0022e708, // n0x0dd7 c0x0000 (---------------) + I omaezaki
0x002f8ec7, // n0x0dd8 c0x0000 (---------------) + I shimada
0x00228887, // n0x0dd9 c0x0000 (---------------) + I shimizu
0x002d6b47, // n0x0dda c0x0000 (---------------) + I shimoda
0x002d6d88, // n0x0ddb c0x0000 (---------------) + I shizuoka
0x002e67c6, // n0x0ddc c0x0000 (---------------) + I susono
0x00283f85, // n0x0ddd c0x0000 (---------------) + I yaizu
0x00270047, // n0x0dde c0x0000 (---------------) + I yoshida
0x002891c8, // n0x0ddf c0x0000 (---------------) + I ashikaga
0x00343f84, // n0x0de0 c0x0000 (---------------) + I bato
0x00323e04, // n0x0de1 c0x0000 (---------------) + I haga
0x002dc887, // n0x0de2 c0x0000 (---------------) + I ichikai
0x00234207, // n0x0de3 c0x0000 (---------------) + I iwafune
0x002ce6ca, // n0x0de4 c0x0000 (---------------) + I kaminokawa
0x002e6c86, // n0x0de5 c0x0000 (---------------) + I kanuma
0x002f4eca, // n0x0de6 c0x0000 (---------------) + I karasuyama
0x002ad807, // n0x0de7 c0x0000 (---------------) + I kuroiso
0x00283ac7, // n0x0de8 c0x0000 (---------------) + I mashiko
0x0022ae04, // n0x0de9 c0x0000 (---------------) + I mibu
0x002bfc04, // n0x0dea c0x0000 (---------------) + I moka
0x00334e86, // n0x0deb c0x0000 (---------------) + I motegi
0x00365104, // n0x0dec c0x0000 (---------------) + I nasu
0x0036510c, // n0x0ded c0x0000 (---------------) + I nasushiobara
0x0020dbc5, // n0x0dee c0x0000 (---------------) + I nikko
0x0021a989, // n0x0def c0x0000 (---------------) + I nishikata
0x002b4344, // n0x0df0 c0x0000 (---------------) + I nogi
0x00292045, // n0x0df1 c0x0000 (---------------) + I ohira
0x0020b508, // n0x0df2 c0x0000 (---------------) + I ohtawara
0x00284805, // n0x0df3 c0x0000 (---------------) + I oyama
0x0020ff46, // n0x0df4 c0x0000 (---------------) + I sakura
0x0027bf44, // n0x0df5 c0x0000 (---------------) + I sano
0x002cce4a, // n0x0df6 c0x0000 (---------------) + I shimotsuke
0x003134c6, // n0x0df7 c0x0000 (---------------) + I shioya
0x0034a14a, // n0x0df8 c0x0000 (---------------) + I takanezawa
0x00344007, // n0x0df9 c0x0000 (---------------) + I tochigi
0x00205e45, // n0x0dfa c0x0000 (---------------) + I tsuga
0x00215305, // n0x0dfb c0x0000 (---------------) + I ujiie
0x0024e80a, // n0x0dfc c0x0000 (---------------) + I utsunomiya
0x002636c5, // n0x0dfd c0x0000 (---------------) + I yaita
0x00291c46, // n0x0dfe c0x0000 (---------------) + I aizumi
0x002083c4, // n0x0dff c0x0000 (---------------) + I anan
0x002a8f46, // n0x0e00 c0x0000 (---------------) + I ichiba
0x0034e945, // n0x0e01 c0x0000 (---------------) + I itano
0x00220146, // n0x0e02 c0x0000 (---------------) + I kainan
0x002b004c, // n0x0e03 c0x0000 (---------------) + I komatsushima
0x002b72ca, // n0x0e04 c0x0000 (---------------) + I matsushige
0x0025f9c4, // n0x0e05 c0x0000 (---------------) + I mima
0x00228ac6, // n0x0e06 c0x0000 (---------------) + I minami
0x0028f607, // n0x0e07 c0x0000 (---------------) + I miyoshi
0x002c0c84, // n0x0e08 c0x0000 (---------------) + I mugi
0x002b68c8, // n0x0e09 c0x0000 (---------------) + I nakagawa
0x00349586, // n0x0e0a c0x0000 (---------------) + I naruto
0x002e0089, // n0x0e0b c0x0000 (---------------) + I sanagochi
0x002d5849, // n0x0e0c c0x0000 (---------------) + I shishikui
0x002efc89, // n0x0e0d c0x0000 (---------------) + I tokushima
0x00228c86, // n0x0e0e c0x0000 (---------------) + I wajiki
0x002f8fc6, // n0x0e0f c0x0000 (---------------) + I adachi
0x0022e847, // n0x0e10 c0x0000 (---------------) + I akiruno
0x0023a108, // n0x0e11 c0x0000 (---------------) + I akishima
0x002f8dc9, // n0x0e12 c0x0000 (---------------) + I aogashima
0x002f8907, // n0x0e13 c0x0000 (---------------) + I arakawa
0x00286206, // n0x0e14 c0x0000 (---------------) + I bunkyo
0x00200387, // n0x0e15 c0x0000 (---------------) + I chiyoda
0x002ed7c5, // n0x0e16 c0x0000 (---------------) + I chofu
0x00283d04, // n0x0e17 c0x0000 (---------------) + I chuo
0x0022e407, // n0x0e18 c0x0000 (---------------) + I edogawa
0x00203a85, // n0x0e19 c0x0000 (---------------) + I fuchu
0x00279205, // n0x0e1a c0x0000 (---------------) + I fussa
0x0023f107, // n0x0e1b c0x0000 (---------------) + I hachijo
0x002634c8, // n0x0e1c c0x0000 (---------------) + I hachioji
0x0027e346, // n0x0e1d c0x0000 (---------------) + I hamura
0x0028a20d, // n0x0e1e c0x0000 (---------------) + I higashikurume
0x0028bfcf, // n0x0e1f c0x0000 (---------------) + I higashimurayama
0x0029074d, // n0x0e20 c0x0000 (---------------) + I higashiyamato
0x002072c4, // n0x0e21 c0x0000 (---------------) + I hino
0x00236646, // n0x0e22 c0x0000 (---------------) + I hinode
0x002c4548, // n0x0e23 c0x0000 (---------------) + I hinohara
0x0031f8c5, // n0x0e24 c0x0000 (---------------) + I inagi
0x00281108, // n0x0e25 c0x0000 (---------------) + I itabashi
0x0022cc4a, // n0x0e26 c0x0000 (---------------) + I katsushika
0x00275f44, // n0x0e27 c0x0000 (---------------) + I kita
0x0020d006, // n0x0e28 c0x0000 (---------------) + I kiyose
0x00249307, // n0x0e29 c0x0000 (---------------) + I kodaira
0x002d7f07, // n0x0e2a c0x0000 (---------------) + I koganei
0x003350c9, // n0x0e2b c0x0000 (---------------) + I kokubunji
0x0022e6c5, // n0x0e2c c0x0000 (---------------) + I komae
0x002a1844, // n0x0e2d c0x0000 (---------------) + I koto
0x002a3c0a, // n0x0e2e c0x0000 (---------------) + I kouzushima
0x002a99c9, // n0x0e2f c0x0000 (---------------) + I kunitachi
0x00280347, // n0x0e30 c0x0000 (---------------) + I machida
0x002cd786, // n0x0e31 c0x0000 (---------------) + I meguro
0x00323446, // n0x0e32 c0x0000 (---------------) + I minato
0x0021f386, // n0x0e33 c0x0000 (---------------) + I mitaka
0x00240046, // n0x0e34 c0x0000 (---------------) + I mizuho
0x002c3a4f, // n0x0e35 c0x0000 (---------------) + I musashimurayama
0x002c4409, // n0x0e36 c0x0000 (---------------) + I musashino
0x00331f06, // n0x0e37 c0x0000 (---------------) + I nakano
0x00339706, // n0x0e38 c0x0000 (---------------) + I nerima
0x0023ab09, // n0x0e39 c0x0000 (---------------) + I ogasawara
0x002a2047, // n0x0e3a c0x0000 (---------------) + I okutama
0x00214fc3, // n0x0e3b c0x0000 (---------------) + I ome
0x00226ec6, // n0x0e3c c0x0000 (---------------) + I oshima
0x00211243, // n0x0e3d c0x0000 (---------------) + I ota
0x002d3308, // n0x0e3e c0x0000 (---------------) + I setagaya
0x00232ec7, // n0x0e3f c0x0000 (---------------) + I shibuya
0x00292289, // n0x0e40 c0x0000 (---------------) + I shinagawa
0x002d4208, // n0x0e41 c0x0000 (---------------) + I shinjuku
0x0032aac8, // n0x0e42 c0x0000 (---------------) + I suginami
0x00288006, // n0x0e43 c0x0000 (---------------) + I sumida
0x0035aec9, // n0x0e44 c0x0000 (---------------) + I tachikawa
0x002388c5, // n0x0e45 c0x0000 (---------------) + I taito
0x00294304, // n0x0e46 c0x0000 (---------------) + I tama
0x002c5487, // n0x0e47 c0x0000 (---------------) + I toshima
0x0033f585, // n0x0e48 c0x0000 (---------------) + I chizu
0x002072c4, // n0x0e49 c0x0000 (---------------) + I hino
0x00278dc8, // n0x0e4a c0x0000 (---------------) + I kawahara
0x00204904, // n0x0e4b c0x0000 (---------------) + I koge
0x002a1d87, // n0x0e4c c0x0000 (---------------) + I kotoura
0x002de746, // n0x0e4d c0x0000 (---------------) + I misasa
0x0025d005, // n0x0e4e c0x0000 (---------------) + I nanbu
0x002d1648, // n0x0e4f c0x0000 (---------------) + I nichinan
0x0032330b, // n0x0e50 c0x0000 (---------------) + I sakaiminato
0x002f7947, // n0x0e51 c0x0000 (---------------) + I tottori
0x0024ea86, // n0x0e52 c0x0000 (---------------) + I wakasa
0x002b8644, // n0x0e53 c0x0000 (---------------) + I yazu
0x0036a886, // n0x0e54 c0x0000 (---------------) + I yonago
0x002b6c85, // n0x0e55 c0x0000 (---------------) + I asahi
0x00203a85, // n0x0e56 c0x0000 (---------------) + I fuchu
0x002723c9, // n0x0e57 c0x0000 (---------------) + I fukumitsu
0x00276b49, // n0x0e58 c0x0000 (---------------) + I funahashi
0x002288c4, // n0x0e59 c0x0000 (---------------) + I himi
0x00228905, // n0x0e5a c0x0000 (---------------) + I imizu
0x00228b05, // n0x0e5b c0x0000 (---------------) + I inami
0x00332086, // n0x0e5c c0x0000 (---------------) + I johana
0x002dc788, // n0x0e5d c0x0000 (---------------) + I kamiichi
0x002abb06, // n0x0e5e c0x0000 (---------------) + I kurobe
0x002ecb0b, // n0x0e5f c0x0000 (---------------) + I nakaniikawa
0x002445ca, // n0x0e60 c0x0000 (---------------) + I namerikawa
0x0029fc85, // n0x0e61 c0x0000 (---------------) + I nanto
0x0027fe06, // n0x0e62 c0x0000 (---------------) + I nyuzen
0x002a2b05, // n0x0e63 c0x0000 (---------------) + I oyabe
0x00366c85, // n0x0e64 c0x0000 (---------------) + I taira
0x00284b47, // n0x0e65 c0x0000 (---------------) + I takaoka
0x00223548, // n0x0e66 c0x0000 (---------------) + I tateyama
0x00238984, // n0x0e67 c0x0000 (---------------) + I toga
0x0029a406, // n0x0e68 c0x0000 (---------------) + I tonami
0x002847c6, // n0x0e69 c0x0000 (---------------) + I toyama
0x00216d47, // n0x0e6a c0x0000 (---------------) + I unazuki
0x002e21c4, // n0x0e6b c0x0000 (---------------) + I uozu
0x00271186, // n0x0e6c c0x0000 (---------------) + I yamada
0x00258985, // n0x0e6d c0x0000 (---------------) + I arida
0x00258989, // n0x0e6e c0x0000 (---------------) + I aridagawa
0x002f91c4, // n0x0e6f c0x0000 (---------------) + I gobo
0x002da2c9, // n0x0e70 c0x0000 (---------------) + I hashimoto
0x0026f7c6, // n0x0e71 c0x0000 (---------------) + I hidaka
0x002b04c8, // n0x0e72 c0x0000 (---------------) + I hirogawa
0x00228b05, // n0x0e73 c0x0000 (---------------) + I inami
0x0022c3c5, // n0x0e74 c0x0000 (---------------) + I iwade
0x00220146, // n0x0e75 c0x0000 (---------------) + I kainan
0x002bca49, // n0x0e76 c0x0000 (---------------) + I kamitonda
0x0021cb89, // n0x0e77 c0x0000 (---------------) + I katsuragi
0x00294b06, // n0x0e78 c0x0000 (---------------) + I kimino
0x00268988, // n0x0e79 c0x0000 (---------------) + I kinokawa
0x00284d88, // n0x0e7a c0x0000 (---------------) + I kitayama
0x002a2ac4, // n0x0e7b c0x0000 (---------------) + I koya
0x002a3f84, // n0x0e7c c0x0000 (---------------) + I koza
0x002a3f88, // n0x0e7d c0x0000 (---------------) + I kozagawa
0x00307dc8, // n0x0e7e c0x0000 (---------------) + I kudoyama
0x00238a89, // n0x0e7f c0x0000 (---------------) + I kushimoto
0x00295246, // n0x0e80 c0x0000 (---------------) + I mihama
0x002396c6, // n0x0e81 c0x0000 (---------------) + I misato
0x00304fcd, // n0x0e82 c0x0000 (---------------) + I nachikatsuura
0x00267246, // n0x0e83 c0x0000 (---------------) + I shingu
0x003148c9, // n0x0e84 c0x0000 (---------------) + I shirahama
0x0030cdc5, // n0x0e85 c0x0000 (---------------) + I taiji
0x00213c06, // n0x0e86 c0x0000 (---------------) + I tanabe
0x0035b088, // n0x0e87 c0x0000 (---------------) + I wakayama
0x00303205, // n0x0e88 c0x0000 (---------------) + I yuasa
0x002ae104, // n0x0e89 c0x0000 (---------------) + I yura
0x002b6c85, // n0x0e8a c0x0000 (---------------) + I asahi
0x00275908, // n0x0e8b c0x0000 (---------------) + I funagata
0x0028ce09, // n0x0e8c c0x0000 (---------------) + I higashine
0x0026dbc4, // n0x0e8d c0x0000 (---------------) + I iide
0x00273386, // n0x0e8e c0x0000 (---------------) + I kahoku
0x002eb68a, // n0x0e8f c0x0000 (---------------) + I kaminoyama
0x0023bd48, // n0x0e90 c0x0000 (---------------) + I kaneyama
0x002ce849, // n0x0e91 c0x0000 (---------------) + I kawanishi
0x00352fca, // n0x0e92 c0x0000 (---------------) + I mamurogawa
0x00300206, // n0x0e93 c0x0000 (---------------) + I mikawa
0x0028c188, // n0x0e94 c0x0000 (---------------) + I murayama
0x003014c5, // n0x0e95 c0x0000 (---------------) + I nagai
0x0032c7c8, // n0x0e96 c0x0000 (---------------) + I nakayama
0x002a8d85, // n0x0e97 c0x0000 (---------------) + I nanyo
0x0021d589, // n0x0e98 c0x0000 (---------------) + I nishikawa
0x0034ea49, // n0x0e99 c0x0000 (---------------) + I obanazawa
0x0020dcc2, // n0x0e9a c0x0000 (---------------) + I oe
0x00278805, // n0x0e9b c0x0000 (---------------) + I oguni
0x0026e346, // n0x0e9c c0x0000 (---------------) + I ohkura
0x0026f707, // n0x0e9d c0x0000 (---------------) + I oishida
0x00276545, // n0x0e9e c0x0000 (---------------) + I sagae
0x003032c6, // n0x0e9f c0x0000 (---------------) + I sakata
0x00342288, // n0x0ea0 c0x0000 (---------------) + I sakegawa
0x002d2806, // n0x0ea1 c0x0000 (---------------) + I shinjo
0x002d5209, // n0x0ea2 c0x0000 (---------------) + I shirataka
0x0026efc6, // n0x0ea3 c0x0000 (---------------) + I shonai
0x002760c8, // n0x0ea4 c0x0000 (---------------) + I takahata
0x0029c005, // n0x0ea5 c0x0000 (---------------) + I tendo
0x00260446, // n0x0ea6 c0x0000 (---------------) + I tozawa
0x00292d88, // n0x0ea7 c0x0000 (---------------) + I tsuruoka
0x00274fc8, // n0x0ea8 c0x0000 (---------------) + I yamagata
0x0020c4c8, // n0x0ea9 c0x0000 (---------------) + I yamanobe
0x002473c8, // n0x0eaa c0x0000 (---------------) + I yonezawa
0x00216684, // n0x0eab c0x0000 (---------------) + I yuza
0x00220583, // n0x0eac c0x0000 (---------------) + I abu
0x002d5444, // n0x0ead c0x0000 (---------------) + I hagi
0x002b8c46, // n0x0eae c0x0000 (---------------) + I hikari
0x002ed804, // n0x0eaf c0x0000 (---------------) + I hofu
0x002e6087, // n0x0eb0 c0x0000 (---------------) + I iwakuni
0x00203d09, // n0x0eb1 c0x0000 (---------------) + I kudamatsu
0x002b7ec5, // n0x0eb2 c0x0000 (---------------) + I mitou
0x00355146, // n0x0eb3 c0x0000 (---------------) + I nagato
0x00226ec6, // n0x0eb4 c0x0000 (---------------) + I oshima
0x002c9b0b, // n0x0eb5 c0x0000 (---------------) + I shimonoseki
0x0029fbc6, // n0x0eb6 c0x0000 (---------------) + I shunan
0x003080c6, // n0x0eb7 c0x0000 (---------------) + I tabuse
0x002da488, // n0x0eb8 c0x0000 (---------------) + I tokuyama
0x00256046, // n0x0eb9 c0x0000 (---------------) + I toyota
0x0027df03, // n0x0eba c0x0000 (---------------) + I ube
0x00216443, // n0x0ebb c0x0000 (---------------) + I yuu
0x00283d04, // n0x0ebc c0x0000 (---------------) + I chuo
0x00232e45, // n0x0ebd c0x0000 (---------------) + I doshi
0x00306ec7, // n0x0ebe c0x0000 (---------------) + I fuefuki
0x0026dd48, // n0x0ebf c0x0000 (---------------) + I fujikawa
0x0026dd4f, // n0x0ec0 c0x0000 (---------------) + I fujikawaguchiko
0x0026ff4b, // n0x0ec1 c0x0000 (---------------) + I fujiyoshida
0x002dc588, // n0x0ec2 c0x0000 (---------------) + I hayakawa
0x00273406, // n0x0ec3 c0x0000 (---------------) + I hokuto
0x002394ce, // n0x0ec4 c0x0000 (---------------) + I ichikawamisato
0x00220143, // n0x0ec5 c0x0000 (---------------) + I kai
0x00306e44, // n0x0ec6 c0x0000 (---------------) + I kofu
0x0029fb45, // n0x0ec7 c0x0000 (---------------) + I koshu
0x002a16c6, // n0x0ec8 c0x0000 (---------------) + I kosuge
0x002828cb, // n0x0ec9 c0x0000 (---------------) + I minami-alps
0x00286a06, // n0x0eca c0x0000 (---------------) + I minobu
0x00224dc9, // n0x0ecb c0x0000 (---------------) + I nakamichi
0x0025d005, // n0x0ecc c0x0000 (---------------) + I nanbu
0x00336288, // n0x0ecd c0x0000 (---------------) + I narusawa
0x00211588, // n0x0ece c0x0000 (---------------) + I nirasaki
0x0021ca4c, // n0x0ecf c0x0000 (---------------) + I nishikatsura
0x002914c6, // n0x0ed0 c0x0000 (---------------) + I oshino
0x002d2c06, // n0x0ed1 c0x0000 (---------------) + I otsuki
0x002d7505, // n0x0ed2 c0x0000 (---------------) + I showa
0x002795c8, // n0x0ed3 c0x0000 (---------------) + I tabayama
0x00292d85, // n0x0ed4 c0x0000 (---------------) + I tsuru
0x00203f08, // n0x0ed5 c0x0000 (---------------) + I uenohara
0x00290b8a, // n0x0ed6 c0x0000 (---------------) + I yamanakako
0x0022b309, // n0x0ed7 c0x0000 (---------------) + I yamanashi
0x00629e84, // n0x0ed8 c0x0001 (---------------) ! I city
0x00224903, // n0x0ed9 c0x0000 (---------------) + I com
0x00215543, // n0x0eda c0x0000 (---------------) + I edu
0x0020a783, // n0x0edb c0x0000 (---------------) + I gov
0x00225bc3, // n0x0edc c0x0000 (---------------) + I mil
0x0024b083, // n0x0edd c0x0000 (---------------) + I net
0x00228143, // n0x0ede c0x0000 (---------------) + I org
0x00367d83, // n0x0edf c0x0000 (---------------) + I biz
0x00224903, // n0x0ee0 c0x0000 (---------------) + I com
0x00215543, // n0x0ee1 c0x0000 (---------------) + I edu
0x0020a783, // n0x0ee2 c0x0000 (---------------) + I gov
0x00216ec4, // n0x0ee3 c0x0000 (---------------) + I info
0x0024b083, // n0x0ee4 c0x0000 (---------------) + I net
0x00228143, // n0x0ee5 c0x0000 (---------------) + I org
0x00204483, // n0x0ee6 c0x0000 (---------------) + I ass
0x002a4bc4, // n0x0ee7 c0x0000 (---------------) + I asso
0x00224903, // n0x0ee8 c0x0000 (---------------) + I com
0x00237f84, // n0x0ee9 c0x0000 (---------------) + I coop
0x00215543, // n0x0eea c0x0000 (---------------) + I edu
0x002e12c4, // n0x0eeb c0x0000 (---------------) + I gouv
0x0020a783, // n0x0eec c0x0000 (---------------) + I gov
0x00351687, // n0x0eed c0x0000 (---------------) + I medecin
0x00225bc3, // n0x0eee c0x0000 (---------------) + I mil
0x00210303, // n0x0eef c0x0000 (---------------) + I nom
0x002a1148, // n0x0ef0 c0x0000 (---------------) + I notaires
0x00228143, // n0x0ef1 c0x0000 (---------------) + I org
0x002c5bcb, // n0x0ef2 c0x0000 (---------------) + I pharmaciens
0x002d19c3, // n0x0ef3 c0x0000 (---------------) + I prd
0x00219e06, // n0x0ef4 c0x0000 (---------------) + I presse
0x00233e42, // n0x0ef5 c0x0000 (---------------) + I tm
0x002b350b, // n0x0ef6 c0x0000 (---------------) + I veterinaire
0x00215543, // n0x0ef7 c0x0000 (---------------) + I edu
0x0020a783, // n0x0ef8 c0x0000 (---------------) + I gov
0x0024b083, // n0x0ef9 c0x0000 (---------------) + I net
0x00228143, // n0x0efa c0x0000 (---------------) + I org
0x00224903, // n0x0efb c0x0000 (---------------) + I com
0x00215543, // n0x0efc c0x0000 (---------------) + I edu
0x0020a783, // n0x0efd c0x0000 (---------------) + I gov
0x00228143, // n0x0efe c0x0000 (---------------) + I org
0x0023b8c3, // n0x0eff c0x0000 (---------------) + I rep
0x00205803, // n0x0f00 c0x0000 (---------------) + I tra
0x00200342, // n0x0f01 c0x0000 (---------------) + I ac
0x000a5548, // n0x0f02 c0x0000 (---------------) + blogspot
0x002318c5, // n0x0f03 c0x0000 (---------------) + I busan
0x00330188, // n0x0f04 c0x0000 (---------------) + I chungbuk
0x00331808, // n0x0f05 c0x0000 (---------------) + I chungnam
0x00206402, // n0x0f06 c0x0000 (---------------) + I co
0x0033b105, // n0x0f07 c0x0000 (---------------) + I daegu
0x002abf07, // n0x0f08 c0x0000 (---------------) + I daejeon
0x00200082, // n0x0f09 c0x0000 (---------------) + I es
0x00225007, // n0x0f0a c0x0000 (---------------) + I gangwon
0x00208102, // n0x0f0b c0x0000 (---------------) + I go
0x00252547, // n0x0f0c c0x0000 (---------------) + I gwangju
0x00308489, // n0x0f0d c0x0000 (---------------) + I gyeongbuk
0x0035a3c8, // n0x0f0e c0x0000 (---------------) + I gyeonggi
0x00340c09, // n0x0f0f c0x0000 (---------------) + I gyeongnam
0x0020ff02, // n0x0f10 c0x0000 (---------------) + I hs
0x0025c147, // n0x0f11 c0x0000 (---------------) + I incheon
0x002718c4, // n0x0f12 c0x0000 (---------------) + I jeju
0x002abfc7, // n0x0f13 c0x0000 (---------------) + I jeonbuk
0x002444c7, // n0x0f14 c0x0000 (---------------) + I jeonnam
0x002585c2, // n0x0f15 c0x0000 (---------------) + I kg
0x00225bc3, // n0x0f16 c0x0000 (---------------) + I mil
0x002133c2, // n0x0f17 c0x0000 (---------------) + I ms
0x00202f42, // n0x0f18 c0x0000 (---------------) + I ne
0x00201f42, // n0x0f19 c0x0000 (---------------) + I or
0x0020cbc2, // n0x0f1a c0x0000 (---------------) + I pe
0x0020ab42, // n0x0f1b c0x0000 (---------------) + I re
0x002173c2, // n0x0f1c c0x0000 (---------------) + I sc
0x00342f45, // n0x0f1d c0x0000 (---------------) + I seoul
0x002164c5, // n0x0f1e c0x0000 (---------------) + I ulsan
0x00224903, // n0x0f1f c0x0000 (---------------) + I com
0x00215543, // n0x0f20 c0x0000 (---------------) + I edu
0x0020a783, // n0x0f21 c0x0000 (---------------) + I gov
0x0024b083, // n0x0f22 c0x0000 (---------------) + I net
0x00228143, // n0x0f23 c0x0000 (---------------) + I org
0x00224903, // n0x0f24 c0x0000 (---------------) + I com
0x00215543, // n0x0f25 c0x0000 (---------------) + I edu
0x0020a783, // n0x0f26 c0x0000 (---------------) + I gov
0x00225bc3, // n0x0f27 c0x0000 (---------------) + I mil
0x0024b083, // n0x0f28 c0x0000 (---------------) + I net
0x00228143, // n0x0f29 c0x0000 (---------------) + I org
0x00000141, // n0x0f2a c0x0000 (---------------) + c
0x00224903, // n0x0f2b c0x0000 (---------------) + I com
0x00215543, // n0x0f2c c0x0000 (---------------) + I edu
0x0020a783, // n0x0f2d c0x0000 (---------------) + I gov
0x00216ec4, // n0x0f2e c0x0000 (---------------) + I info
0x00201bc3, // n0x0f2f c0x0000 (---------------) + I int
0x0024b083, // n0x0f30 c0x0000 (---------------) + I net
0x00228143, // n0x0f31 c0x0000 (---------------) + I org
0x00224783, // n0x0f32 c0x0000 (---------------) + I per
0x00224903, // n0x0f33 c0x0000 (---------------) + I com
0x00215543, // n0x0f34 c0x0000 (---------------) + I edu
0x0020a783, // n0x0f35 c0x0000 (---------------) + I gov
0x0024b083, // n0x0f36 c0x0000 (---------------) + I net
0x00228143, // n0x0f37 c0x0000 (---------------) + I org
0x00206402, // n0x0f38 c0x0000 (---------------) + I co
0x00224903, // n0x0f39 c0x0000 (---------------) + I com
0x00215543, // n0x0f3a c0x0000 (---------------) + I edu
0x0020a783, // n0x0f3b c0x0000 (---------------) + I gov
0x0024b083, // n0x0f3c c0x0000 (---------------) + I net
0x00228143, // n0x0f3d c0x0000 (---------------) + I org
0x002b1384, // n0x0f3e c0x0000 (---------------) + I assn
0x00224903, // n0x0f3f c0x0000 (---------------) + I com
0x00215543, // n0x0f40 c0x0000 (---------------) + I edu
0x0020a783, // n0x0f41 c0x0000 (---------------) + I gov
0x00230883, // n0x0f42 c0x0000 (---------------) + I grp
0x0029c4c5, // n0x0f43 c0x0000 (---------------) + I hotel
0x00201bc3, // n0x0f44 c0x0000 (---------------) + I int
0x00221b83, // n0x0f45 c0x0000 (---------------) + I ltd
0x0024b083, // n0x0f46 c0x0000 (---------------) + I net
0x00226083, // n0x0f47 c0x0000 (---------------) + I ngo
0x00228143, // n0x0f48 c0x0000 (---------------) + I org
0x0025e403, // n0x0f49 c0x0000 (---------------) + I sch
0x002a4c43, // n0x0f4a c0x0000 (---------------) + I soc
0x002030c3, // n0x0f4b c0x0000 (---------------) + I web
0x00224903, // n0x0f4c c0x0000 (---------------) + I com
0x00215543, // n0x0f4d c0x0000 (---------------) + I edu
0x0020a783, // n0x0f4e c0x0000 (---------------) + I gov
0x0024b083, // n0x0f4f c0x0000 (---------------) + I net
0x00228143, // n0x0f50 c0x0000 (---------------) + I org
0x00206402, // n0x0f51 c0x0000 (---------------) + I co
0x00228143, // n0x0f52 c0x0000 (---------------) + I org
0x0020a783, // n0x0f53 c0x0000 (---------------) + I gov
0x002a5bc3, // n0x0f54 c0x0000 (---------------) + I asn
0x00224903, // n0x0f55 c0x0000 (---------------) + I com
0x00233504, // n0x0f56 c0x0000 (---------------) + I conf
0x00215543, // n0x0f57 c0x0000 (---------------) + I edu
0x0020a783, // n0x0f58 c0x0000 (---------------) + I gov
0x00203902, // n0x0f59 c0x0000 (---------------) + I id
0x00225bc3, // n0x0f5a c0x0000 (---------------) + I mil
0x0024b083, // n0x0f5b c0x0000 (---------------) + I net
0x00228143, // n0x0f5c c0x0000 (---------------) + I org
0x00224903, // n0x0f5d c0x0000 (---------------) + I com
0x00215543, // n0x0f5e c0x0000 (---------------) + I edu
0x0020a783, // n0x0f5f c0x0000 (---------------) + I gov
0x00203902, // n0x0f60 c0x0000 (---------------) + I id
0x00215003, // n0x0f61 c0x0000 (---------------) + I med
0x0024b083, // n0x0f62 c0x0000 (---------------) + I net
0x00228143, // n0x0f63 c0x0000 (---------------) + I org
0x002cd203, // n0x0f64 c0x0000 (---------------) + I plc
0x0025e403, // n0x0f65 c0x0000 (---------------) + I sch
0x00200342, // n0x0f66 c0x0000 (---------------) + I ac
0x00206402, // n0x0f67 c0x0000 (---------------) + I co
0x0020a783, // n0x0f68 c0x0000 (---------------) + I gov
0x0024b083, // n0x0f69 c0x0000 (---------------) + I net
0x00228143, // n0x0f6a c0x0000 (---------------) + I org
0x00219e05, // n0x0f6b c0x0000 (---------------) + I press
0x002a4bc4, // n0x0f6c c0x0000 (---------------) + I asso
0x00233e42, // n0x0f6d c0x0000 (---------------) + I tm
0x00200342, // n0x0f6e c0x0000 (---------------) + I ac
0x00206402, // n0x0f6f c0x0000 (---------------) + I co
0x00215543, // n0x0f70 c0x0000 (---------------) + I edu
0x0020a783, // n0x0f71 c0x0000 (---------------) + I gov
0x0023af83, // n0x0f72 c0x0000 (---------------) + I its
0x0024b083, // n0x0f73 c0x0000 (---------------) + I net
0x00228143, // n0x0f74 c0x0000 (---------------) + I org
0x002d2184, // n0x0f75 c0x0000 (---------------) + I priv
0x00224903, // n0x0f76 c0x0000 (---------------) + I com
0x00215543, // n0x0f77 c0x0000 (---------------) + I edu
0x0020a783, // n0x0f78 c0x0000 (---------------) + I gov
0x00225bc3, // n0x0f79 c0x0000 (---------------) + I mil
0x00210303, // n0x0f7a c0x0000 (---------------) + I nom
0x00228143, // n0x0f7b c0x0000 (---------------) + I org
0x002d19c3, // n0x0f7c c0x0000 (---------------) + I prd
0x00233e42, // n0x0f7d c0x0000 (---------------) + I tm
0x00224903, // n0x0f7e c0x0000 (---------------) + I com
0x00215543, // n0x0f7f c0x0000 (---------------) + I edu
0x0020a783, // n0x0f80 c0x0000 (---------------) + I gov
0x00216ec3, // n0x0f81 c0x0000 (---------------) + I inf
0x002445c4, // n0x0f82 c0x0000 (---------------) + I name
0x0024b083, // n0x0f83 c0x0000 (---------------) + I net
0x00228143, // n0x0f84 c0x0000 (---------------) + I org
0x00224903, // n0x0f85 c0x0000 (---------------) + I com
0x00215543, // n0x0f86 c0x0000 (---------------) + I edu
0x002e12c4, // n0x0f87 c0x0000 (---------------) + I gouv
0x0020a783, // n0x0f88 c0x0000 (---------------) + I gov
0x0024b083, // n0x0f89 c0x0000 (---------------) + I net
0x00228143, // n0x0f8a c0x0000 (---------------) + I org
0x00219e06, // n0x0f8b c0x0000 (---------------) + I presse
0x00215543, // n0x0f8c c0x0000 (---------------) + I edu
0x0020a783, // n0x0f8d c0x0000 (---------------) + I gov
0x000123c3, // n0x0f8e c0x0000 (---------------) + nyc
0x00228143, // n0x0f8f c0x0000 (---------------) + I org
0x00224903, // n0x0f90 c0x0000 (---------------) + I com
0x00215543, // n0x0f91 c0x0000 (---------------) + I edu
0x0020a783, // n0x0f92 c0x0000 (---------------) + I gov
0x0024b083, // n0x0f93 c0x0000 (---------------) + I net
0x00228143, // n0x0f94 c0x0000 (---------------) + I org
0x000a5548, // n0x0f95 c0x0000 (---------------) + blogspot
0x0020a783, // n0x0f96 c0x0000 (---------------) + I gov
0x00224903, // n0x0f97 c0x0000 (---------------) + I com
0x00215543, // n0x0f98 c0x0000 (---------------) + I edu
0x0020a783, // n0x0f99 c0x0000 (---------------) + I gov
0x0024b083, // n0x0f9a c0x0000 (---------------) + I net
0x00228143, // n0x0f9b c0x0000 (---------------) + I org
0x00224903, // n0x0f9c c0x0000 (---------------) + I com
0x00215543, // n0x0f9d c0x0000 (---------------) + I edu
0x0024b083, // n0x0f9e c0x0000 (---------------) + I net
0x00228143, // n0x0f9f c0x0000 (---------------) + I org
0x00200342, // n0x0fa0 c0x0000 (---------------) + I ac
0x00206402, // n0x0fa1 c0x0000 (---------------) + I co
0x00224903, // n0x0fa2 c0x0000 (---------------) + I com
0x0020a783, // n0x0fa3 c0x0000 (---------------) + I gov
0x0024b083, // n0x0fa4 c0x0000 (---------------) + I net
0x00201f42, // n0x0fa5 c0x0000 (---------------) + I or
0x00228143, // n0x0fa6 c0x0000 (---------------) + I org
0x002fc0c7, // n0x0fa7 c0x0000 (---------------) + I academy
0x002b498b, // n0x0fa8 c0x0000 (---------------) + I agriculture
0x0023f743, // n0x0fa9 c0x0000 (---------------) + I air
0x00294e08, // n0x0faa c0x0000 (---------------) + I airguard
0x00239e87, // n0x0fab c0x0000 (---------------) + I alabama
0x00204b46, // n0x0fac c0x0000 (---------------) + I alaska
0x00213545, // n0x0fad c0x0000 (---------------) + I amber
0x002b4cc9, // n0x0fae c0x0000 (---------------) + I ambulance
0x00218708, // n0x0faf c0x0000 (---------------) + I american
0x00218709, // n0x0fb0 c0x0000 (---------------) + I americana
0x00302790, // n0x0fb1 c0x0000 (---------------) + I americanantiques
0x0021870b, // n0x0fb2 c0x0000 (---------------) + I americanart
0x00213389, // n0x0fb3 c0x0000 (---------------) + I amsterdam
0x00200903, // n0x0fb4 c0x0000 (---------------) + I and
0x002fd049, // n0x0fb5 c0x0000 (---------------) + I annefrank
0x00234746, // n0x0fb6 c0x0000 (---------------) + I anthro
0x0023474c, // n0x0fb7 c0x0000 (---------------) + I anthropology
0x00231988, // n0x0fb8 c0x0000 (---------------) + I antiques
0x002784c8, // n0x0fb9 c0x0000 (---------------) + I aquarium
0x0032dbc9, // n0x0fba c0x0000 (---------------) + I arboretum
0x0035de4e, // n0x0fbb c0x0000 (---------------) + I archaeological
0x003409cb, // n0x0fbc c0x0000 (---------------) + I archaeology
0x002476cc, // n0x0fbd c0x0000 (---------------) + I architecture
0x002062c3, // n0x0fbe c0x0000 (---------------) + I art
0x0021890c, // n0x0fbf c0x0000 (---------------) + I artanddesign
0x002f2489, // n0x0fc0 c0x0000 (---------------) + I artcenter
0x002062c7, // n0x0fc1 c0x0000 (---------------) + I artdeco
0x00261a4c, // n0x0fc2 c0x0000 (---------------) + I arteducation
0x002353ca, // n0x0fc3 c0x0000 (---------------) + I artgallery
0x00214444, // n0x0fc4 c0x0000 (---------------) + I arts
0x0021444d, // n0x0fc5 c0x0000 (---------------) + I artsandcrafts
0x002f2348, // n0x0fc6 c0x0000 (---------------) + I asmatart
0x0036394d, // n0x0fc7 c0x0000 (---------------) + I assassination
0x00204486, // n0x0fc8 c0x0000 (---------------) + I assisi
0x002cb64b, // n0x0fc9 c0x0000 (---------------) + I association
0x0033abc9, // n0x0fca c0x0000 (---------------) + I astronomy
0x00274847, // n0x0fcb c0x0000 (---------------) + I atlanta
0x002ecf86, // n0x0fcc c0x0000 (---------------) + I austin
0x002fad89, // n0x0fcd c0x0000 (---------------) + I australia
0x003102ca, // n0x0fce c0x0000 (---------------) + I automotive
0x0022a348, // n0x0fcf c0x0000 (---------------) + I aviation
0x00268384, // n0x0fd0 c0x0000 (---------------) + I axis
0x00341447, // n0x0fd1 c0x0000 (---------------) + I badajoz
0x00242bc7, // n0x0fd2 c0x0000 (---------------) + I baghdad
0x0035bbc4, // n0x0fd3 c0x0000 (---------------) + I bahn
0x0033b244, // n0x0fd4 c0x0000 (---------------) + I bale
0x002fa609, // n0x0fd5 c0x0000 (---------------) + I baltimore
0x0030c5c9, // n0x0fd6 c0x0000 (---------------) + I barcelona
0x0029c748, // n0x0fd7 c0x0000 (---------------) + I baseball
0x0032be45, // n0x0fd8 c0x0000 (---------------) + I basel
0x0020fe45, // n0x0fd9 c0x0000 (---------------) + I baths
0x00281e06, // n0x0fda c0x0000 (---------------) + I bauern
0x00214309, // n0x0fdb c0x0000 (---------------) + I beauxarts
0x0020c64d, // n0x0fdc c0x0000 (---------------) + I beeldengeluid
0x00213d08, // n0x0fdd c0x0000 (---------------) + I bellevue
0x00281d07, // n0x0fde c0x0000 (---------------) + I bergbau
0x002135c8, // n0x0fdf c0x0000 (---------------) + I berkeley
0x00357986, // n0x0fe0 c0x0000 (---------------) + I berlin
0x00358a44, // n0x0fe1 c0x0000 (---------------) + I bern
0x0022eb85, // n0x0fe2 c0x0000 (---------------) + I bible
0x00204106, // n0x0fe3 c0x0000 (---------------) + I bilbao
0x00205684, // n0x0fe4 c0x0000 (---------------) + I bill
0x002061c7, // n0x0fe5 c0x0000 (---------------) + I birdart
0x00208dca, // n0x0fe6 c0x0000 (---------------) + I birthplace
0x002101c4, // n0x0fe7 c0x0000 (---------------) + I bonn
0x00210b86, // n0x0fe8 c0x0000 (---------------) + I boston
0x00211209, // n0x0fe9 c0x0000 (---------------) + I botanical
0x0021120f, // n0x0fea c0x0000 (---------------) + I botanicalgarden
0x00211ccd, // n0x0feb c0x0000 (---------------) + I botanicgarden
0x002122c6, // n0x0fec c0x0000 (---------------) + I botany
0x00216090, // n0x0fed c0x0000 (---------------) + I brandywinevalley
0x00216806, // n0x0fee c0x0000 (---------------) + I brasil
0x00217807, // n0x0fef c0x0000 (---------------) + I bristol
0x00217d47, // n0x0ff0 c0x0000 (---------------) + I british
0x0021a14f, // n0x0ff1 c0x0000 (---------------) + I britishcolumbia
0x0021bd49, // n0x0ff2 c0x0000 (---------------) + I broadcast
0x0021fa46, // n0x0ff3 c0x0000 (---------------) + I brunel
0x00221947, // n0x0ff4 c0x0000 (---------------) + I brussel
0x00221948, // n0x0ff5 c0x0000 (---------------) + I brussels
0x00223749, // n0x0ff6 c0x0000 (---------------) + I bruxelles
0x0022ae88, // n0x0ff7 c0x0000 (---------------) + I building
0x002cba47, // n0x0ff8 c0x0000 (---------------) + I burghof
0x002318c3, // n0x0ff9 c0x0000 (---------------) + I bus
0x00287486, // n0x0ffa c0x0000 (---------------) + I bushey
0x002fb648, // n0x0ffb c0x0000 (---------------) + I cadaques
0x0031570a, // n0x0ffc c0x0000 (---------------) + I california
0x00227f09, // n0x0ffd c0x0000 (---------------) + I cambridge
0x00218843, // n0x0ffe c0x0000 (---------------) + I can
0x00315a86, // n0x0fff c0x0000 (---------------) + I canada
0x0029a24a, // n0x1000 c0x0000 (---------------) + I capebreton
0x0021c4c7, // n0x1001 c0x0000 (---------------) + I carrier
0x0026188a, // n0x1002 c0x0000 (---------------) + I cartoonart
0x0029834e, // n0x1003 c0x0000 (---------------) + I casadelamoneda
0x0021be86, // n0x1004 c0x0000 (---------------) + I castle
0x00257607, // n0x1005 c0x0000 (---------------) + I castres
0x0023b3c6, // n0x1006 c0x0000 (---------------) + I celtic
0x00243546, // n0x1007 c0x0000 (---------------) + I center
0x0026074b, // n0x1008 c0x0000 (---------------) + I chattanooga
0x0026674a, // n0x1009 c0x0000 (---------------) + I cheltenham
0x002e2acd, // n0x100a c0x0000 (---------------) + I chesapeakebay
0x002f9087, // n0x100b c0x0000 (---------------) + I chicago
0x00250b48, // n0x100c c0x0000 (---------------) + I children
0x00250b49, // n0x100d c0x0000 (---------------) + I childrens
0x00250b4f, // n0x100e c0x0000 (---------------) + I childrensgarden
0x002997cc, // n0x100f c0x0000 (---------------) + I chiropractic
0x002cd289, // n0x1010 c0x0000 (---------------) + I chocolate
0x0025220e, // n0x1011 c0x0000 (---------------) + I christiansburg
0x002f820a, // n0x1012 c0x0000 (---------------) + I cincinnati
0x00351786, // n0x1013 c0x0000 (---------------) + I cinema
0x00362746, // n0x1014 c0x0000 (---------------) + I circus
0x0022a54c, // n0x1015 c0x0000 (---------------) + I civilisation
0x0022a84c, // n0x1016 c0x0000 (---------------) + I civilization
0x0022ab48, // n0x1017 c0x0000 (---------------) + I civilwar
0x0022d1c7, // n0x1018 c0x0000 (---------------) + I clinton
0x00201945, // n0x1019 c0x0000 (---------------) + I clock
0x00206404, // n0x101a c0x0000 (---------------) + I coal
0x0034d08e, // n0x101b c0x0000 (---------------) + I coastaldefence
0x00238f04, // n0x101c c0x0000 (---------------) + I cody
0x00288e07, // n0x101d c0x0000 (---------------) + I coldwar
0x0022734a, // n0x101e c0x0000 (---------------) + I collection
0x002303d4, // n0x101f c0x0000 (---------------) + I colonialwilliamsburg
0x00230a4f, // n0x1020 c0x0000 (---------------) + I coloradoplateau
0x0021a308, // n0x1021 c0x0000 (---------------) + I columbia
0x00231788, // n0x1022 c0x0000 (---------------) + I columbus
0x002d124d, // n0x1023 c0x0000 (---------------) + I communication
0x002d124e, // n0x1024 c0x0000 (---------------) + I communications
0x002bc089, // n0x1025 c0x0000 (---------------) + I community
0x00232588, // n0x1026 c0x0000 (---------------) + I computer
0x0023258f, // n0x1027 c0x0000 (---------------) + I computerhistory
0x002350cc, // n0x1028 c0x0000 (---------------) + I contemporary
0x002350cf, // n0x1029 c0x0000 (---------------) + I contemporaryart
0x00236387, // n0x102a c0x0000 (---------------) + I convent
0x002382ca, // n0x102b c0x0000 (---------------) + I copenhagen
0x0023c00b, // n0x102c c0x0000 (---------------) + I corporation
0x0023c2c8, // n0x102d c0x0000 (---------------) + I corvette
0x0023d607, // n0x102e c0x0000 (---------------) + I costume
0x0027d84d, // n0x102f c0x0000 (---------------) + I countryestate
0x0030d8c6, // n0x1030 c0x0000 (---------------) + I county
0x00214606, // n0x1031 c0x0000 (---------------) + I crafts
0x0023fcc9, // n0x1032 c0x0000 (---------------) + I cranbrook
0x00359048, // n0x1033 c0x0000 (---------------) + I creation
0x00243348, // n0x1034 c0x0000 (---------------) + I cultural
0x0024334e, // n0x1035 c0x0000 (---------------) + I culturalcenter
0x002b4a87, // n0x1036 c0x0000 (---------------) + I culture
0x0020bbc5, // n0x1037 c0x0000 (---------------) + I cyber
0x002c69c5, // n0x1038 c0x0000 (---------------) + I cymru
0x00204f04, // n0x1039 c0x0000 (---------------) + I dali
0x00276886, // n0x103a c0x0000 (---------------) + I dallas
0x0029c648, // n0x103b c0x0000 (---------------) + I database
0x00264543, // n0x103c c0x0000 (---------------) + I ddr
0x002415ce, // n0x103d c0x0000 (---------------) + I decorativearts
0x002ba548, // n0x103e c0x0000 (---------------) + I delaware
0x0022c48b, // n0x103f c0x0000 (---------------) + I delmenhorst
0x0034fe87, // n0x1040 c0x0000 (---------------) + I denmark
0x00267405, // n0x1041 c0x0000 (---------------) + I depot
0x00218a86, // n0x1042 c0x0000 (---------------) + I design
0x0029ce07, // n0x1043 c0x0000 (---------------) + I detroit
0x002e92c8, // n0x1044 c0x0000 (---------------) + I dinosaur
0x0030db89, // n0x1045 c0x0000 (---------------) + I discovery
0x002edb45, // n0x1046 c0x0000 (---------------) + I dolls
0x00278ac8, // n0x1047 c0x0000 (---------------) + I donostia
0x002e7786, // n0x1048 c0x0000 (---------------) + I durham
0x0027d30a, // n0x1049 c0x0000 (---------------) + I eastafrica
0x0034cf89, // n0x104a c0x0000 (---------------) + I eastcoast
0x00261b09, // n0x104b c0x0000 (---------------) + I education
0x00261b0b, // n0x104c c0x0000 (---------------) + I educational
0x002fcec8, // n0x104d c0x0000 (---------------) + I egyptian
0x0035ba89, // n0x104e c0x0000 (---------------) + I eisenbahn
0x0032bf06, // n0x104f c0x0000 (---------------) + I elburg
0x002e0dca, // n0x1050 c0x0000 (---------------) + I elvendrell
0x0036a64a, // n0x1051 c0x0000 (---------------) + I embroidery
0x002384cc, // n0x1052 c0x0000 (---------------) + I encyclopedic
0x002ffd87, // n0x1053 c0x0000 (---------------) + I england
0x0035a1ca, // n0x1054 c0x0000 (---------------) + I entomology
0x0020adcb, // n0x1055 c0x0000 (---------------) + I environment
0x0020add9, // n0x1056 c0x0000 (---------------) + I environmentalconservation
0x00209008, // n0x1057 c0x0000 (---------------) + I epilepsy
0x00219e85, // n0x1058 c0x0000 (---------------) + I essex
0x0027da06, // n0x1059 c0x0000 (---------------) + I estate
0x00333b89, // n0x105a c0x0000 (---------------) + I ethnology
0x0020e746, // n0x105b c0x0000 (---------------) + I exeter
0x00212c4a, // n0x105c c0x0000 (---------------) + I exhibition
0x00329c46, // n0x105d c0x0000 (---------------) + I family
0x00310f04, // n0x105e c0x0000 (---------------) + I farm
0x00310f0d, // n0x105f c0x0000 (---------------) + I farmequipment
0x00320087, // n0x1060 c0x0000 (---------------) + I farmers
0x003354c9, // n0x1061 c0x0000 (---------------) + I farmstead
0x00244f05, // n0x1062 c0x0000 (---------------) + I field
0x00245048, // n0x1063 c0x0000 (---------------) + I figueres
0x00245949, // n0x1064 c0x0000 (---------------) + I filatelia
0x00245b84, // n0x1065 c0x0000 (---------------) + I film
0x00245f47, // n0x1066 c0x0000 (---------------) + I fineart
0x00245f48, // n0x1067 c0x0000 (---------------) + I finearts
0x00246687, // n0x1068 c0x0000 (---------------) + I finland
0x00339c08, // n0x1069 c0x0000 (---------------) + I flanders
0x00249c47, // n0x106a c0x0000 (---------------) + I florida
0x0026f185, // n0x106b c0x0000 (---------------) + I force
0x0024eecc, // n0x106c c0x0000 (---------------) + I fortmissoula
0x0024f409, // n0x106d c0x0000 (---------------) + I fortworth
0x002d55ca, // n0x106e c0x0000 (---------------) + I foundation
0x0034c309, // n0x106f c0x0000 (---------------) + I francaise
0x002fd149, // n0x1070 c0x0000 (---------------) + I frankfurt
0x003394cc, // n0x1071 c0x0000 (---------------) + I franziskaner
0x0020f84b, // n0x1072 c0x0000 (---------------) + I freemasonry
0x002516c8, // n0x1073 c0x0000 (---------------) + I freiburg
0x00252748, // n0x1074 c0x0000 (---------------) + I fribourg
0x00255d04, // n0x1075 c0x0000 (---------------) + I frog
0x002773c8, // n0x1076 c0x0000 (---------------) + I fundacio
0x00277fc9, // n0x1077 c0x0000 (---------------) + I furniture
0x00235487, // n0x1078 c0x0000 (---------------) + I gallery
0x00211446, // n0x1079 c0x0000 (---------------) + I garden
0x00230207, // n0x107a c0x0000 (---------------) + I gateway
0x00235689, // n0x107b c0x0000 (---------------) + I geelvinck
0x0031550b, // n0x107c c0x0000 (---------------) + I gemological
0x0031f587, // n0x107d c0x0000 (---------------) + I geology
0x002280c7, // n0x107e c0x0000 (---------------) + I georgia
0x002b43c7, // n0x107f c0x0000 (---------------) + I giessen
0x003638c4, // n0x1080 c0x0000 (---------------) + I glas
0x003638c5, // n0x1081 c0x0000 (---------------) + I glass
0x00247105, // n0x1082 c0x0000 (---------------) + I gorge
0x0031324b, // n0x1083 c0x0000 (---------------) + I grandrapids
0x0034f804, // n0x1084 c0x0000 (---------------) + I graz
0x00259848, // n0x1085 c0x0000 (---------------) + I guernsey
0x0031cc8a, // n0x1086 c0x0000 (---------------) + I halloffame
0x002e7847, // n0x1087 c0x0000 (---------------) + I hamburg
0x00348d87, // n0x1088 c0x0000 (---------------) + I handson
0x00282152, // n0x1089 c0x0000 (---------------) + I harvestcelebration
0x00285ac6, // n0x108a c0x0000 (---------------) + I hawaii
0x00358d46, // n0x108b c0x0000 (---------------) + I health
0x002ff7ce, // n0x108c c0x0000 (---------------) + I heimatunduhren
0x002a2946, // n0x108d c0x0000 (---------------) + I hellas
0x002a08c8, // n0x108e c0x0000 (---------------) + I helsinki
0x0020ed0f, // n0x108f c0x0000 (---------------) + I hembygdsforbund
0x002f8588, // n0x1090 c0x0000 (---------------) + I heritage
0x00268688, // n0x1091 c0x0000 (---------------) + I histoire
0x002bedca, // n0x1092 c0x0000 (---------------) + I historical
0x002bedd1, // n0x1093 c0x0000 (---------------) + I historicalsociety
0x0029380e, // n0x1094 c0x0000 (---------------) + I historichouses
0x0025e24a, // n0x1095 c0x0000 (---------------) + I historisch
0x0025e24c, // n0x1096 c0x0000 (---------------) + I historisches
0x00232787, // n0x1097 c0x0000 (---------------) + I history
0x00232790, // n0x1098 c0x0000 (---------------) + I historyofscience
0x00201f08, // n0x1099 c0x0000 (---------------) + I horology
0x00226905, // n0x109a c0x0000 (---------------) + I house
0x0029d40a, // n0x109b c0x0000 (---------------) + I humanities
0x002056cc, // n0x109c c0x0000 (---------------) + I illustration
0x0021590d, // n0x109d c0x0000 (---------------) + I imageandsound
0x00211746, // n0x109e c0x0000 (---------------) + I indian
0x00211747, // n0x109f c0x0000 (---------------) + I indiana
0x0021174c, // n0x10a0 c0x0000 (---------------) + I indianapolis
0x0021274c, // n0x10a1 c0x0000 (---------------) + I indianmarket
0x00219acc, // n0x10a2 c0x0000 (---------------) + I intelligence
0x002f64cb, // n0x10a3 c0x0000 (---------------) + I interactive
0x00278444, // n0x10a4 c0x0000 (---------------) + I iraq
0x0020ae84, // n0x10a5 c0x0000 (---------------) + I iron
0x00345a89, // n0x10a6 c0x0000 (---------------) + I isleofman
0x00319087, // n0x10a7 c0x0000 (---------------) + I jamison
0x002620c9, // n0x10a8 c0x0000 (---------------) + I jefferson
0x0026d249, // n0x10a9 c0x0000 (---------------) + I jerusalem
0x00328347, // n0x10aa c0x0000 (---------------) + I jewelry
0x0032d4c6, // n0x10ab c0x0000 (---------------) + I jewish
0x0032d4c9, // n0x10ac c0x0000 (---------------) + I jewishart
0x00360683, // n0x10ad c0x0000 (---------------) + I jfk
0x0021058a, // n0x10ae c0x0000 (---------------) + I journalism
0x0023a5c7, // n0x10af c0x0000 (---------------) + I judaica
0x002fb34b, // n0x10b0 c0x0000 (---------------) + I judygarland
0x002e294a, // n0x10b1 c0x0000 (---------------) + I juedisches
0x00271944, // n0x10b2 c0x0000 (---------------) + I juif
0x00327146, // n0x10b3 c0x0000 (---------------) + I karate
0x002b8cc9, // n0x10b4 c0x0000 (---------------) + I karikatur
0x00209604, // n0x10b5 c0x0000 (---------------) + I kids
0x0020dc8a, // n0x10b6 c0x0000 (---------------) + I koebenhavn
0x0024ed85, // n0x10b7 c0x0000 (---------------) + I koeln
0x002aab85, // n0x10b8 c0x0000 (---------------) + I kunst
0x002aab8d, // n0x10b9 c0x0000 (---------------) + I kunstsammlung
0x002aaece, // n0x10ba c0x0000 (---------------) + I kunstunddesign
0x00306645, // n0x10bb c0x0000 (---------------) + I labor
0x00351bc6, // n0x10bc c0x0000 (---------------) + I labour
0x002294c7, // n0x10bd c0x0000 (---------------) + I lajolla
0x0023f48a, // n0x10be c0x0000 (---------------) + I lancashire
0x0035f8c6, // n0x10bf c0x0000 (---------------) + I landes
0x002eae44, // n0x10c0 c0x0000 (---------------) + I lans
0x002d9847, // n0x10c1 c0x0000 (---------------) + I larsson
0x0033b9cb, // n0x10c2 c0x0000 (---------------) + I lewismiller
0x00357a47, // n0x10c3 c0x0000 (---------------) + I lincoln
0x0020c304, // n0x10c4 c0x0000 (---------------) + I linz
0x002e6486, // n0x10c5 c0x0000 (---------------) + I living
0x002e648d, // n0x10c6 c0x0000 (---------------) + I livinghistory
0x00272fcc, // n0x10c7 c0x0000 (---------------) + I localhistory
0x002cde46, // n0x10c8 c0x0000 (---------------) + I london
0x0022280a, // n0x10c9 c0x0000 (---------------) + I losangeles
0x0023b7c6, // n0x10ca c0x0000 (---------------) + I louvre
0x00368f88, // n0x10cb c0x0000 (---------------) + I loyalist
0x002af587, // n0x10cc c0x0000 (---------------) + I lucerne
0x00234d8a, // n0x10cd c0x0000 (---------------) + I luxembourg
0x0023ca06, // n0x10ce c0x0000 (---------------) + I luzern
0x00220903, // n0x10cf c0x0000 (---------------) + I mad
0x00220906, // n0x10d0 c0x0000 (---------------) + I madrid
0x00239988, // n0x10d1 c0x0000 (---------------) + I mallorca
0x00345c0a, // n0x10d2 c0x0000 (---------------) + I manchester
0x0026ea07, // n0x10d3 c0x0000 (---------------) + I mansion
0x0026ea08, // n0x10d4 c0x0000 (---------------) + I mansions
0x00274b04, // n0x10d5 c0x0000 (---------------) + I manx
0x00294587, // n0x10d6 c0x0000 (---------------) + I marburg
0x003113c8, // n0x10d7 c0x0000 (---------------) + I maritime
0x0022b9c8, // n0x10d8 c0x0000 (---------------) + I maritimo
0x00285cc8, // n0x10d9 c0x0000 (---------------) + I maryland
0x0028b38a, // n0x10da c0x0000 (---------------) + I marylhurst
0x00215005, // n0x10db c0x0000 (---------------) + I media
0x0023d747, // n0x10dc c0x0000 (---------------) + I medical
0x0025e093, // n0x10dd c0x0000 (---------------) + I medizinhistorisches
0x0028a4c6, // n0x10de c0x0000 (---------------) + I meeres
0x00267888, // n0x10df c0x0000 (---------------) + I memorial
0x00297549, // n0x10e0 c0x0000 (---------------) + I mesaverde
0x00224ec8, // n0x10e1 c0x0000 (---------------) + I michigan
0x0028808b, // n0x10e2 c0x0000 (---------------) + I midatlantic
0x00235e08, // n0x10e3 c0x0000 (---------------) + I military
0x002c8e04, // n0x10e4 c0x0000 (---------------) + I mill
0x00202ec6, // n0x10e5 c0x0000 (---------------) + I miners
0x002d8c46, // n0x10e6 c0x0000 (---------------) + I mining
0x002cc189, // n0x10e7 c0x0000 (---------------) + I minnesota
0x002b7547, // n0x10e8 c0x0000 (---------------) + I missile
0x0024efc8, // n0x10e9 c0x0000 (---------------) + I missoula
0x0028a086, // n0x10ea c0x0000 (---------------) + I modern
0x00207844, // n0x10eb c0x0000 (---------------) + I moma
0x002bd205, // n0x10ec c0x0000 (---------------) + I money
0x002b9c88, // n0x10ed c0x0000 (---------------) + I monmouth
0x0024dcca, // n0x10ee c0x0000 (---------------) + I monticello
0x002ba148, // n0x10ef c0x0000 (---------------) + I montreal
0x002bdf46, // n0x10f0 c0x0000 (---------------) + I moscow
0x0028e34a, // n0x10f1 c0x0000 (---------------) + I motorcycle
0x00315fc8, // n0x10f2 c0x0000 (---------------) + I muenchen
0x002c0a88, // n0x10f3 c0x0000 (---------------) + I muenster
0x002c2508, // n0x10f4 c0x0000 (---------------) + I mulhouse
0x002c2a86, // n0x10f5 c0x0000 (---------------) + I muncie
0x002c4746, // n0x10f6 c0x0000 (---------------) + I museet
0x002ed48c, // n0x10f7 c0x0000 (---------------) + I museumcenter
0x002c4d10, // n0x10f8 c0x0000 (---------------) + I museumvereniging
0x0029e1c5, // n0x10f9 c0x0000 (---------------) + I music
0x0021ae88, // n0x10fa c0x0000 (---------------) + I national
0x00363b10, // n0x10fb c0x0000 (---------------) + I nationalfirearms
0x002f8390, // n0x10fc c0x0000 (---------------) + I nationalheritage
0x0030260e, // n0x10fd c0x0000 (---------------) + I nativeamerican
0x002ed10e, // n0x10fe c0x0000 (---------------) + I naturalhistory
0x002ed114, // n0x10ff c0x0000 (---------------) + I naturalhistorymuseum
0x0031218f, // n0x1100 c0x0000 (---------------) + I naturalsciences
0x00312546, // n0x1101 c0x0000 (---------------) + I nature
0x00357f11, // n0x1102 c0x0000 (---------------) + I naturhistorisches
0x00359213, // n0x1103 c0x0000 (---------------) + I natuurwetenschappen
0x00359688, // n0x1104 c0x0000 (---------------) + I naumburg
0x00202545, // n0x1105 c0x0000 (---------------) + I naval
0x00341888, // n0x1106 c0x0000 (---------------) + I nebraska
0x002b5245, // n0x1107 c0x0000 (---------------) + I neues
0x0022574c, // n0x1108 c0x0000 (---------------) + I newhampshire
0x002a39c9, // n0x1109 c0x0000 (---------------) + I newjersey
0x00238d49, // n0x110a c0x0000 (---------------) + I newmexico
0x0022ff87, // n0x110b c0x0000 (---------------) + I newport
0x00234349, // n0x110c c0x0000 (---------------) + I newspaper
0x00242207, // n0x110d c0x0000 (---------------) + I newyork
0x002f0f86, // n0x110e c0x0000 (---------------) + I niepce
0x0022e987, // n0x110f c0x0000 (---------------) + I norfolk
0x002fb985, // n0x1110 c0x0000 (---------------) + I north
0x002c8903, // n0x1111 c0x0000 (---------------) + I nrw
0x00264709, // n0x1112 c0x0000 (---------------) + I nuernberg
0x003636c9, // n0x1113 c0x0000 (---------------) + I nuremberg
0x002123c3, // n0x1114 c0x0000 (---------------) + I nyc
0x0021c104, // n0x1115 c0x0000 (---------------) + I nyny
0x0020858d, // n0x1116 c0x0000 (---------------) + I oceanographic
0x00209f4f, // n0x1117 c0x0000 (---------------) + I oceanographique
0x002a0ec5, // n0x1118 c0x0000 (---------------) + I omaha
0x002b5146, // n0x1119 c0x0000 (---------------) + I online
0x0022f107, // n0x111a c0x0000 (---------------) + I ontario
0x0036a187, // n0x111b c0x0000 (---------------) + I openair
0x0027a1c6, // n0x111c c0x0000 (---------------) + I oregon
0x0027a1cb, // n0x111d c0x0000 (---------------) + I oregontrail
0x00294905, // n0x111e c0x0000 (---------------) + I otago
0x00363486, // n0x111f c0x0000 (---------------) + I oxford
0x002665c7, // n0x1120 c0x0000 (---------------) + I pacific
0x002c8709, // n0x1121 c0x0000 (---------------) + I paderborn
0x0023e586, // n0x1122 c0x0000 (---------------) + I palace
0x00200a05, // n0x1123 c0x0000 (---------------) + I paleo
0x0021e04b, // n0x1124 c0x0000 (---------------) + I palmsprings
0x00229d06, // n0x1125 c0x0000 (---------------) + I panama
0x002cdb05, // n0x1126 c0x0000 (---------------) + I paris
0x002c6c48, // n0x1127 c0x0000 (---------------) + I pasadena
0x002c6848, // n0x1128 c0x0000 (---------------) + I pharmacy
0x002c714c, // n0x1129 c0x0000 (---------------) + I philadelphia
0x002c7150, // n0x112a c0x0000 (---------------) + I philadelphiaarea
0x002c7809, // n0x112b c0x0000 (---------------) + I philately
0x002c7a47, // n0x112c c0x0000 (---------------) + I phoenix
0x002c900b, // n0x112d c0x0000 (---------------) + I photography
0x002ca0c6, // n0x112e c0x0000 (---------------) + I pilots
0x002cb90a, // n0x112f c0x0000 (---------------) + I pittsburgh
0x002cbf0b, // n0x1130 c0x0000 (---------------) + I planetarium
0x002cca8a, // n0x1131 c0x0000 (---------------) + I plantation
0x002ccd06, // n0x1132 c0x0000 (---------------) + I plants
0x002cd0c5, // n0x1133 c0x0000 (---------------) + I plaza
0x002fb086, // n0x1134 c0x0000 (---------------) + I portal
0x002926c8, // n0x1135 c0x0000 (---------------) + I portland
0x0023004a, // n0x1136 c0x0000 (---------------) + I portlligat
0x002d0edc, // n0x1137 c0x0000 (---------------) + I posts-and-telecommunications
0x002d1a8c, // n0x1138 c0x0000 (---------------) + I preservation
0x002d1d88, // n0x1139 c0x0000 (---------------) + I presidio
0x00219e05, // n0x113a c0x0000 (---------------) + I press
0x002d3a07, // n0x113b c0x0000 (---------------) + I project
0x002a2406, // n0x113c c0x0000 (---------------) + I public
0x00354f85, // n0x113d c0x0000 (---------------) + I pubol
0x00214d06, // n0x113e c0x0000 (---------------) + I quebec
0x0027a388, // n0x113f c0x0000 (---------------) + I railroad
0x0029e747, // n0x1140 c0x0000 (---------------) + I railway
0x0035dd48, // n0x1141 c0x0000 (---------------) + I research
0x0025770a, // n0x1142 c0x0000 (---------------) + I resistance
0x0022f20c, // n0x1143 c0x0000 (---------------) + I riodejaneiro
0x0031ab89, // n0x1144 c0x0000 (---------------) + I rochester
0x003552c7, // n0x1145 c0x0000 (---------------) + I rockart
0x00225d44, // n0x1146 c0x0000 (---------------) + I roma
0x00251546, // n0x1147 c0x0000 (---------------) + I russia
0x002b150a, // n0x1148 c0x0000 (---------------) + I saintlouis
0x0026d345, // n0x1149 c0x0000 (---------------) + I salem
0x00222a4c, // n0x114a c0x0000 (---------------) + I salvadordali
0x00224b48, // n0x114b c0x0000 (---------------) + I salzburg
0x002e1148, // n0x114c c0x0000 (---------------) + I sandiego
0x00288b8c, // n0x114d c0x0000 (---------------) + I sanfrancisco
0x0022d74c, // n0x114e c0x0000 (---------------) + I santabarbara
0x00231b49, // n0x114f c0x0000 (---------------) + I santacruz
0x00233147, // n0x1150 c0x0000 (---------------) + I santafe
0x0025c48c, // n0x1151 c0x0000 (---------------) + I saskatchewan
0x0025f584, // n0x1152 c0x0000 (---------------) + I satx
0x0031df0a, // n0x1153 c0x0000 (---------------) + I savannahga
0x00282b4c, // n0x1154 c0x0000 (---------------) + I schlesisches
0x0028ad0b, // n0x1155 c0x0000 (---------------) + I schoenbrunn
0x0028e5cb, // n0x1156 c0x0000 (---------------) + I schokoladen
0x00293b46, // n0x1157 c0x0000 (---------------) + I school
0x0029d647, // n0x1158 c0x0000 (---------------) + I schweiz
0x002329c7, // n0x1159 c0x0000 (---------------) + I science
0x002329cf, // n0x115a c0x0000 (---------------) + I science-fiction
0x002e8a51, // n0x115b c0x0000 (---------------) + I scienceandhistory
0x00270b12, // n0x115c c0x0000 (---------------) + I scienceandindustry
0x002ac9cd, // n0x115d c0x0000 (---------------) + I sciencecenter
0x002ac9ce, // n0x115e c0x0000 (---------------) + I sciencecenters
0x002acd0e, // n0x115f c0x0000 (---------------) + I sciencehistory
0x00312348, // n0x1160 c0x0000 (---------------) + I sciences
0x00312352, // n0x1161 c0x0000 (---------------) + I sciencesnaturelles
0x0021b2c8, // n0x1162 c0x0000 (---------------) + I scotland
0x002f5a07, // n0x1163 c0x0000 (---------------) + I seaport
0x0024830a, // n0x1164 c0x0000 (---------------) + I settlement
0x002889c8, // n0x1165 c0x0000 (---------------) + I settlers
0x002a2905, // n0x1166 c0x0000 (---------------) + I shell
0x002a4e0a, // n0x1167 c0x0000 (---------------) + I sherbrooke
0x00204587, // n0x1168 c0x0000 (---------------) + I sibenik
0x002ea3c4, // n0x1169 c0x0000 (---------------) + I silk
0x0021a883, // n0x116a c0x0000 (---------------) + I ski
0x00334845, // n0x116b c0x0000 (---------------) + I skole
0x002bf047, // n0x116c c0x0000 (---------------) + I society
0x002d9a07, // n0x116d c0x0000 (---------------) + I sologne
0x00215b0e, // n0x116e c0x0000 (---------------) + I soundandvision
0x002dec4d, // n0x116f c0x0000 (---------------) + I southcarolina
0x002df089, // n0x1170 c0x0000 (---------------) + I southwest
0x002df885, // n0x1171 c0x0000 (---------------) + I space
0x002e3b83, // n0x1172 c0x0000 (---------------) + I spy
0x002e3dc6, // n0x1173 c0x0000 (---------------) + I square
0x0025b045, // n0x1174 c0x0000 (---------------) + I stadt
0x0022c6c8, // n0x1175 c0x0000 (---------------) + I stalbans
0x0029a5c9, // n0x1176 c0x0000 (---------------) + I starnberg
0x0027da45, // n0x1177 c0x0000 (---------------) + I state
0x002ba38f, // n0x1178 c0x0000 (---------------) + I stateofdelaware
0x002284c7, // n0x1179 c0x0000 (---------------) + I station
0x002132c5, // n0x117a c0x0000 (---------------) + I steam
0x002fc90a, // n0x117b c0x0000 (---------------) + I steiermark
0x0028b586, // n0x117c c0x0000 (---------------) + I stjohn
0x002c6449, // n0x117d c0x0000 (---------------) + I stockholm
0x002e4acc, // n0x117e c0x0000 (---------------) + I stpetersburg
0x002e5409, // n0x117f c0x0000 (---------------) + I stuttgart
0x00213806, // n0x1180 c0x0000 (---------------) + I suisse
0x0031ca8c, // n0x1181 c0x0000 (---------------) + I surgeonshall
0x00305a46, // n0x1182 c0x0000 (---------------) + I surrey
0x002e7f88, // n0x1183 c0x0000 (---------------) + I svizzera
0x002ab806, // n0x1184 c0x0000 (---------------) + I sweden
0x00283346, // n0x1185 c0x0000 (---------------) + I sydney
0x002eb044, // n0x1186 c0x0000 (---------------) + I tank
0x00302203, // n0x1187 c0x0000 (---------------) + I tcm
0x0030fd8a, // n0x1188 c0x0000 (---------------) + I technology
0x00266d91, // n0x1189 c0x0000 (---------------) + I telekommunikation
0x00236f0a, // n0x118a c0x0000 (---------------) + I television
0x0023c445, // n0x118b c0x0000 (---------------) + I texas
0x00240347, // n0x118c c0x0000 (---------------) + I textile
0x0030e387, // n0x118d c0x0000 (---------------) + I theater
0x003114c4, // n0x118e c0x0000 (---------------) + I time
0x003114cb, // n0x118f c0x0000 (---------------) + I timekeeping
0x00308308, // n0x1190 c0x0000 (---------------) + I topology
0x002a7ec6, // n0x1191 c0x0000 (---------------) + I torino
0x0022c205, // n0x1192 c0x0000 (---------------) + I touch
0x00323544, // n0x1193 c0x0000 (---------------) + I town
0x0029cf89, // n0x1194 c0x0000 (---------------) + I transport
0x002d7404, // n0x1195 c0x0000 (---------------) + I tree
0x0023fb07, // n0x1196 c0x0000 (---------------) + I trolley
0x002ea145, // n0x1197 c0x0000 (---------------) + I trust
0x002ea147, // n0x1198 c0x0000 (---------------) + I trustee
0x002ffa05, // n0x1199 c0x0000 (---------------) + I uhren
0x0020b943, // n0x119a c0x0000 (---------------) + I ulm
0x002f58c8, // n0x119b c0x0000 (---------------) + I undersea
0x0020220a, // n0x119c c0x0000 (---------------) + I university
0x0021bc03, // n0x119d c0x0000 (---------------) + I usa
0x0023190a, // n0x119e c0x0000 (---------------) + I usantiques
0x0023ad86, // n0x119f c0x0000 (---------------) + I usarts
0x0027d7cf, // n0x11a0 c0x0000 (---------------) + I uscountryestate
0x00362849, // n0x11a1 c0x0000 (---------------) + I usculture
0x00241550, // n0x11a2 c0x0000 (---------------) + I usdecorativearts
0x0028cc08, // n0x11a3 c0x0000 (---------------) + I usgarden
0x002be3c9, // n0x11a4 c0x0000 (---------------) + I ushistory
0x002a0bc7, // n0x11a5 c0x0000 (---------------) + I ushuaia
0x002e640f, // n0x11a6 c0x0000 (---------------) + I uslivinghistory
0x00321484, // n0x11a7 c0x0000 (---------------) + I utah
0x002e1344, // n0x11a8 c0x0000 (---------------) + I uvic
0x002028c6, // n0x11a9 c0x0000 (---------------) + I valley
0x0029b186, // n0x11aa c0x0000 (---------------) + I vantaa
0x002ef94a, // n0x11ab c0x0000 (---------------) + I versailles
0x002746c6, // n0x11ac c0x0000 (---------------) + I viking
0x0031c587, // n0x11ad c0x0000 (---------------) + I village
0x002f3bc8, // n0x11ae c0x0000 (---------------) + I virginia
0x002f3dc7, // n0x11af c0x0000 (---------------) + I virtual
0x002f3f87, // n0x11b0 c0x0000 (---------------) + I virtuel
0x0031b70a, // n0x11b1 c0x0000 (---------------) + I vlaanderen
0x002f570b, // n0x11b2 c0x0000 (---------------) + I volkenkunde
0x0026ce85, // n0x11b3 c0x0000 (---------------) + I wales
0x00270748, // n0x11b4 c0x0000 (---------------) + I wallonie
0x0020b603, // n0x11b5 c0x0000 (---------------) + I war
0x003531cc, // n0x11b6 c0x0000 (---------------) + I washingtondc
0x002016cf, // n0x11b7 c0x0000 (---------------) + I watch-and-clock
0x00258b4d, // n0x11b8 c0x0000 (---------------) + I watchandclock
0x002df1c7, // n0x11b9 c0x0000 (---------------) + I western
0x00302409, // n0x11ba c0x0000 (---------------) + I westfalen
0x00221fc7, // n0x11bb c0x0000 (---------------) + I whaling
0x00262888, // n0x11bc c0x0000 (---------------) + I wildlife
0x002305cc, // n0x11bd c0x0000 (---------------) + I williamsburg
0x002c8d08, // n0x11be c0x0000 (---------------) + I windmill
0x0032e9c8, // n0x11bf c0x0000 (---------------) + I workshop
0x002fd70e, // n0x11c0 c0x0000 (---------------) + I xn--9dbhblg6di
0x0030b554, // n0x11c1 c0x0000 (---------------) + I xn--comunicaes-v6a2o
0x0030ba64, // n0x11c2 c0x0000 (---------------) + I xn--correios-e-telecomunicaes-ghc29a
0x0031d54a, // n0x11c3 c0x0000 (---------------) + I xn--h1aegh
0x0033054b, // n0x11c4 c0x0000 (---------------) + I xn--lns-qla
0x002422c4, // n0x11c5 c0x0000 (---------------) + I york
0x002422c9, // n0x11c6 c0x0000 (---------------) + I yorkshire
0x0020d088, // n0x11c7 c0x0000 (---------------) + I yosemite
0x00349e05, // n0x11c8 c0x0000 (---------------) + I youth
0x00239c8a, // n0x11c9 c0x0000 (---------------) + I zoological
0x0024c847, // n0x11ca c0x0000 (---------------) + I zoology
0x0021c2c4, // n0x11cb c0x0000 (---------------) + I aero
0x00367d83, // n0x11cc c0x0000 (---------------) + I biz
0x00224903, // n0x11cd c0x0000 (---------------) + I com
0x00237f84, // n0x11ce c0x0000 (---------------) + I coop
0x00215543, // n0x11cf c0x0000 (---------------) + I edu
0x0020a783, // n0x11d0 c0x0000 (---------------) + I gov
0x00216ec4, // n0x11d1 c0x0000 (---------------) + I info
0x00201bc3, // n0x11d2 c0x0000 (---------------) + I int
0x00225bc3, // n0x11d3 c0x0000 (---------------) + I mil
0x002c4d06, // n0x11d4 c0x0000 (---------------) + I museum
0x002445c4, // n0x11d5 c0x0000 (---------------) + I name
0x0024b083, // n0x11d6 c0x0000 (---------------) + I net
0x00228143, // n0x11d7 c0x0000 (---------------) + I org
0x002d2303, // n0x11d8 c0x0000 (---------------) + I pro
0x00200342, // n0x11d9 c0x0000 (---------------) + I ac
0x00367d83, // n0x11da c0x0000 (---------------) + I biz
0x00206402, // n0x11db c0x0000 (---------------) + I co
0x00224903, // n0x11dc c0x0000 (---------------) + I com
0x00237f84, // n0x11dd c0x0000 (---------------) + I coop
0x00215543, // n0x11de c0x0000 (---------------) + I edu
0x0020a783, // n0x11df c0x0000 (---------------) + I gov
0x00201bc3, // n0x11e0 c0x0000 (---------------) + I int
0x002c4d06, // n0x11e1 c0x0000 (---------------) + I museum
0x0024b083, // n0x11e2 c0x0000 (---------------) + I net
0x00228143, // n0x11e3 c0x0000 (---------------) + I org
0x000a5548, // n0x11e4 c0x0000 (---------------) + blogspot
0x00224903, // n0x11e5 c0x0000 (---------------) + I com
0x00215543, // n0x11e6 c0x0000 (---------------) + I edu
0x002f91c3, // n0x11e7 c0x0000 (---------------) + I gob
0x0024b083, // n0x11e8 c0x0000 (---------------) + I net
0x00228143, // n0x11e9 c0x0000 (---------------) + I org
0x00224903, // n0x11ea c0x0000 (---------------) + I com
0x00215543, // n0x11eb c0x0000 (---------------) + I edu
0x0020a783, // n0x11ec c0x0000 (---------------) + I gov
0x00225bc3, // n0x11ed c0x0000 (---------------) + I mil
0x002445c4, // n0x11ee c0x0000 (---------------) + I name
0x0024b083, // n0x11ef c0x0000 (---------------) + I net
0x00228143, // n0x11f0 c0x0000 (---------------) + I org
0x0069c548, // n0x11f1 c0x0001 (---------------) ! I teledata
0x002012c2, // n0x11f2 c0x0000 (---------------) + I ca
0x0021b842, // n0x11f3 c0x0000 (---------------) + I cc
0x00206402, // n0x11f4 c0x0000 (---------------) + I co
0x00224903, // n0x11f5 c0x0000 (---------------) + I com
0x0020c942, // n0x11f6 c0x0000 (---------------) + I dr
0x00201bc2, // n0x11f7 c0x0000 (---------------) + I in
0x00216ec4, // n0x11f8 c0x0000 (---------------) + I info
0x0020ac44, // n0x11f9 c0x0000 (---------------) + I mobi
0x0033fe02, // n0x11fa c0x0000 (---------------) + I mx
0x002445c4, // n0x11fb c0x0000 (---------------) + I name
0x00201f42, // n0x11fc c0x0000 (---------------) + I or
0x00228143, // n0x11fd c0x0000 (---------------) + I org
0x002d2303, // n0x11fe c0x0000 (---------------) + I pro
0x00293b46, // n0x11ff c0x0000 (---------------) + I school
0x0028c402, // n0x1200 c0x0000 (---------------) + I tv
0x00205782, // n0x1201 c0x0000 (---------------) + I us
0x00219542, // n0x1202 c0x0000 (---------------) + I ws
0x32667543, // n0x1203 c0x00c9 (n0x1205-n0x1206) o I her
0x32a2b203, // n0x1204 c0x00ca (n0x1206-n0x1207) o I his
0x0004ca06, // n0x1205 c0x0000 (---------------) + forgot
0x0004ca06, // n0x1206 c0x0000 (---------------) + forgot
0x002a4bc4, // n0x1207 c0x0000 (---------------) + I asso
0x000010cc, // n0x1208 c0x0000 (---------------) + at-band-camp
0x00072a0c, // n0x1209 c0x0000 (---------------) + azure-mobile
0x000b868d, // n0x120a c0x0000 (---------------) + azurewebsites
0x0000f247, // n0x120b c0x0000 (---------------) + blogdns
0x0001c688, // n0x120c c0x0000 (---------------) + broke-it
0x0002680a, // n0x120d c0x0000 (---------------) + buyshouses
0x00080888, // n0x120e c0x0000 (---------------) + cloudapp
0x0002ef4a, // n0x120f c0x0000 (---------------) + cloudfront
0x0013a388, // n0x1210 c0x0000 (---------------) + dnsalias
0x00020b07, // n0x1211 c0x0000 (---------------) + dnsdojo
0x000f92c7, // n0x1212 c0x0000 (---------------) + does-it
0x00033c49, // n0x1213 c0x0000 (---------------) + dontexist
0x00038f88, // n0x1214 c0x0000 (---------------) + dynalias
0x000ee209, // n0x1215 c0x0000 (---------------) + dynathome
0x0009c04d, // n0x1216 c0x0000 (---------------) + endofinternet
0x336cbbc6, // n0x1217 c0x00cd (n0x1237-n0x1239) o I fastly
0x00057dc7, // n0x1218 c0x0000 (---------------) + from-az
0x000592c7, // n0x1219 c0x0000 (---------------) + from-co
0x0005d387, // n0x121a c0x0000 (---------------) + from-la
0x00065847, // n0x121b c0x0000 (---------------) + from-ny
0x00081dc2, // n0x121c c0x0000 (---------------) + gb
0x000471c7, // n0x121d c0x0000 (---------------) + gets-it
0x0006690c, // n0x121e c0x0000 (---------------) + ham-radio-op
0x0001b647, // n0x121f c0x0000 (---------------) + homeftp
0x000ac6c6, // n0x1220 c0x0000 (---------------) + homeip
0x00096089, // n0x1221 c0x0000 (---------------) + homelinux
0x00097788, // n0x1222 c0x0000 (---------------) + homeunix
0x00003b42, // n0x1223 c0x0000 (---------------) + hu
0x00001bc2, // n0x1224 c0x0000 (---------------) + in
0x00033f0b, // n0x1225 c0x0000 (---------------) + in-the-band
0x001352c9, // n0x1226 c0x0000 (---------------) + is-a-chef
0x000583c9, // n0x1227 c0x0000 (---------------) + is-a-geek
0x00060b88, // n0x1228 c0x0000 (---------------) + isa-geek
0x0009ee82, // n0x1229 c0x0000 (---------------) + jp
0x00057309, // n0x122a c0x0000 (---------------) + kicks-ass
0x00027acd, // n0x122b c0x0000 (---------------) + office-on-the
0x000cf607, // n0x122c c0x0000 (---------------) + podzone
0x000bf2cd, // n0x122d c0x0000 (---------------) + scrapper-site
0x00008182, // n0x122e c0x0000 (---------------) + se
0x0011a9c6, // n0x122f c0x0000 (---------------) + selfip
0x0009b608, // n0x1230 c0x0000 (---------------) + sells-it
0x00013908, // n0x1231 c0x0000 (---------------) + servebbs
0x000dd5c8, // n0x1232 c0x0000 (---------------) + serveftp
0x00158e48, // n0x1233 c0x0000 (---------------) + thruhere
0x00001582, // n0x1234 c0x0000 (---------------) + uk
0x0009ab46, // n0x1235 c0x0000 (---------------) + webhop
0x00000182, // n0x1236 c0x0000 (---------------) + za
0x33ad2584, // n0x1237 c0x00ce (n0x1239-n0x123b) o I prod
0x33e676c3, // n0x1238 c0x00cf (n0x123b-n0x123e) o I ssl
0x000001c1, // n0x1239 c0x0000 (---------------) + a
0x00014046, // n0x123a c0x0000 (---------------) + global
0x000001c1, // n0x123b c0x0000 (---------------) + a
0x00000001, // n0x123c c0x0000 (---------------) + b
0x00014046, // n0x123d c0x0000 (---------------) + global
0x00214444, // n0x123e c0x0000 (---------------) + I arts
0x00224903, // n0x123f c0x0000 (---------------) + I com
0x00246b84, // n0x1240 c0x0000 (---------------) + I firm
0x00216ec4, // n0x1241 c0x0000 (---------------) + I info
0x0024b083, // n0x1242 c0x0000 (---------------) + I net
0x002674c5, // n0x1243 c0x0000 (---------------) + I other
0x00224783, // n0x1244 c0x0000 (---------------) + I per
0x002b3743, // n0x1245 c0x0000 (---------------) + I rec
0x002bdcc5, // n0x1246 c0x0000 (---------------) + I store
0x002030c3, // n0x1247 c0x0000 (---------------) + I web
0x00224903, // n0x1248 c0x0000 (---------------) + I com
0x00215543, // n0x1249 c0x0000 (---------------) + I edu
0x0020a783, // n0x124a c0x0000 (---------------) + I gov
0x00225bc3, // n0x124b c0x0000 (---------------) + I mil
0x0020ac44, // n0x124c c0x0000 (---------------) + I mobi
0x002445c4, // n0x124d c0x0000 (---------------) + I name
0x0024b083, // n0x124e c0x0000 (---------------) + I net
0x00228143, // n0x124f c0x0000 (---------------) + I org
0x0025e403, // n0x1250 c0x0000 (---------------) + I sch
0x000a5548, // n0x1251 c0x0000 (---------------) + blogspot
0x00228282, // n0x1252 c0x0000 (---------------) + I bv
0x00006402, // n0x1253 c0x0000 (---------------) + co
0x35200802, // n0x1254 c0x00d4 (n0x152a-n0x152b) + I aa
0x0023a748, // n0x1255 c0x0000 (---------------) + I aarborte
0x002202c6, // n0x1256 c0x0000 (---------------) + I aejrie
0x00292f46, // n0x1257 c0x0000 (---------------) + I afjord
0x0021fc47, // n0x1258 c0x0000 (---------------) + I agdenes
0x35615742, // n0x1259 c0x00d5 (n0x152b-n0x152c) + I ah
0x35a7d648, // n0x125a c0x00d6 (n0x152c-n0x152d) o I akershus
0x002e1d8a, // n0x125b c0x0000 (---------------) + I aknoluokta
0x0020ea48, // n0x125c c0x0000 (---------------) + I akrehamn
0x00200742, // n0x125d c0x0000 (---------------) + I al
0x002fb189, // n0x125e c0x0000 (---------------) + I alaheadju
0x0026cec7, // n0x125f c0x0000 (---------------) + I alesund
0x002113c6, // n0x1260 c0x0000 (---------------) + I algard
0x002dfbc9, // n0x1261 c0x0000 (---------------) + I alstahaug
0x0023d884, // n0x1262 c0x0000 (---------------) + I alta
0x00204e46, // n0x1263 c0x0000 (---------------) + I alvdal
0x002e4444, // n0x1264 c0x0000 (---------------) + I amli
0x0020b6c4, // n0x1265 c0x0000 (---------------) + I amot
0x0024e1c9, // n0x1266 c0x0000 (---------------) + I andasuolo
0x002e2706, // n0x1267 c0x0000 (---------------) + I andebu
0x00216585, // n0x1268 c0x0000 (---------------) + I andoy
0x0020c205, // n0x1269 c0x0000 (---------------) + I ardal
0x002ba687, // n0x126a c0x0000 (---------------) + I aremark
0x00274487, // n0x126b c0x0000 (---------------) + I arendal
0x00348604, // n0x126c c0x0000 (---------------) + I arna
0x0021fe86, // n0x126d c0x0000 (---------------) + I aseral
0x002eee05, // n0x126e c0x0000 (---------------) + I asker
0x00369385, // n0x126f c0x0000 (---------------) + I askim
0x002a2a45, // n0x1270 c0x0000 (---------------) + I askoy
0x002eea87, // n0x1271 c0x0000 (---------------) + I askvoll
0x0034fcc5, // n0x1272 c0x0000 (---------------) + I asnes
0x00311f89, // n0x1273 c0x0000 (---------------) + I audnedaln
0x00230d85, // n0x1274 c0x0000 (---------------) + I aukra
0x002e9404, // n0x1275 c0x0000 (---------------) + I aure
0x0035f807, // n0x1276 c0x0000 (---------------) + I aurland
0x002e244e, // n0x1277 c0x0000 (---------------) + I aurskog-holand
0x00285889, // n0x1278 c0x0000 (---------------) + I austevoll
0x002ff689, // n0x1279 c0x0000 (---------------) + I austrheim
0x0032f246, // n0x127a c0x0000 (---------------) + I averoy
0x00318f08, // n0x127b c0x0000 (---------------) + I badaddja
0x002e088b, // n0x127c c0x0000 (---------------) + I bahcavuotna
0x0028134c, // n0x127d c0x0000 (---------------) + I bahccavuotna
0x00229746, // n0x127e c0x0000 (---------------) + I baidar
0x00340887, // n0x127f c0x0000 (---------------) + I bajddar
0x00214105, // n0x1280 c0x0000 (---------------) + I balat
0x0033b24a, // n0x1281 c0x0000 (---------------) + I balestrand
0x0029c849, // n0x1282 c0x0000 (---------------) + I ballangen
0x002ec649, // n0x1283 c0x0000 (---------------) + I balsfjord
0x002ff086, // n0x1284 c0x0000 (---------------) + I bamble
0x002e76c5, // n0x1285 c0x0000 (---------------) + I bardu
0x0031d845, // n0x1286 c0x0000 (---------------) + I barum
0x0034dd09, // n0x1287 c0x0000 (---------------) + I batsfjord
0x0026c80b, // n0x1288 c0x0000 (---------------) + I bearalvahki
0x00270386, // n0x1289 c0x0000 (---------------) + I beardu
0x0022cec6, // n0x128a c0x0000 (---------------) + I beiarn
0x00248cc4, // n0x128b c0x0000 (---------------) + I berg
0x00248cc6, // n0x128c c0x0000 (---------------) + I bergen
0x0020bc48, // n0x128d c0x0000 (---------------) + I berlevag
0x00200fc6, // n0x128e c0x0000 (---------------) + I bievat
0x002767c6, // n0x128f c0x0000 (---------------) + I bindal
0x00206688, // n0x1290 c0x0000 (---------------) + I birkenes
0x00209bc7, // n0x1291 c0x0000 (---------------) + I bjarkoy
0x0020aa09, // n0x1292 c0x0000 (---------------) + I bjerkreim
0x0020dac5, // n0x1293 c0x0000 (---------------) + I bjugn
0x000a5548, // n0x1294 c0x0000 (---------------) + blogspot
0x002f9244, // n0x1295 c0x0000 (---------------) + I bodo
0x00219404, // n0x1296 c0x0000 (---------------) + I bokn
0x0020fcc5, // n0x1297 c0x0000 (---------------) + I bomlo
0x002170c9, // n0x1298 c0x0000 (---------------) + I bremanger
0x0021dbc7, // n0x1299 c0x0000 (---------------) + I bronnoy
0x0021dbcb, // n0x129a c0x0000 (---------------) + I bronnoysund
0x0021e40a, // n0x129b c0x0000 (---------------) + I brumunddal
0x00225685, // n0x129c c0x0000 (---------------) + I bryne
0x35e0efc2, // n0x129d c0x00d7 (n0x152d-n0x152e) + I bu
0x002e2807, // n0x129e c0x0000 (---------------) + I budejju
0x362a3788, // n0x129f c0x00d8 (n0x152e-n0x152f) o I buskerud
0x0022ed87, // n0x12a0 c0x0000 (---------------) + I bygland
0x002c0e85, // n0x12a1 c0x0000 (---------------) + I bykle
0x00272dca, // n0x12a2 c0x0000 (---------------) + I cahcesuolo
0x00006402, // n0x12a3 c0x0000 (---------------) + co
0x002004cb, // n0x12a4 c0x0000 (---------------) + I davvenjarga
0x0020374a, // n0x12a5 c0x0000 (---------------) + I davvesiida
0x003635c6, // n0x12a6 c0x0000 (---------------) + I deatnu
0x00267403, // n0x12a7 c0x0000 (---------------) + I dep
0x002fda0d, // n0x12a8 c0x0000 (---------------) + I dielddanuorri
0x0031060c, // n0x12a9 c0x0000 (---------------) + I divtasvuodna
0x002ec84d, // n0x12aa c0x0000 (---------------) + I divttasvuotna
0x0031e545, // n0x12ab c0x0000 (---------------) + I donna
0x002b2b85, // n0x12ac c0x0000 (---------------) + I dovre
0x00264587, // n0x12ad c0x0000 (---------------) + I drammen
0x0020c949, // n0x12ae c0x0000 (---------------) + I drangedal
0x0020e946, // n0x12af c0x0000 (---------------) + I drobak
0x00331cc5, // n0x12b0 c0x0000 (---------------) + I dyroy
0x0022fc48, // n0x12b1 c0x0000 (---------------) + I egersund
0x00281c03, // n0x12b2 c0x0000 (---------------) + I eid
0x00331b08, // n0x12b3 c0x0000 (---------------) + I eidfjord
0x00281c08, // n0x12b4 c0x0000 (---------------) + I eidsberg
0x002b6107, // n0x12b5 c0x0000 (---------------) + I eidskog
0x00341b88, // n0x12b6 c0x0000 (---------------) + I eidsvoll
0x00273589, // n0x12b7 c0x0000 (---------------) + I eigersund
0x002d5fc7, // n0x12b8 c0x0000 (---------------) + I elverum
0x002b4507, // n0x12b9 c0x0000 (---------------) + I enebakk
0x002049c8, // n0x12ba c0x0000 (---------------) + I engerdal
0x0024b0c4, // n0x12bb c0x0000 (---------------) + I etne
0x0024b0c7, // n0x12bc c0x0000 (---------------) + I etnedal
0x00204388, // n0x12bd c0x0000 (---------------) + I evenassi
0x0020e046, // n0x12be c0x0000 (---------------) + I evenes
0x0020d24f, // n0x12bf c0x0000 (---------------) + I evje-og-hornnes
0x002be107, // n0x12c0 c0x0000 (---------------) + I farsund
0x002d2fc6, // n0x12c1 c0x0000 (---------------) + I fauske
0x00262a05, // n0x12c2 c0x0000 (---------------) + I fedje
0x0022c9c3, // n0x12c3 c0x0000 (---------------) + I fet
0x00346687, // n0x12c4 c0x0000 (---------------) + I fetsund
0x002448c3, // n0x12c5 c0x0000 (---------------) + I fhs
0x00246846, // n0x12c6 c0x0000 (---------------) + I finnoy
0x002475c6, // n0x12c7 c0x0000 (---------------) + I fitjar
0x002486c6, // n0x12c8 c0x0000 (---------------) + I fjaler
0x00285645, // n0x12c9 c0x0000 (---------------) + I fjell
0x0025af43, // n0x12ca c0x0000 (---------------) + I fla
0x0025af48, // n0x12cb c0x0000 (---------------) + I flakstad
0x00344749, // n0x12cc c0x0000 (---------------) + I flatanger
0x0024890b, // n0x12cd c0x0000 (---------------) + I flekkefjord
0x00248bc8, // n0x12ce c0x0000 (---------------) + I flesberg
0x00249905, // n0x12cf c0x0000 (---------------) + I flora
0x0024a585, // n0x12d0 c0x0000 (---------------) + I floro
0x36671a02, // n0x12d1 c0x00d9 (n0x152f-n0x1530) + I fm
0x0022ea49, // n0x12d2 c0x0000 (---------------) + I folkebibl
0x0024a9c7, // n0x12d3 c0x0000 (---------------) + I folldal
0x00363505, // n0x12d4 c0x0000 (---------------) + I forde
0x0024e0c7, // n0x12d5 c0x0000 (---------------) + I forsand
0x00250206, // n0x12d6 c0x0000 (---------------) + I fosnes
0x003361c5, // n0x12d7 c0x0000 (---------------) + I frana
0x00250f0b, // n0x12d8 c0x0000 (---------------) + I fredrikstad
0x002516c4, // n0x12d9 c0x0000 (---------------) + I frei
0x00256905, // n0x12da c0x0000 (---------------) + I frogn
0x00256a47, // n0x12db c0x0000 (---------------) + I froland
0x0026c186, // n0x12dc c0x0000 (---------------) + I frosta
0x0026c5c5, // n0x12dd c0x0000 (---------------) + I froya
0x002775c7, // n0x12de c0x0000 (---------------) + I fuoisku
0x00277987, // n0x12df c0x0000 (---------------) + I fuossko
0x002764c4, // n0x12e0 c0x0000 (---------------) + I fusa
0x0027aa4a, // n0x12e1 c0x0000 (---------------) + I fylkesbibl
0x0027af08, // n0x12e2 c0x0000 (---------------) + I fyresdal
0x00301549, // n0x12e3 c0x0000 (---------------) + I gaivuotna
0x00200705, // n0x12e4 c0x0000 (---------------) + I galsa
0x002179c6, // n0x12e5 c0x0000 (---------------) + I gamvik
0x0020be0a, // n0x12e6 c0x0000 (---------------) + I gangaviika
0x0020c106, // n0x12e7 c0x0000 (---------------) + I gaular
0x0025b447, // n0x12e8 c0x0000 (---------------) + I gausdal
0x0035a54d, // n0x12e9 c0x0000 (---------------) + I giehtavuoatna
0x00300689, // n0x12ea c0x0000 (---------------) + I gildeskal
0x0033ce85, // n0x12eb c0x0000 (---------------) + I giske
0x00311747, // n0x12ec c0x0000 (---------------) + I gjemnes
0x002c0288, // n0x12ed c0x0000 (---------------) + I gjerdrum
0x0032c048, // n0x12ee c0x0000 (---------------) + I gjerstad
0x00355907, // n0x12ef c0x0000 (---------------) + I gjesdal
0x00359846, // n0x12f0 c0x0000 (---------------) + I gjovik
0x00222147, // n0x12f1 c0x0000 (---------------) + I gloppen
0x0030d103, // n0x12f2 c0x0000 (---------------) + I gol
0x00313244, // n0x12f3 c0x0000 (---------------) + I gran
0x00318845, // n0x12f4 c0x0000 (---------------) + I grane
0x003326c7, // n0x12f5 c0x0000 (---------------) + I granvin
0x0034b589, // n0x12f6 c0x0000 (---------------) + I gratangen
0x0029a7c8, // n0x12f7 c0x0000 (---------------) + I grimstad
0x0022bd45, // n0x12f8 c0x0000 (---------------) + I grong
0x00234fc4, // n0x12f9 c0x0000 (---------------) + I grue
0x00244005, // n0x12fa c0x0000 (---------------) + I gulen
0x0024ce0d, // n0x12fb c0x0000 (---------------) + I guovdageaidnu
0x00204002, // n0x12fc c0x0000 (---------------) + I ha
0x00307086, // n0x12fd c0x0000 (---------------) + I habmer
0x0031a906, // n0x12fe c0x0000 (---------------) + I hadsel
0x00325b4a, // n0x12ff c0x0000 (---------------) + I hagebostad
0x0027b906, // n0x1300 c0x0000 (---------------) + I halden
0x0027ba85, // n0x1301 c0x0000 (---------------) + I halsa
0x003010c5, // n0x1302 c0x0000 (---------------) + I hamar
0x003010c7, // n0x1303 c0x0000 (---------------) + I hamaroy
0x0027d14c, // n0x1304 c0x0000 (---------------) + I hammarfeasta
0x002dde8a, // n0x1305 c0x0000 (---------------) + I hammerfest
0x0027ff86, // n0x1306 c0x0000 (---------------) + I hapmir
0x002b7dc5, // n0x1307 c0x0000 (---------------) + I haram
0x00281b46, // n0x1308 c0x0000 (---------------) + I hareid
0x00281f87, // n0x1309 c0x0000 (---------------) + I harstad
0x00283646, // n0x130a c0x0000 (---------------) + I hasvik
0x0028554c, // n0x130b c0x0000 (---------------) + I hattfjelldal
0x002dfd09, // n0x130c c0x0000 (---------------) + I haugesund
0x36a4c447, // n0x130d c0x00da (n0x1530-n0x1533) o I hedmark
0x0022d605, // n0x130e c0x0000 (---------------) + I hemne
0x0022d606, // n0x130f c0x0000 (---------------) + I hemnes
0x00286e08, // n0x1310 c0x0000 (---------------) + I hemsedal
0x0026ec85, // n0x1311 c0x0000 (---------------) + I herad
0x00295445, // n0x1312 c0x0000 (---------------) + I hitra
0x00295688, // n0x1313 c0x0000 (---------------) + I hjartdal
0x0029588a, // n0x1314 c0x0000 (---------------) + I hjelmeland
0x36e82bc2, // n0x1315 c0x00db (n0x1533-n0x1534) + I hl
0x37265ec2, // n0x1316 c0x00dc (n0x1534-n0x1535) + I hm
0x0032fe85, // n0x1317 c0x0000 (---------------) + I hobol
0x002cbb43, // n0x1318 c0x0000 (---------------) + I hof
0x0020f4c8, // n0x1319 c0x0000 (---------------) + I hokksund
0x00229243, // n0x131a c0x0000 (---------------) + I hol
0x00295b04, // n0x131b c0x0000 (---------------) + I hole
0x002c658b, // n0x131c c0x0000 (---------------) + I holmestrand
0x00301cc8, // n0x131d c0x0000 (---------------) + I holtalen
0x002986c8, // n0x131e c0x0000 (---------------) + I honefoss
0x3770d609, // n0x131f c0x00dd (n0x1535-n0x1536) o I hordaland
0x0029b309, // n0x1320 c0x0000 (---------------) + I hornindal
0x0029bf46, // n0x1321 c0x0000 (---------------) + I horten
0x0029ca88, // n0x1322 c0x0000 (---------------) + I hoyanger
0x0029cc89, // n0x1323 c0x0000 (---------------) + I hoylandet
0x0029dd46, // n0x1324 c0x0000 (---------------) + I hurdal
0x0029dec5, // n0x1325 c0x0000 (---------------) + I hurum
0x00244d86, // n0x1326 c0x0000 (---------------) + I hvaler
0x00229fc9, // n0x1327 c0x0000 (---------------) + I hyllestad
0x0030cec7, // n0x1328 c0x0000 (---------------) + I ibestad
0x00260306, // n0x1329 c0x0000 (---------------) + I idrett
0x002e86c7, // n0x132a c0x0000 (---------------) + I inderoy
0x00310487, // n0x132b c0x0000 (---------------) + I iveland
0x002597c4, // n0x132c c0x0000 (---------------) + I ivgu
0x37a16989, // n0x132d c0x00de (n0x1536-n0x1537) + I jan-mayen
0x002bbe08, // n0x132e c0x0000 (---------------) + I jessheim
0x00264ac8, // n0x132f c0x0000 (---------------) + I jevnaker
0x0027a7c7, // n0x1330 c0x0000 (---------------) + I jolster
0x002b9306, // n0x1331 c0x0000 (---------------) + I jondal
0x00237389, // n0x1332 c0x0000 (---------------) + I jorpeland
0x00292f07, // n0x1333 c0x0000 (---------------) + I kafjord
0x002eb48a, // n0x1334 c0x0000 (---------------) + I karasjohka
0x002caf48, // n0x1335 c0x0000 (---------------) + I karasjok
0x0034e247, // n0x1336 c0x0000 (---------------) + I karlsoy
0x0034e746, // n0x1337 c0x0000 (---------------) + I karmoy
0x002405ca, // n0x1338 c0x0000 (---------------) + I kautokeino
0x002aee88, // n0x1339 c0x0000 (---------------) + I kirkenes
0x002f7c85, // n0x133a c0x0000 (---------------) + I klabu
0x00229c05, // n0x133b c0x0000 (---------------) + I klepp
0x002cb107, // n0x133c c0x0000 (---------------) + I kommune
0x002e51c9, // n0x133d c0x0000 (---------------) + I kongsberg
0x002e7ccb, // n0x133e c0x0000 (---------------) + I kongsvinger
0x002fcb48, // n0x133f c0x0000 (---------------) + I kopervik
0x00230e09, // n0x1340 c0x0000 (---------------) + I kraanghke
0x002a4807, // n0x1341 c0x0000 (---------------) + I kragero
0x002a60cc, // n0x1342 c0x0000 (---------------) + I kristiansand
0x002a654c, // n0x1343 c0x0000 (---------------) + I kristiansund
0x002a684a, // n0x1344 c0x0000 (---------------) + I krodsherad
0x002a6acc, // n0x1345 c0x0000 (---------------) + I krokstadelva
0x002b2e48, // n0x1346 c0x0000 (---------------) + I kvafjord
0x002b3048, // n0x1347 c0x0000 (---------------) + I kvalsund
0x002b3244, // n0x1348 c0x0000 (---------------) + I kvam
0x002b5889, // n0x1349 c0x0000 (---------------) + I kvanangen
0x002b5ac9, // n0x134a c0x0000 (---------------) + I kvinesdal
0x002b5d0a, // n0x134b c0x0000 (---------------) + I kvinnherad
0x002b5f89, // n0x134c c0x0000 (---------------) + I kviteseid
0x002b62c7, // n0x134d c0x0000 (---------------) + I kvitsoy
0x0036794c, // n0x134e c0x0000 (---------------) + I laakesvuemie
0x0025d4c6, // n0x134f c0x0000 (---------------) + I lahppi
0x0027fac8, // n0x1350 c0x0000 (---------------) + I langevag
0x0020c1c6, // n0x1351 c0x0000 (---------------) + I lardal
0x00330786, // n0x1352 c0x0000 (---------------) + I larvik
0x0033cd87, // n0x1353 c0x0000 (---------------) + I lavagis
0x0033de88, // n0x1354 c0x0000 (---------------) + I lavangen
0x002ff18b, // n0x1355 c0x0000 (---------------) + I leangaviika
0x0022ec47, // n0x1356 c0x0000 (---------------) + I lebesby
0x002b7689, // n0x1357 c0x0000 (---------------) + I leikanger
0x002cf0c9, // n0x1358 c0x0000 (---------------) + I leirfjord
0x00298987, // n0x1359 c0x0000 (---------------) + I leirvik
0x0023bcc4, // n0x135a c0x0000 (---------------) + I leka
0x002e5047, // n0x135b c0x0000 (---------------) + I leksvik
0x00274606, // n0x135c c0x0000 (---------------) + I lenvik
0x00248786, // n0x135d c0x0000 (---------------) + I lerdal
0x002238c5, // n0x135e c0x0000 (---------------) + I lesja
0x0023dfc8, // n0x135f c0x0000 (---------------) + I levanger
0x002e44c4, // n0x1360 c0x0000 (---------------) + I lier
0x002e44c6, // n0x1361 c0x0000 (---------------) + I lierne
0x002ddd4b, // n0x1362 c0x0000 (---------------) + I lillehammer
0x002e1009, // n0x1363 c0x0000 (---------------) + I lillesand
0x00369286, // n0x1364 c0x0000 (---------------) + I lindas
0x00204f89, // n0x1365 c0x0000 (---------------) + I lindesnes
0x0020fd86, // n0x1366 c0x0000 (---------------) + I loabat
0x0024dec8, // n0x1367 c0x0000 (---------------) + I lodingen
0x00221583, // n0x1368 c0x0000 (---------------) + I lom
0x0021e645, // n0x1369 c0x0000 (---------------) + I loppa
0x00221c89, // n0x136a c0x0000 (---------------) + I lorenskog
0x00223c45, // n0x136b c0x0000 (---------------) + I loten
0x002d9c44, // n0x136c c0x0000 (---------------) + I lund
0x0026b306, // n0x136d c0x0000 (---------------) + I lunner
0x002c8ec5, // n0x136e c0x0000 (---------------) + I luroy
0x003095c6, // n0x136f c0x0000 (---------------) + I luster
0x002f6e47, // n0x1370 c0x0000 (---------------) + I lyngdal
0x00297e86, // n0x1371 c0x0000 (---------------) + I lyngen
0x0028c30b, // n0x1372 c0x0000 (---------------) + I malatvuopmi
0x002e0cc7, // n0x1373 c0x0000 (---------------) + I malselv
0x0030cac6, // n0x1374 c0x0000 (---------------) + I malvik
0x00271d06, // n0x1375 c0x0000 (---------------) + I mandal
0x002ba746, // n0x1376 c0x0000 (---------------) + I marker
0x003485c9, // n0x1377 c0x0000 (---------------) + I marnardal
0x0029190a, // n0x1378 c0x0000 (---------------) + I masfjorden
0x002b02c5, // n0x1379 c0x0000 (---------------) + I masoy
0x002c3d8d, // n0x137a c0x0000 (---------------) + I matta-varjjat
0x00295986, // n0x137b c0x0000 (---------------) + I meland
0x0031ce86, // n0x137c c0x0000 (---------------) + I meldal
0x00241446, // n0x137d c0x0000 (---------------) + I melhus
0x00368f05, // n0x137e c0x0000 (---------------) + I meloy
0x0027d587, // n0x137f c0x0000 (---------------) + I meraker
0x00222407, // n0x1380 c0x0000 (---------------) + I midsund
0x002c218e, // n0x1381 c0x0000 (---------------) + I midtre-gauldal
0x00225bc3, // n0x1382 c0x0000 (---------------) + I mil
0x002b92c9, // n0x1383 c0x0000 (---------------) + I mjondalen
0x00300e09, // n0x1384 c0x0000 (---------------) + I mo-i-rana
0x0033b647, // n0x1385 c0x0000 (---------------) + I moareke
0x0025f247, // n0x1386 c0x0000 (---------------) + I modalen
0x00368e05, // n0x1387 c0x0000 (---------------) + I modum
0x003689c5, // n0x1388 c0x0000 (---------------) + I molde
0x37efa74f, // n0x1389 c0x00df (n0x1537-n0x1539) o I more-og-romsdal
0x002be607, // n0x138a c0x0000 (---------------) + I mosjoen
0x002be7c8, // n0x138b c0x0000 (---------------) + I moskenes
0x002bfa84, // n0x138c c0x0000 (---------------) + I moss
0x002bfd86, // n0x138d c0x0000 (---------------) + I mosvik
0x38201e02, // n0x138e c0x00e0 (n0x1539-n0x153a) + I mr
0x002c2d06, // n0x138f c0x0000 (---------------) + I muosat
0x002c4d06, // n0x1390 c0x0000 (---------------) + I museum
0x0035a80e, // n0x1391 c0x0000 (---------------) + I naamesjevuemie
0x0033194a, // n0x1392 c0x0000 (---------------) + I namdalseid
0x00282f06, // n0x1393 c0x0000 (---------------) + I namsos
0x002d7dca, // n0x1394 c0x0000 (---------------) + I namsskogan
0x002074c9, // n0x1395 c0x0000 (---------------) + I nannestad
0x00307445, // n0x1396 c0x0000 (---------------) + I naroy
0x0034bd48, // n0x1397 c0x0000 (---------------) + I narviika
0x00351246, // n0x1398 c0x0000 (---------------) + I narvik
0x00368148, // n0x1399 c0x0000 (---------------) + I naustdal
0x00205bc8, // n0x139a c0x0000 (---------------) + I navuotna
0x0027f54b, // n0x139b c0x0000 (---------------) + I nedre-eiker
0x0021fd45, // n0x139c c0x0000 (---------------) + I nesna
0x0034fd48, // n0x139d c0x0000 (---------------) + I nesodden
0x002067cc, // n0x139e c0x0000 (---------------) + I nesoddtangen
0x002f7e47, // n0x139f c0x0000 (---------------) + I nesseby
0x00248246, // n0x13a0 c0x0000 (---------------) + I nesset
0x0023b608, // n0x13a1 c0x0000 (---------------) + I nissedal
0x00204cc8, // n0x13a2 c0x0000 (---------------) + I nittedal
0x38631642, // n0x13a3 c0x00e1 (n0x153a-n0x153b) + I nl
0x0023c78b, // n0x13a4 c0x0000 (---------------) + I nord-aurdal
0x002a2c49, // n0x13a5 c0x0000 (---------------) + I nord-fron
0x002f2b89, // n0x13a6 c0x0000 (---------------) + I nord-odal
0x0033b847, // n0x13a7 c0x0000 (---------------) + I norddal
0x00243e08, // n0x13a8 c0x0000 (---------------) + I nordkapp
0x38af43c8, // n0x13a9 c0x00e2 (n0x153b-n0x153f) o I nordland
0x003341cb, // n0x13aa c0x0000 (---------------) + I nordre-land
0x00260a09, // n0x13ab c0x0000 (---------------) + I nordreisa
0x003092cd, // n0x13ac c0x0000 (---------------) + I nore-og-uvdal
0x00367f88, // n0x13ad c0x0000 (---------------) + I notodden
0x0033ed88, // n0x13ae c0x0000 (---------------) + I notteroy
0x38e01c02, // n0x13af c0x00e3 (n0x153f-n0x1540) + I nt
0x00323b04, // n0x13b0 c0x0000 (---------------) + I odda
0x39227ac2, // n0x13b1 c0x00e4 (n0x1540-n0x1541) + I of
0x0027c006, // n0x13b2 c0x0000 (---------------) + I oksnes
0x39601fc2, // n0x13b3 c0x00e5 (n0x1541-n0x1542) + I ol
0x0020788a, // n0x13b4 c0x0000 (---------------) + I omasvuotna
0x00238006, // n0x13b5 c0x0000 (---------------) + I oppdal
0x00227748, // n0x13b6 c0x0000 (---------------) + I oppegard
0x00300bc8, // n0x13b7 c0x0000 (---------------) + I orkanger
0x00223b06, // n0x13b8 c0x0000 (---------------) + I orkdal
0x00266306, // n0x13b9 c0x0000 (---------------) + I orland
0x002d4846, // n0x13ba c0x0000 (---------------) + I orskog
0x0022c645, // n0x13bb c0x0000 (---------------) + I orsta
0x00208144, // n0x13bc c0x0000 (---------------) + I osen
0x39a21504, // n0x13bd c0x00e6 (n0x1542-n0x1543) + I oslo
0x002a9e06, // n0x13be c0x0000 (---------------) + I osoyro
0x0029db87, // n0x13bf c0x0000 (---------------) + I osteroy
0x39eebb07, // n0x13c0 c0x00e7 (n0x1543-n0x1544) o I ostfold
0x00336ecb, // n0x13c1 c0x0000 (---------------) + I ostre-toten
0x0027f909, // n0x13c2 c0x0000 (---------------) + I overhalla
0x002b2bca, // n0x13c3 c0x0000 (---------------) + I ovre-eiker
0x00301204, // n0x13c4 c0x0000 (---------------) + I oyer
0x002ffc08, // n0x13c5 c0x0000 (---------------) + I oygarden
0x002600cd, // n0x13c6 c0x0000 (---------------) + I oystre-slidre
0x002d0449, // n0x13c7 c0x0000 (---------------) + I porsanger
0x002d0688, // n0x13c8 c0x0000 (---------------) + I porsangu
0x002d0c09, // n0x13c9 c0x0000 (---------------) + I porsgrunn
0x002d2184, // n0x13ca c0x0000 (---------------) + I priv
0x0026fe04, // n0x13cb c0x0000 (---------------) + I rade
0x0033f885, // n0x13cc c0x0000 (---------------) + I radoy
0x0023a38b, // n0x13cd c0x0000 (---------------) + I rahkkeravju
0x00301c46, // n0x13ce c0x0000 (---------------) + I raholt
0x002a9c45, // n0x13cf c0x0000 (---------------) + I raisa
0x00218e49, // n0x13d0 c0x0000 (---------------) + I rakkestad
0x0021ff48, // n0x13d1 c0x0000 (---------------) + I ralingen
0x0026ac84, // n0x13d2 c0x0000 (---------------) + I rana
0x0033b3c9, // n0x13d3 c0x0000 (---------------) + I randaberg
0x00341645, // n0x13d4 c0x0000 (---------------) + I rauma
0x002744c8, // n0x13d5 c0x0000 (---------------) + I rendalen
0x00247947, // n0x13d6 c0x0000 (---------------) + I rennebu
0x002ffa88, // n0x13d7 c0x0000 (---------------) + I rennesoy
0x002b8ec6, // n0x13d8 c0x0000 (---------------) + I rindal
0x0025a147, // n0x13d9 c0x0000 (---------------) + I ringebu
0x002c9709, // n0x13da c0x0000 (---------------) + I ringerike
0x0021e1c9, // n0x13db c0x0000 (---------------) + I ringsaker
0x002cdb85, // n0x13dc c0x0000 (---------------) + I risor
0x002eda05, // n0x13dd c0x0000 (---------------) + I rissa
0x3a200882, // n0x13de c0x00e8 (n0x1544-n0x1545) + I rl
0x002e91c4, // n0x13df c0x0000 (---------------) + I roan
0x00231e45, // n0x13e0 c0x0000 (---------------) + I rodoy
0x0032da06, // n0x13e1 c0x0000 (---------------) + I rollag
0x002e9a85, // n0x13e2 c0x0000 (---------------) + I romsa
0x0022f487, // n0x13e3 c0x0000 (---------------) + I romskog
0x00334745, // n0x13e4 c0x0000 (---------------) + I roros
0x0026c1c4, // n0x13e5 c0x0000 (---------------) + I rost
0x0032f306, // n0x13e6 c0x0000 (---------------) + I royken
0x00331d47, // n0x13e7 c0x0000 (---------------) + I royrvik
0x002c6a86, // n0x13e8 c0x0000 (---------------) + I ruovat
0x002355c5, // n0x13e9 c0x0000 (---------------) + I rygge
0x00214748, // n0x13ea c0x0000 (---------------) + I salangen
0x0021b945, // n0x13eb c0x0000 (---------------) + I salat
0x00221b07, // n0x13ec c0x0000 (---------------) + I saltdal
0x0025a449, // n0x13ed c0x0000 (---------------) + I samnanger
0x002a62ca, // n0x13ee c0x0000 (---------------) + I sandefjord
0x0027b607, // n0x13ef c0x0000 (---------------) + I sandnes
0x0027b60c, // n0x13f0 c0x0000 (---------------) + I sandnessjoen
0x00216546, // n0x13f1 c0x0000 (---------------) + I sandoy
0x0024cc09, // n0x13f2 c0x0000 (---------------) + I sarpsborg
0x0026a985, // n0x13f3 c0x0000 (---------------) + I sauda
0x0026ebc8, // n0x13f4 c0x0000 (---------------) + I sauherad
0x00221a43, // n0x13f5 c0x0000 (---------------) + I sel
0x0032bec5, // n0x13f6 c0x0000 (---------------) + I selbu
0x00262005, // n0x13f7 c0x0000 (---------------) + I selje
0x0032e687, // n0x13f8 c0x0000 (---------------) + I seljord
0x3a60eec2, // n0x13f9 c0x00e9 (n0x1545-n0x1546) + I sf
0x002b27c7, // n0x13fa c0x0000 (---------------) + I siellak
0x002d8586, // n0x13fb c0x0000 (---------------) + I sigdal
0x002168c6, // n0x13fc c0x0000 (---------------) + I siljan
0x002d9046, // n0x13fd c0x0000 (---------------) + I sirdal
0x00204c06, // n0x13fe c0x0000 (---------------) + I skanit
0x00231588, // n0x13ff c0x0000 (---------------) + I skanland
0x003419c5, // n0x1400 c0x0000 (---------------) + I skaun
0x002d3087, // n0x1401 c0x0000 (---------------) + I skedsmo
0x002d308d, // n0x1402 c0x0000 (---------------) + I skedsmokorset
0x0021a883, // n0x1403 c0x0000 (---------------) + I ski
0x0021a885, // n0x1404 c0x0000 (---------------) + I skien
0x002fc6c7, // n0x1405 c0x0000 (---------------) + I skierva
0x002b33c8, // n0x1406 c0x0000 (---------------) + I skiptvet
0x002e1cc5, // n0x1407 c0x0000 (---------------) + I skjak
0x00224288, // n0x1408 c0x0000 (---------------) + I skjervoy
0x002717c6, // n0x1409 c0x0000 (---------------) + I skodje
0x00267707, // n0x140a c0x0000 (---------------) + I slattum
0x00229405, // n0x140b c0x0000 (---------------) + I smola
0x0021fdc6, // n0x140c c0x0000 (---------------) + I snaase
0x0022c885, // n0x140d c0x0000 (---------------) + I snasa
0x002aea0a, // n0x140e c0x0000 (---------------) + I snillfjord
0x002b1406, // n0x140f c0x0000 (---------------) + I snoasa
0x00279047, // n0x1410 c0x0000 (---------------) + I sogndal
0x002ad945, // n0x1411 c0x0000 (---------------) + I sogne
0x002e9f87, // n0x1412 c0x0000 (---------------) + I sokndal
0x002d97c4, // n0x1413 c0x0000 (---------------) + I sola
0x002d9bc6, // n0x1414 c0x0000 (---------------) + I solund
0x002da785, // n0x1415 c0x0000 (---------------) + I somna
0x00247ecb, // n0x1416 c0x0000 (---------------) + I sondre-land
0x00319189, // n0x1417 c0x0000 (---------------) + I songdalen
0x0025668a, // n0x1418 c0x0000 (---------------) + I sor-aurdal
0x002cdc08, // n0x1419 c0x0000 (---------------) + I sor-fron
0x002dbcc8, // n0x141a c0x0000 (---------------) + I sor-odal
0x002dbecc, // n0x141b c0x0000 (---------------) + I sor-varanger
0x002dc1c7, // n0x141c c0x0000 (---------------) + I sorfold
0x002dc388, // n0x141d c0x0000 (---------------) + I sorreisa
0x002de448, // n0x141e c0x0000 (---------------) + I sortland
0x002de645, // n0x141f c0x0000 (---------------) + I sorum
0x002e360a, // n0x1420 c0x0000 (---------------) + I spjelkavik
0x002e3b89, // n0x1421 c0x0000 (---------------) + I spydeberg
0x3aa027c2, // n0x1422 c0x00ea (n0x1546-n0x1547) + I st
0x00315c86, // n0x1423 c0x0000 (---------------) + I stange
0x002284c4, // n0x1424 c0x0000 (---------------) + I stat
0x002ec089, // n0x1425 c0x0000 (---------------) + I stathelle
0x0023ee49, // n0x1426 c0x0000 (---------------) + I stavanger
0x002464c7, // n0x1427 c0x0000 (---------------) + I stavern
0x002c08c7, // n0x1428 c0x0000 (---------------) + I steigen
0x0026d0c9, // n0x1429 c0x0000 (---------------) + I steinkjer
0x002a88c8, // n0x142a c0x0000 (---------------) + I stjordal
0x002a88cf, // n0x142b c0x0000 (---------------) + I stjordalshalsen
0x00237e06, // n0x142c c0x0000 (---------------) + I stokke
0x002af30b, // n0x142d c0x0000 (---------------) + I stor-elvdal
0x00369105, // n0x142e c0x0000 (---------------) + I stord
0x00369107, // n0x142f c0x0000 (---------------) + I stordal
0x002e4889, // n0x1430 c0x0000 (---------------) + I storfjord
0x002c66c6, // n0x1431 c0x0000 (---------------) + I strand
0x0033b347, // n0x1432 c0x0000 (---------------) + I stranda
0x00270e85, // n0x1433 c0x0000 (---------------) + I stryn
0x00233b44, // n0x1434 c0x0000 (---------------) + I sula
0x0029a046, // n0x1435 c0x0000 (---------------) + I suldal
0x0020f5c4, // n0x1436 c0x0000 (---------------) + I sund
0x002b0d47, // n0x1437 c0x0000 (---------------) + I sunndal
0x00314c88, // n0x1438 c0x0000 (---------------) + I surnadal
0x3aee75c8, // n0x1439 c0x00eb (n0x1547-n0x1548) + I svalbard
0x002e7a05, // n0x143a c0x0000 (---------------) + I sveio
0x002e7b47, // n0x143b c0x0000 (---------------) + I svelvik
0x00299c89, // n0x143c c0x0000 (---------------) + I sykkylven
0x00213c04, // n0x143d c0x0000 (---------------) + I tana
0x002e3988, // n0x143e c0x0000 (---------------) + I tananger
0x3b2cd448, // n0x143f c0x00ec (n0x1548-n0x154a) o I telemark
0x003114c4, // n0x1440 c0x0000 (---------------) + I time
0x00234bc8, // n0x1441 c0x0000 (---------------) + I tingvoll
0x002ed044, // n0x1442 c0x0000 (---------------) + I tinn
0x0022f909, // n0x1443 c0x0000 (---------------) + I tjeldsund
0x00241385, // n0x1444 c0x0000 (---------------) + I tjome
0x3b633e42, // n0x1445 c0x00ed (n0x154a-n0x154b) + I tm
0x00237e45, // n0x1446 c0x0000 (---------------) + I tokke
0x00217905, // n0x1447 c0x0000 (---------------) + I tolga
0x00309bc8, // n0x1448 c0x0000 (---------------) + I tonsberg
0x002361c7, // n0x1449 c0x0000 (---------------) + I torsken
0x3ba05802, // n0x144a c0x00ee (n0x154b-n0x154c) + I tr
0x0026ac45, // n0x144b c0x0000 (---------------) + I trana
0x00286c86, // n0x144c c0x0000 (---------------) + I tranby
0x0029c346, // n0x144d c0x0000 (---------------) + I tranoy
0x002e9188, // n0x144e c0x0000 (---------------) + I troandin
0x002e9848, // n0x144f c0x0000 (---------------) + I trogstad
0x002e9a46, // n0x1450 c0x0000 (---------------) + I tromsa
0x002e9e86, // n0x1451 c0x0000 (---------------) + I tromso
0x00245409, // n0x1452 c0x0000 (---------------) + I trondheim
0x002ea306, // n0x1453 c0x0000 (---------------) + I trysil
0x0035d30b, // n0x1454 c0x0000 (---------------) + I tvedestrand
0x0022ca45, // n0x1455 c0x0000 (---------------) + I tydal
0x00288906, // n0x1456 c0x0000 (---------------) + I tynset
0x0030d9c8, // n0x1457 c0x0000 (---------------) + I tysfjord
0x002bf186, // n0x1458 c0x0000 (---------------) + I tysnes
0x002bc246, // n0x1459 c0x0000 (---------------) + I tysvar
0x0034300a, // n0x145a c0x0000 (---------------) + I ullensaker
0x003556ca, // n0x145b c0x0000 (---------------) + I ullensvang
0x0024d105, // n0x145c c0x0000 (---------------) + I ulvik
0x0025ed87, // n0x145d c0x0000 (---------------) + I unjarga
0x002dad06, // n0x145e c0x0000 (---------------) + I utsira
0x3be01082, // n0x145f c0x00ef (n0x154c-n0x154d) + I va
0x002fc807, // n0x1460 c0x0000 (---------------) + I vaapste
0x00274285, // n0x1461 c0x0000 (---------------) + I vadso
0x0020bd84, // n0x1462 c0x0000 (---------------) + I vaga
0x0020bd85, // n0x1463 c0x0000 (---------------) + I vagan
0x0027fc06, // n0x1464 c0x0000 (---------------) + I vagsoy
0x002a6d47, // n0x1465 c0x0000 (---------------) + I vaksdal
0x002028c5, // n0x1466 c0x0000 (---------------) + I valle
0x0023e044, // n0x1467 c0x0000 (---------------) + I vang
0x002d9448, // n0x1468 c0x0000 (---------------) + I vanylven
0x002bc305, // n0x1469 c0x0000 (---------------) + I vardo
0x00360e47, // n0x146a c0x0000 (---------------) + I varggat
0x002ec4c5, // n0x146b c0x0000 (---------------) + I varoy
0x002ae945, // n0x146c c0x0000 (---------------) + I vefsn
0x002dd944, // n0x146d c0x0000 (---------------) + I vega
0x002f6709, // n0x146e c0x0000 (---------------) + I vegarshei
0x002eec48, // n0x146f c0x0000 (---------------) + I vennesla
0x002ec346, // n0x1470 c0x0000 (---------------) + I verdal
0x002ef7c6, // n0x1471 c0x0000 (---------------) + I verran
0x002c0d86, // n0x1472 c0x0000 (---------------) + I vestby
0x3c2efec8, // n0x1473 c0x00f0 (n0x154d-n0x154e) o I vestfold
0x002f00c7, // n0x1474 c0x0000 (---------------) + I vestnes
0x002f064d, // n0x1475 c0x0000 (---------------) + I vestre-slidre
0x002f110c, // n0x1476 c0x0000 (---------------) + I vestre-toten
0x002f1649, // n0x1477 c0x0000 (---------------) + I vestvagoy
0x002f1889, // n0x1478 c0x0000 (---------------) + I vevelstad
0x3c728982, // n0x1479 c0x00f1 (n0x154e-n0x154f) + I vf
0x00360443, // n0x147a c0x0000 (---------------) + I vgs
0x00217a83, // n0x147b c0x0000 (---------------) + I vik
0x00331e45, // n0x147c c0x0000 (---------------) + I vikna
0x003327ca, // n0x147d c0x0000 (---------------) + I vindafjord
0x00309986, // n0x147e c0x0000 (---------------) + I voagat
0x002f5385, // n0x147f c0x0000 (---------------) + I volda
0x002f7384, // n0x1480 c0x0000 (---------------) + I voss
0x002f738b, // n0x1481 c0x0000 (---------------) + I vossevangen
0x002fdf0c, // n0x1482 c0x0000 (---------------) + I xn--andy-ira
0x002fe88c, // n0x1483 c0x0000 (---------------) + I xn--asky-ira
0x002feb95, // n0x1484 c0x0000 (---------------) + I xn--aurskog-hland-jnb
0x00302f8d, // n0x1485 c0x0000 (---------------) + I xn--avery-yua
0x0030380f, // n0x1486 c0x0000 (---------------) + I xn--bdddj-mrabd
0x00303bd2, // n0x1487 c0x0000 (---------------) + I xn--bearalvhki-y4a
0x0030404f, // n0x1488 c0x0000 (---------------) + I xn--berlevg-jxa
0x00304412, // n0x1489 c0x0000 (---------------) + I xn--bhcavuotna-s4a
0x00304893, // n0x148a c0x0000 (---------------) + I xn--bhccavuotna-k7a
0x00304d4d, // n0x148b c0x0000 (---------------) + I xn--bidr-5nac
0x0030530d, // n0x148c c0x0000 (---------------) + I xn--bievt-0qa
0x0030564e, // n0x148d c0x0000 (---------------) + I xn--bjarky-fya
0x00305bce, // n0x148e c0x0000 (---------------) + I xn--bjddar-pta
0x0030640c, // n0x148f c0x0000 (---------------) + I xn--blt-elab
0x0030678c, // n0x1490 c0x0000 (---------------) + I xn--bmlo-gra
0x0030720b, // n0x1491 c0x0000 (---------------) + I xn--bod-2na
0x0030758e, // n0x1492 c0x0000 (---------------) + I xn--brnny-wuac
0x00308b92, // n0x1493 c0x0000 (---------------) + I xn--brnnysund-m8ac
0x0030974c, // n0x1494 c0x0000 (---------------) + I xn--brum-voa
0x00309dd0, // n0x1495 c0x0000 (---------------) + I xn--btsfjord-9za
0x00312b92, // n0x1496 c0x0000 (---------------) + I xn--davvenjrga-y4a
0x0031300c, // n0x1497 c0x0000 (---------------) + I xn--dnna-gra
0x003137cd, // n0x1498 c0x0000 (---------------) + I xn--drbak-wua
0x00313b0c, // n0x1499 c0x0000 (---------------) + I xn--dyry-ira
0x00313e11, // n0x149a c0x0000 (---------------) + I xn--eveni-0qa01ga
0x0031424d, // n0x149b c0x0000 (---------------) + I xn--finny-yua
0x00317a0d, // n0x149c c0x0000 (---------------) + I xn--fjord-lra
0x00317d4a, // n0x149d c0x0000 (---------------) + I xn--fl-zia
0x00317fcc, // n0x149e c0x0000 (---------------) + I xn--flor-jra
0x0031860c, // n0x149f c0x0000 (---------------) + I xn--frde-gra
0x0031898c, // n0x14a0 c0x0000 (---------------) + I xn--frna-woa
0x003193cc, // n0x14a1 c0x0000 (---------------) + I xn--frya-hra
0x0031a493, // n0x14a2 c0x0000 (---------------) + I xn--ggaviika-8ya47h
0x0031add0, // n0x14a3 c0x0000 (---------------) + I xn--gildeskl-g0a
0x0031b1d0, // n0x14a4 c0x0000 (---------------) + I xn--givuotna-8ya
0x0031b98d, // n0x14a5 c0x0000 (---------------) + I xn--gjvik-wua
0x0031bccc, // n0x14a6 c0x0000 (---------------) + I xn--gls-elac
0x0031d289, // n0x14a7 c0x0000 (---------------) + I xn--h-2fa
0x0031e94d, // n0x14a8 c0x0000 (---------------) + I xn--hbmer-xqa
0x0031ec93, // n0x14a9 c0x0000 (---------------) + I xn--hcesuolo-7ya35b
0x003206d1, // n0x14aa c0x0000 (---------------) + I xn--hgebostad-g3a
0x00320b13, // n0x14ab c0x0000 (---------------) + I xn--hmmrfeasta-s4ac
0x0032164f, // n0x14ac c0x0000 (---------------) + I xn--hnefoss-q1a
0x00321a0c, // n0x14ad c0x0000 (---------------) + I xn--hobl-ira
0x00321d0f, // n0x14ae c0x0000 (---------------) + I xn--holtlen-hxa
0x003220cd, // n0x14af c0x0000 (---------------) + I xn--hpmir-xqa
0x0032240f, // n0x14b0 c0x0000 (---------------) + I xn--hyanger-q1a
0x003227d0, // n0x14b1 c0x0000 (---------------) + I xn--hylandet-54a
0x00322f8e, // n0x14b2 c0x0000 (---------------) + I xn--indery-fya
0x003241ce, // n0x14b3 c0x0000 (---------------) + I xn--jlster-bya
0x00324910, // n0x14b4 c0x0000 (---------------) + I xn--jrpeland-54a
0x00324d0d, // n0x14b5 c0x0000 (---------------) + I xn--karmy-yua
0x0032504e, // n0x14b6 c0x0000 (---------------) + I xn--kfjord-iua
0x003253cc, // n0x14b7 c0x0000 (---------------) + I xn--klbu-woa
0x003256d3, // n0x14b8 c0x0000 (---------------) + I xn--koluokta-7ya57h
0x00326d0e, // n0x14b9 c0x0000 (---------------) + I xn--krager-gya
0x003272d0, // n0x14ba c0x0000 (---------------) + I xn--kranghke-b0a
0x003276d1, // n0x14bb c0x0000 (---------------) + I xn--krdsherad-m8a
0x00327b0f, // n0x14bc c0x0000 (---------------) + I xn--krehamn-dxa
0x00327ed3, // n0x14bd c0x0000 (---------------) + I xn--krjohka-hwab49j
0x0032850d, // n0x14be c0x0000 (---------------) + I xn--ksnes-uua
0x0032884f, // n0x14bf c0x0000 (---------------) + I xn--kvfjord-nxa
0x00328c0e, // n0x14c0 c0x0000 (---------------) + I xn--kvitsy-fya
0x00329690, // n0x14c1 c0x0000 (---------------) + I xn--kvnangen-k0a
0x00329a89, // n0x14c2 c0x0000 (---------------) + I xn--l-1fa
0x0032a4d0, // n0x14c3 c0x0000 (---------------) + I xn--laheadju-7ya
0x0032afcf, // n0x14c4 c0x0000 (---------------) + I xn--langevg-jxa
0x0032b64f, // n0x14c5 c0x0000 (---------------) + I xn--ldingen-q1a
0x0032ba12, // n0x14c6 c0x0000 (---------------) + I xn--leagaviika-52b
0x0032cdce, // n0x14c7 c0x0000 (---------------) + I xn--lesund-hua
0x0032df0d, // n0x14c8 c0x0000 (---------------) + I xn--lgrd-poac
0x0032f48d, // n0x14c9 c0x0000 (---------------) + I xn--lhppi-xqa
0x0032f7cd, // n0x14ca c0x0000 (---------------) + I xn--linds-pra
0x00330b0d, // n0x14cb c0x0000 (---------------) + I xn--loabt-0qa
0x00330e4d, // n0x14cc c0x0000 (---------------) + I xn--lrdal-sra
0x00331190, // n0x14cd c0x0000 (---------------) + I xn--lrenskog-54a
0x0033158b, // n0x14ce c0x0000 (---------------) + I xn--lt-liac
0x0033248c, // n0x14cf c0x0000 (---------------) + I xn--lten-gra
0x00332a4c, // n0x14d0 c0x0000 (---------------) + I xn--lury-ira
0x00332d4c, // n0x14d1 c0x0000 (---------------) + I xn--mely-ira
0x0033304e, // n0x14d2 c0x0000 (---------------) + I xn--merker-kua
0x0033bc90, // n0x14d3 c0x0000 (---------------) + I xn--mjndalen-64a
0x0033c6d2, // n0x14d4 c0x0000 (---------------) + I xn--mlatvuopmi-s4a
0x0033cb4b, // n0x14d5 c0x0000 (---------------) + I xn--mli-tla
0x0033cfce, // n0x14d6 c0x0000 (---------------) + I xn--mlselv-iua
0x0033d34e, // n0x14d7 c0x0000 (---------------) + I xn--moreke-jua
0x0033d6ce, // n0x14d8 c0x0000 (---------------) + I xn--mosjen-eya
0x0033dc4b, // n0x14d9 c0x0000 (---------------) + I xn--mot-tla
0x3cb3e096, // n0x14da c0x00f2 (n0x154f-n0x1551) o I xn--mre-og-romsdal-qqb
0x0033e90d, // n0x14db c0x0000 (---------------) + I xn--msy-ula0h
0x0033ef94, // n0x14dc c0x0000 (---------------) + I xn--mtta-vrjjat-k7af
0x0033f9cd, // n0x14dd c0x0000 (---------------) + I xn--muost-0qa
0x003403d5, // n0x14de c0x0000 (---------------) + I xn--nmesjevuemie-tcba
0x0034284d, // n0x14df c0x0000 (---------------) + I xn--nry-yla5g
0x00342b8f, // n0x14e0 c0x0000 (---------------) + I xn--nttery-byae
0x0034328f, // n0x14e1 c0x0000 (---------------) + I xn--nvuotna-hwa
0x0034498f, // n0x14e2 c0x0000 (---------------) + I xn--oppegrd-ixa
0x00344d4e, // n0x14e3 c0x0000 (---------------) + I xn--ostery-fya
0x003451cd, // n0x14e4 c0x0000 (---------------) + I xn--osyro-wua
0x00346291, // n0x14e5 c0x0000 (---------------) + I xn--porsgu-sta26f
0x00346d0c, // n0x14e6 c0x0000 (---------------) + I xn--rady-ira
0x0034700c, // n0x14e7 c0x0000 (---------------) + I xn--rdal-poa
0x0034730b, // n0x14e8 c0x0000 (---------------) + I xn--rde-ula
0x0034768c, // n0x14e9 c0x0000 (---------------) + I xn--rdy-0nab
0x00347ccf, // n0x14ea c0x0000 (---------------) + I xn--rennesy-v1a
0x00348092, // n0x14eb c0x0000 (---------------) + I xn--rhkkervju-01af
0x0034880d, // n0x14ec c0x0000 (---------------) + I xn--rholt-mra
0x0034930c, // n0x14ed c0x0000 (---------------) + I xn--risa-5na
0x0034a3cc, // n0x14ee c0x0000 (---------------) + I xn--risr-ira
0x0034a6cd, // n0x14ef c0x0000 (---------------) + I xn--rland-uua
0x0034aa0f, // n0x14f0 c0x0000 (---------------) + I xn--rlingen-mxa
0x0034adce, // n0x14f1 c0x0000 (---------------) + I xn--rmskog-bya
0x0034b34c, // n0x14f2 c0x0000 (---------------) + I xn--rros-gra
0x0034b7cd, // n0x14f3 c0x0000 (---------------) + I xn--rskog-uua
0x0034bb0b, // n0x14f4 c0x0000 (---------------) + I xn--rst-0na
0x0034c0cc, // n0x14f5 c0x0000 (---------------) + I xn--rsta-fra
0x0034c64d, // n0x14f6 c0x0000 (---------------) + I xn--ryken-vua
0x0034c98e, // n0x14f7 c0x0000 (---------------) + I xn--ryrvik-bya
0x0034cd09, // n0x14f8 c0x0000 (---------------) + I xn--s-1fa
0x0034d893, // n0x14f9 c0x0000 (---------------) + I xn--sandnessjen-ogb
0x0034ec8d, // n0x14fa c0x0000 (---------------) + I xn--sandy-yua
0x0034efcd, // n0x14fb c0x0000 (---------------) + I xn--seral-lra
0x0034f5cc, // n0x14fc c0x0000 (---------------) + I xn--sgne-gra
0x0034f90e, // n0x14fd c0x0000 (---------------) + I xn--skierv-uta
0x0035020f, // n0x14fe c0x0000 (---------------) + I xn--skjervy-v1a
0x003505cc, // n0x14ff c0x0000 (---------------) + I xn--skjk-soa
0x003508cd, // n0x1500 c0x0000 (---------------) + I xn--sknit-yqa
0x00350c0f, // n0x1501 c0x0000 (---------------) + I xn--sknland-fxa
0x00350fcc, // n0x1502 c0x0000 (---------------) + I xn--slat-5na
0x0035198c, // n0x1503 c0x0000 (---------------) + I xn--slt-elab
0x00351d4c, // n0x1504 c0x0000 (---------------) + I xn--smla-hra
0x0035204c, // n0x1505 c0x0000 (---------------) + I xn--smna-gra
0x0035234d, // n0x1506 c0x0000 (---------------) + I xn--snase-nra
0x00352692, // n0x1507 c0x0000 (---------------) + I xn--sndre-land-0cb
0x0035388c, // n0x1508 c0x0000 (---------------) + I xn--snes-poa
0x00353b8c, // n0x1509 c0x0000 (---------------) + I xn--snsa-roa
0x00353e91, // n0x150a c0x0000 (---------------) + I xn--sr-aurdal-l8a
0x003542cf, // n0x150b c0x0000 (---------------) + I xn--sr-fron-q1a
0x0035468f, // n0x150c c0x0000 (---------------) + I xn--sr-odal-q1a
0x00354a53, // n0x150d c0x0000 (---------------) + I xn--sr-varanger-ggb
0x003562ce, // n0x150e c0x0000 (---------------) + I xn--srfold-bya
0x0035664f, // n0x150f c0x0000 (---------------) + I xn--srreisa-q1a
0x00356a0c, // n0x1510 c0x0000 (---------------) + I xn--srum-gra
0x3cf56d0e, // n0x1511 c0x00f3 (n0x1551-n0x1552) o I xn--stfold-9xa
0x0035708f, // n0x1512 c0x0000 (---------------) + I xn--stjrdal-s1a
0x00357456, // n0x1513 c0x0000 (---------------) + I xn--stjrdalshalsen-sqb
0x00358612, // n0x1514 c0x0000 (---------------) + I xn--stre-toten-zcb
0x00359bcc, // n0x1515 c0x0000 (---------------) + I xn--tjme-hra
0x0035bccf, // n0x1516 c0x0000 (---------------) + I xn--tnsberg-q1a
0x0035c08d, // n0x1517 c0x0000 (---------------) + I xn--trany-yua
0x0035c3cf, // n0x1518 c0x0000 (---------------) + I xn--trgstad-r1a
0x0035c78c, // n0x1519 c0x0000 (---------------) + I xn--trna-woa
0x0035ca8d, // n0x151a c0x0000 (---------------) + I xn--troms-zua
0x0035cdcd, // n0x151b c0x0000 (---------------) + I xn--tysvr-vra
0x0035d88e, // n0x151c c0x0000 (---------------) + I xn--unjrga-rta
0x0035e44c, // n0x151d c0x0000 (---------------) + I xn--vads-jra
0x0035e74c, // n0x151e c0x0000 (---------------) + I xn--vard-jra
0x0035ea50, // n0x151f c0x0000 (---------------) + I xn--vegrshei-c0a
0x0035ee51, // n0x1520 c0x0000 (---------------) + I xn--vestvgy-ixa6o
0x0035f28b, // n0x1521 c0x0000 (---------------) + I xn--vg-yiab
0x0036004c, // n0x1522 c0x0000 (---------------) + I xn--vgan-qoa
0x0036034e, // n0x1523 c0x0000 (---------------) + I xn--vgsy-qoa0j
0x00361751, // n0x1524 c0x0000 (---------------) + I xn--vre-eiker-k8a
0x00361b8e, // n0x1525 c0x0000 (---------------) + I xn--vrggt-xqad
0x00361f0d, // n0x1526 c0x0000 (---------------) + I xn--vry-yla5g
0x00364ecb, // n0x1527 c0x0000 (---------------) + I xn--yer-zna
0x0036574f, // n0x1528 c0x0000 (---------------) + I xn--ygarden-p1a
0x00366094, // n0x1529 c0x0000 (---------------) + I xn--ystre-slidre-ujb
0x0021e282, // n0x152a c0x0000 (---------------) + I gs
0x0021e282, // n0x152b c0x0000 (---------------) + I gs
0x00205103, // n0x152c c0x0000 (---------------) + I nes
0x0021e282, // n0x152d c0x0000 (---------------) + I gs
0x00205103, // n0x152e c0x0000 (---------------) + I nes
0x0021e282, // n0x152f c0x0000 (---------------) + I gs
0x00200c82, // n0x1530 c0x0000 (---------------) + I os
0x00244dc5, // n0x1531 c0x0000 (---------------) + I valer
0x0036144c, // n0x1532 c0x0000 (---------------) + I xn--vler-qoa
0x0021e282, // n0x1533 c0x0000 (---------------) + I gs
0x0021e282, // n0x1534 c0x0000 (---------------) + I gs
0x00200c82, // n0x1535 c0x0000 (---------------) + I os
0x0021e282, // n0x1536 c0x0000 (---------------) + I gs
0x00287005, // n0x1537 c0x0000 (---------------) + I heroy
0x002a62c5, // n0x1538 c0x0000 (---------------) + I sande
0x0021e282, // n0x1539 c0x0000 (---------------) + I gs
0x0021e282, // n0x153a c0x0000 (---------------) + I gs
0x0020fcc2, // n0x153b c0x0000 (---------------) + I bo
0x00287005, // n0x153c c0x0000 (---------------) + I heroy
0x003035c9, // n0x153d c0x0000 (---------------) + I xn--b-5ga
0x003203cc, // n0x153e c0x0000 (---------------) + I xn--hery-ira
0x0021e282, // n0x153f c0x0000 (---------------) + I gs
0x0021e282, // n0x1540 c0x0000 (---------------) + I gs
0x0021e282, // n0x1541 c0x0000 (---------------) + I gs
0x0021e282, // n0x1542 c0x0000 (---------------) + I gs
0x00244dc5, // n0x1543 c0x0000 (---------------) + I valer
0x0021e282, // n0x1544 c0x0000 (---------------) + I gs
0x0021e282, // n0x1545 c0x0000 (---------------) + I gs
0x0021e282, // n0x1546 c0x0000 (---------------) + I gs
0x0021e282, // n0x1547 c0x0000 (---------------) + I gs
0x0020fcc2, // n0x1548 c0x0000 (---------------) + I bo
0x003035c9, // n0x1549 c0x0000 (---------------) + I xn--b-5ga
0x0021e282, // n0x154a c0x0000 (---------------) + I gs
0x0021e282, // n0x154b c0x0000 (---------------) + I gs
0x0021e282, // n0x154c c0x0000 (---------------) + I gs
0x002a62c5, // n0x154d c0x0000 (---------------) + I sande
0x0021e282, // n0x154e c0x0000 (---------------) + I gs
0x002a62c5, // n0x154f c0x0000 (---------------) + I sande
0x003203cc, // n0x1550 c0x0000 (---------------) + I xn--hery-ira
0x0036144c, // n0x1551 c0x0000 (---------------) + I xn--vler-qoa
0x00367d83, // n0x1552 c0x0000 (---------------) + I biz
0x00224903, // n0x1553 c0x0000 (---------------) + I com
0x00215543, // n0x1554 c0x0000 (---------------) + I edu
0x0020a783, // n0x1555 c0x0000 (---------------) + I gov
0x00216ec4, // n0x1556 c0x0000 (---------------) + I info
0x0024b083, // n0x1557 c0x0000 (---------------) + I net
0x00228143, // n0x1558 c0x0000 (---------------) + I org
0x00120148, // n0x1559 c0x0000 (---------------) + merseine
0x00002ec4, // n0x155a c0x0000 (---------------) + mine
0x0004af48, // n0x155b c0x0000 (---------------) + shacknet
0x3de06402, // n0x155c c0x00f7 (n0x155d-n0x155e) o I co
0x000a5548, // n0x155d c0x0000 (---------------) + blogspot
0x00206402, // n0x155e c0x0000 (---------------) + I co
0x00224903, // n0x155f c0x0000 (---------------) + I com
0x00215543, // n0x1560 c0x0000 (---------------) + I edu
0x0020a783, // n0x1561 c0x0000 (---------------) + I gov
0x00215003, // n0x1562 c0x0000 (---------------) + I med
0x002c4d06, // n0x1563 c0x0000 (---------------) + I museum
0x0024b083, // n0x1564 c0x0000 (---------------) + I net
0x00228143, // n0x1565 c0x0000 (---------------) + I org
0x002d2303, // n0x1566 c0x0000 (---------------) + I pro
0x0000e002, // n0x1567 c0x0000 (---------------) + ae
0x0000f247, // n0x1568 c0x0000 (---------------) + blogdns
0x000c7608, // n0x1569 c0x0000 (---------------) + blogsite
0x00079bd2, // n0x156a c0x0000 (---------------) + boldlygoingnowhere
0x0013a388, // n0x156b c0x0000 (---------------) + dnsalias
0x00020b07, // n0x156c c0x0000 (---------------) + dnsdojo
0x0002614b, // n0x156d c0x0000 (---------------) + doesntexist
0x00033c49, // n0x156e c0x0000 (---------------) + dontexist
0x0013a287, // n0x156f c0x0000 (---------------) + doomdns
0x00020a46, // n0x1570 c0x0000 (---------------) + dvrdns
0x00038f88, // n0x1571 c0x0000 (---------------) + dynalias
0x3e80f086, // n0x1572 c0x00fa (n0x159c-n0x159e) + dyndns
0x0009c04d, // n0x1573 c0x0000 (---------------) + endofinternet
0x00101e50, // n0x1574 c0x0000 (---------------) + endoftheinternet
0x0005df47, // n0x1575 c0x0000 (---------------) + from-me
0x00136d49, // n0x1576 c0x0000 (---------------) + game-host
0x0004cac6, // n0x1577 c0x0000 (---------------) + gotdns
0x0004014a, // n0x1578 c0x0000 (---------------) + hobby-site
0x000ab687, // n0x1579 c0x0000 (---------------) + homedns
0x0001b647, // n0x157a c0x0000 (---------------) + homeftp
0x00096089, // n0x157b c0x0000 (---------------) + homelinux
0x00097788, // n0x157c c0x0000 (---------------) + homeunix
0x000c570e, // n0x157d c0x0000 (---------------) + is-a-bruinsfan
0x00023dce, // n0x157e c0x0000 (---------------) + is-a-candidate
0x0003b28f, // n0x157f c0x0000 (---------------) + is-a-celticsfan
0x001352c9, // n0x1580 c0x0000 (---------------) + is-a-chef
0x000583c9, // n0x1581 c0x0000 (---------------) + is-a-geek
0x0006a1cb, // n0x1582 c0x0000 (---------------) + is-a-knight
0x00080b4f, // n0x1583 c0x0000 (---------------) + is-a-linux-user
0x0009f04c, // n0x1584 c0x0000 (---------------) + is-a-patsfan
0x000a970b, // n0x1585 c0x0000 (---------------) + is-a-soxfan
0x000d5508, // n0x1586 c0x0000 (---------------) + is-found
0x000eba07, // n0x1587 c0x0000 (---------------) + is-lost
0x000f1448, // n0x1588 c0x0000 (---------------) + is-saved
0x00118d0b, // n0x1589 c0x0000 (---------------) + is-very-bad
0x0011c34c, // n0x158a c0x0000 (---------------) + is-very-evil
0x0012388c, // n0x158b c0x0000 (---------------) + is-very-good
0x0012460c, // n0x158c c0x0000 (---------------) + is-very-nice
0x0012658d, // n0x158d c0x0000 (---------------) + is-very-sweet
0x00060b88, // n0x158e c0x0000 (---------------) + isa-geek
0x00057309, // n0x158f c0x0000 (---------------) + kicks-ass
0x000b6ecb, // n0x1590 c0x0000 (---------------) + misconfused
0x000cf607, // n0x1591 c0x0000 (---------------) + podzone
0x000c748a, // n0x1592 c0x0000 (---------------) + readmyblog
0x0011a9c6, // n0x1593 c0x0000 (---------------) + selfip
0x000ac48d, // n0x1594 c0x0000 (---------------) + sellsyourhome
0x00013908, // n0x1595 c0x0000 (---------------) + servebbs
0x000dd5c8, // n0x1596 c0x0000 (---------------) + serveftp
0x000dd889, // n0x1597 c0x0000 (---------------) + servegame
0x000e4dcc, // n0x1598 c0x0000 (---------------) + stuff-4-sale
0x00005782, // n0x1599 c0x0000 (---------------) + us
0x0009ab46, // n0x159a c0x0000 (---------------) + webhop
0x00000182, // n0x159b c0x0000 (---------------) + za
0x00008102, // n0x159c c0x0000 (---------------) + go
0x0001b644, // n0x159d c0x0000 (---------------) + home
0x0020fc83, // n0x159e c0x0000 (---------------) + I abo
0x00200342, // n0x159f c0x0000 (---------------) + I ac
0x00224903, // n0x15a0 c0x0000 (---------------) + I com
0x00215543, // n0x15a1 c0x0000 (---------------) + I edu
0x002f91c3, // n0x15a2 c0x0000 (---------------) + I gob
0x00212a43, // n0x15a3 c0x0000 (---------------) + I ing
0x00215003, // n0x15a4 c0x0000 (---------------) + I med
0x0024b083, // n0x15a5 c0x0000 (---------------) + I net
0x00210303, // n0x15a6 c0x0000 (---------------) + I nom
0x00228143, // n0x15a7 c0x0000 (---------------) + I org
0x002d5143, // n0x15a8 c0x0000 (---------------) + I sld
0x00224903, // n0x15a9 c0x0000 (---------------) + I com
0x00215543, // n0x15aa c0x0000 (---------------) + I edu
0x002f91c3, // n0x15ab c0x0000 (---------------) + I gob
0x00225bc3, // n0x15ac c0x0000 (---------------) + I mil
0x0024b083, // n0x15ad c0x0000 (---------------) + I net
0x00210303, // n0x15ae c0x0000 (---------------) + I nom
0x00228143, // n0x15af c0x0000 (---------------) + I org
0x00224903, // n0x15b0 c0x0000 (---------------) + I com
0x00215543, // n0x15b1 c0x0000 (---------------) + I edu
0x00228143, // n0x15b2 c0x0000 (---------------) + I org
0x00224903, // n0x15b3 c0x0000 (---------------) + I com
0x00215543, // n0x15b4 c0x0000 (---------------) + I edu
0x0020a783, // n0x15b5 c0x0000 (---------------) + I gov
0x00200041, // n0x15b6 c0x0000 (---------------) + I i
0x00225bc3, // n0x15b7 c0x0000 (---------------) + I mil
0x0024b083, // n0x15b8 c0x0000 (---------------) + I net
0x00226083, // n0x15b9 c0x0000 (---------------) + I ngo
0x00228143, // n0x15ba c0x0000 (---------------) + I org
0x00367d83, // n0x15bb c0x0000 (---------------) + I biz
0x00224903, // n0x15bc c0x0000 (---------------) + I com
0x00215543, // n0x15bd c0x0000 (---------------) + I edu
0x0031ce03, // n0x15be c0x0000 (---------------) + I fam
0x002f91c3, // n0x15bf c0x0000 (---------------) + I gob
0x00261f03, // n0x15c0 c0x0000 (---------------) + I gok
0x0027a283, // n0x15c1 c0x0000 (---------------) + I gon
0x00309143, // n0x15c2 c0x0000 (---------------) + I gop
0x00208103, // n0x15c3 c0x0000 (---------------) + I gos
0x0020a783, // n0x15c4 c0x0000 (---------------) + I gov
0x00216ec4, // n0x15c5 c0x0000 (---------------) + I info
0x0024b083, // n0x15c6 c0x0000 (---------------) + I net
0x00228143, // n0x15c7 c0x0000 (---------------) + I org
0x002030c3, // n0x15c8 c0x0000 (---------------) + I web
0x0023dd45, // n0x15c9 c0x0000 (---------------) + I 6bone
0x0030e1c4, // n0x15ca c0x0000 (---------------) + I agro
0x00229783, // n0x15cb c0x0000 (---------------) + I aid
0x002062c3, // n0x15cc c0x0000 (---------------) + I art
0x002c6b83, // n0x15cd c0x0000 (---------------) + I atm
0x002abcc8, // n0x15ce c0x0000 (---------------) + I augustow
0x00240604, // n0x15cf c0x0000 (---------------) + I auto
0x00301a4a, // n0x15d0 c0x0000 (---------------) + I babia-gora
0x00264346, // n0x15d1 c0x0000 (---------------) + I bedzin
0x0035f507, // n0x15d2 c0x0000 (---------------) + I beskidy
0x0021a44a, // n0x15d3 c0x0000 (---------------) + I bialowieza
0x00237cc9, // n0x15d4 c0x0000 (---------------) + I bialystok
0x00366547, // n0x15d5 c0x0000 (---------------) + I bielawa
0x0020000a, // n0x15d6 c0x0000 (---------------) + I bieszczady
0x00367d83, // n0x15d7 c0x0000 (---------------) + I biz
0x0032ff0b, // n0x15d8 c0x0000 (---------------) + I boleslawiec
0x002f7f89, // n0x15d9 c0x0000 (---------------) + I bydgoszcz
0x002db305, // n0x15da c0x0000 (---------------) + I bytom
0x002c2b47, // n0x15db c0x0000 (---------------) + I cieszyn
0x00006402, // n0x15dc c0x0000 (---------------) + co
0x00224903, // n0x15dd c0x0000 (---------------) + I com
0x00356087, // n0x15de c0x0000 (---------------) + I czeladz
0x00267b45, // n0x15df c0x0000 (---------------) + I czest
0x0030d049, // n0x15e0 c0x0000 (---------------) + I dlugoleka
0x00215543, // n0x15e1 c0x0000 (---------------) + I edu
0x0021fb46, // n0x15e2 c0x0000 (---------------) + I elblag
0x002e36c3, // n0x15e3 c0x0000 (---------------) + I elk
0x002d8603, // n0x15e4 c0x0000 (---------------) + I gda
0x002f60c6, // n0x15e5 c0x0000 (---------------) + I gdansk
0x0030e086, // n0x15e6 c0x0000 (---------------) + I gdynia
0x00212ac7, // n0x15e7 c0x0000 (---------------) + I gliwice
0x00221e86, // n0x15e8 c0x0000 (---------------) + I glogow
0x00224d05, // n0x15e9 c0x0000 (---------------) + I gmina
0x00218b87, // n0x15ea c0x0000 (---------------) + I gniezno
0x0024a747, // n0x15eb c0x0000 (---------------) + I gorlice
0x4060a783, // n0x15ec c0x0101 (n0x1674-n0x167d) + I gov
0x003069c7, // n0x15ed c0x0000 (---------------) + I grajewo
0x002293c3, // n0x15ee c0x0000 (---------------) + I gsm
0x0030e605, // n0x15ef c0x0000 (---------------) + I ilawa
0x00216ec4, // n0x15f0 c0x0000 (---------------) + I info
0x00268b83, // n0x15f1 c0x0000 (---------------) + I irc
0x002ea5c8, // n0x15f2 c0x0000 (---------------) + I jaworzno
0x00262acc, // n0x15f3 c0x0000 (---------------) + I jelenia-gora
0x0029ed45, // n0x15f4 c0x0000 (---------------) + I jgora
0x002a9106, // n0x15f5 c0x0000 (---------------) + I kalisz
0x00355f47, // n0x15f6 c0x0000 (---------------) + I karpacz
0x00355387, // n0x15f7 c0x0000 (---------------) + I kartuzy
0x00319d47, // n0x15f8 c0x0000 (---------------) + I kaszuby
0x00330348, // n0x15f9 c0x0000 (---------------) + I katowice
0x0024498f, // n0x15fa c0x0000 (---------------) + I kazimierz-dolny
0x0033b785, // n0x15fb c0x0000 (---------------) + I kepno
0x00286747, // n0x15fc c0x0000 (---------------) + I ketrzyn
0x002491c7, // n0x15fd c0x0000 (---------------) + I klodzko
0x00295c4a, // n0x15fe c0x0000 (---------------) + I kobierzyce
0x002fcd09, // n0x15ff c0x0000 (---------------) + I kolobrzeg
0x002ea485, // n0x1600 c0x0000 (---------------) + I konin
0x002eac4a, // n0x1601 c0x0000 (---------------) + I konskowola
0x002a5186, // n0x1602 c0x0000 (---------------) + I krakow
0x002b1145, // n0x1603 c0x0000 (---------------) + I kutno
0x002ea984, // n0x1604 c0x0000 (---------------) + I lapy
0x00240486, // n0x1605 c0x0000 (---------------) + I lebork
0x00272c87, // n0x1606 c0x0000 (---------------) + I legnica
0x002e3047, // n0x1607 c0x0000 (---------------) + I lezajsk
0x002faac8, // n0x1608 c0x0000 (---------------) + I limanowa
0x00221585, // n0x1609 c0x0000 (---------------) + I lomza
0x00267a46, // n0x160a c0x0000 (---------------) + I lowicz
0x00276745, // n0x160b c0x0000 (---------------) + I lubin
0x002c8c05, // n0x160c c0x0000 (---------------) + I lukow
0x00222744, // n0x160d c0x0000 (---------------) + I mail
0x00223a07, // n0x160e c0x0000 (---------------) + I malbork
0x002313ca, // n0x160f c0x0000 (---------------) + I malopolska
0x002610c8, // n0x1610 c0x0000 (---------------) + I mazowsze
0x002e6d86, // n0x1611 c0x0000 (---------------) + I mazury
0x002c0445, // n0x1612 c0x0000 (---------------) + I mbone
0x00215003, // n0x1613 c0x0000 (---------------) + I med
0x00215005, // n0x1614 c0x0000 (---------------) + I media
0x0029a506, // n0x1615 c0x0000 (---------------) + I miasta
0x00367b86, // n0x1616 c0x0000 (---------------) + I mielec
0x0035aac6, // n0x1617 c0x0000 (---------------) + I mielno
0x00225bc3, // n0x1618 c0x0000 (---------------) + I mil
0x00348a87, // n0x1619 c0x0000 (---------------) + I mragowo
0x00249145, // n0x161a c0x0000 (---------------) + I naklo
0x0024b083, // n0x161b c0x0000 (---------------) + I net
0x00226083, // n0x161c c0x0000 (---------------) + I ngo
0x0027088d, // n0x161d c0x0000 (---------------) + I nieruchomosci
0x00210303, // n0x161e c0x0000 (---------------) + I nom
0x002fabc8, // n0x161f c0x0000 (---------------) + I nowaruda
0x0021c184, // n0x1620 c0x0000 (---------------) + I nysa
0x0026c485, // n0x1621 c0x0000 (---------------) + I olawa
0x00295b46, // n0x1622 c0x0000 (---------------) + I olecko
0x00308786, // n0x1623 c0x0000 (---------------) + I olkusz
0x00288807, // n0x1624 c0x0000 (---------------) + I olsztyn
0x00309187, // n0x1625 c0x0000 (---------------) + I opoczno
0x00360905, // n0x1626 c0x0000 (---------------) + I opole
0x00228143, // n0x1627 c0x0000 (---------------) + I org
0x002254c7, // n0x1628 c0x0000 (---------------) + I ostroda
0x0023bb89, // n0x1629 c0x0000 (---------------) + I ostroleka
0x00298149, // n0x162a c0x0000 (---------------) + I ostrowiec
0x002cd8ca, // n0x162b c0x0000 (---------------) + I ostrowwlkp
0x00244302, // n0x162c c0x0000 (---------------) + I pc
0x0030e5c4, // n0x162d c0x0000 (---------------) + I pila
0x002cb2c4, // n0x162e c0x0000 (---------------) + I pisz
0x002cef87, // n0x162f c0x0000 (---------------) + I podhale
0x002cf308, // n0x1630 c0x0000 (---------------) + I podlasie
0x00265609, // n0x1631 c0x0000 (---------------) + I polkowice
0x0021a749, // n0x1632 c0x0000 (---------------) + I pomorskie
0x002cff47, // n0x1633 c0x0000 (---------------) + I pomorze
0x00223406, // n0x1634 c0x0000 (---------------) + I powiat
0x002d1846, // n0x1635 c0x0000 (---------------) + I poznan
0x002d2184, // n0x1636 c0x0000 (---------------) + I priv
0x002d230a, // n0x1637 c0x0000 (---------------) + I prochowice
0x002d4508, // n0x1638 c0x0000 (---------------) + I pruszkow
0x002d4709, // n0x1639 c0x0000 (---------------) + I przeworsk
0x002aaa06, // n0x163a c0x0000 (---------------) + I pulawy
0x002a19c5, // n0x163b c0x0000 (---------------) + I radom
0x00260f88, // n0x163c c0x0000 (---------------) + I rawa-maz
0x002ba24a, // n0x163d c0x0000 (---------------) + I realestate
0x002e0f43, // n0x163e c0x0000 (---------------) + I rel
0x00273246, // n0x163f c0x0000 (---------------) + I rybnik
0x002d0047, // n0x1640 c0x0000 (---------------) + I rzeszow
0x0027bf45, // n0x1641 c0x0000 (---------------) + I sanok
0x0021c045, // n0x1642 c0x0000 (---------------) + I sejny
0x00219f03, // n0x1643 c0x0000 (---------------) + I sex
0x0032eac4, // n0x1644 c0x0000 (---------------) + I shop
0x002cf447, // n0x1645 c0x0000 (---------------) + I siedlce
0x00229bc5, // n0x1646 c0x0000 (---------------) + I sklep
0x00277a87, // n0x1647 c0x0000 (---------------) + I skoczow
0x002eed85, // n0x1648 c0x0000 (---------------) + I slask
0x002d9286, // n0x1649 c0x0000 (---------------) + I slupsk
0x002db785, // n0x164a c0x0000 (---------------) + I sopot
0x00275e43, // n0x164b c0x0000 (---------------) + I sos
0x00282fc9, // n0x164c c0x0000 (---------------) + I sosnowiec
0x0026c24c, // n0x164d c0x0000 (---------------) + I stalowa-wola
0x002a450c, // n0x164e c0x0000 (---------------) + I starachowice
0x002e4688, // n0x164f c0x0000 (---------------) + I stargard
0x002ca347, // n0x1650 c0x0000 (---------------) + I suwalki
0x002e8188, // n0x1651 c0x0000 (---------------) + I swidnica
0x002e84ca, // n0x1652 c0x0000 (---------------) + I swiebodzin
0x002e888b, // n0x1653 c0x0000 (---------------) + I swinoujscie
0x002f80c8, // n0x1654 c0x0000 (---------------) + I szczecin
0x002f2a08, // n0x1655 c0x0000 (---------------) + I szczytno
0x002a9206, // n0x1656 c0x0000 (---------------) + I szkola
0x00344205, // n0x1657 c0x0000 (---------------) + I targi
0x0021910a, // n0x1658 c0x0000 (---------------) + I tarnobrzeg
0x0022d085, // n0x1659 c0x0000 (---------------) + I tgory
0x00233e42, // n0x165a c0x0000 (---------------) + I tm
0x002b7f47, // n0x165b c0x0000 (---------------) + I tourism
0x002aa606, // n0x165c c0x0000 (---------------) + I travel
0x002b4b45, // n0x165d c0x0000 (---------------) + I turek
0x002eb2c9, // n0x165e c0x0000 (---------------) + I turystyka
0x00229f05, // n0x165f c0x0000 (---------------) + I tychy
0x00286b46, // n0x1660 c0x0000 (---------------) + I usenet
0x002cae85, // n0x1661 c0x0000 (---------------) + I ustka
0x00369c89, // n0x1662 c0x0000 (---------------) + I walbrzych
0x0022ac86, // n0x1663 c0x0000 (---------------) + I warmia
0x00288f08, // n0x1664 c0x0000 (---------------) + I warszawa
0x00262803, // n0x1665 c0x0000 (---------------) + I waw
0x003022c6, // n0x1666 c0x0000 (---------------) + I wegrow
0x0026b246, // n0x1667 c0x0000 (---------------) + I wielun
0x00277c05, // n0x1668 c0x0000 (---------------) + I wlocl
0x00277c09, // n0x1669 c0x0000 (---------------) + I wloclawek
0x002cfc89, // n0x166a c0x0000 (---------------) + I wodzislaw
0x00306b07, // n0x166b c0x0000 (---------------) + I wolomin
0x002b64c4, // n0x166c c0x0000 (---------------) + I wroc
0x002b64c7, // n0x166d c0x0000 (---------------) + I wroclaw
0x0021a649, // n0x166e c0x0000 (---------------) + I zachpomor
0x0023ccc5, // n0x166f c0x0000 (---------------) + I zagan
0x0025d748, // n0x1670 c0x0000 (---------------) + I zakopane
0x0031ff45, // n0x1671 c0x0000 (---------------) + I zarow
0x0021a005, // n0x1672 c0x0000 (---------------) + I zgora
0x00227109, // n0x1673 c0x0000 (---------------) + I zgorzelec
0x00200a02, // n0x1674 c0x0000 (---------------) + I pa
0x002084c2, // n0x1675 c0x0000 (---------------) + I po
0x00203382, // n0x1676 c0x0000 (---------------) + I so
0x002bf682, // n0x1677 c0x0000 (---------------) + I sr
0x002cfac9, // n0x1678 c0x0000 (---------------) + I starostwo
0x00205ec2, // n0x1679 c0x0000 (---------------) + I ug
0x00201b02, // n0x167a c0x0000 (---------------) + I um
0x002233c4, // n0x167b c0x0000 (---------------) + I upow
0x0023ff02, // n0x167c c0x0000 (---------------) + I uw
0x00206402, // n0x167d c0x0000 (---------------) + I co
0x00215543, // n0x167e c0x0000 (---------------) + I edu
0x0020a783, // n0x167f c0x0000 (---------------) + I gov
0x0024b083, // n0x1680 c0x0000 (---------------) + I net
0x00228143, // n0x1681 c0x0000 (---------------) + I org
0x00200342, // n0x1682 c0x0000 (---------------) + I ac
0x00367d83, // n0x1683 c0x0000 (---------------) + I biz
0x00224903, // n0x1684 c0x0000 (---------------) + I com
0x00215543, // n0x1685 c0x0000 (---------------) + I edu
0x00205543, // n0x1686 c0x0000 (---------------) + I est
0x0020a783, // n0x1687 c0x0000 (---------------) + I gov
0x00216ec4, // n0x1688 c0x0000 (---------------) + I info
0x002cfd84, // n0x1689 c0x0000 (---------------) + I isla
0x002445c4, // n0x168a c0x0000 (---------------) + I name
0x0024b083, // n0x168b c0x0000 (---------------) + I net
0x00228143, // n0x168c c0x0000 (---------------) + I org
0x002d2303, // n0x168d c0x0000 (---------------) + I pro
0x002d2f04, // n0x168e c0x0000 (---------------) + I prof
0x0026a7c3, // n0x168f c0x0000 (---------------) + I aca
0x0022d883, // n0x1690 c0x0000 (---------------) + I bar
0x002c86c3, // n0x1691 c0x0000 (---------------) + I cpa
0x002049c3, // n0x1692 c0x0000 (---------------) + I eng
0x00252683, // n0x1693 c0x0000 (---------------) + I jur
0x0026c4c3, // n0x1694 c0x0000 (---------------) + I law
0x00215003, // n0x1695 c0x0000 (---------------) + I med
0x00224903, // n0x1696 c0x0000 (---------------) + I com
0x00215543, // n0x1697 c0x0000 (---------------) + I edu
0x0020a783, // n0x1698 c0x0000 (---------------) + I gov
0x0024b083, // n0x1699 c0x0000 (---------------) + I net
0x00228143, // n0x169a c0x0000 (---------------) + I org
0x002cde03, // n0x169b c0x0000 (---------------) + I plo
0x00281a03, // n0x169c c0x0000 (---------------) + I sec
0x000a5548, // n0x169d c0x0000 (---------------) + blogspot
0x00224903, // n0x169e c0x0000 (---------------) + I com
0x00215543, // n0x169f c0x0000 (---------------) + I edu
0x0020a783, // n0x16a0 c0x0000 (---------------) + I gov
0x00201bc3, // n0x16a1 c0x0000 (---------------) + I int
0x0024b083, // n0x16a2 c0x0000 (---------------) + I net
0x0024c144, // n0x16a3 c0x0000 (---------------) + I nome
0x00228143, // n0x16a4 c0x0000 (---------------) + I org
0x002a2404, // n0x16a5 c0x0000 (---------------) + I publ
0x002abc05, // n0x16a6 c0x0000 (---------------) + I belau
0x00206402, // n0x16a7 c0x0000 (---------------) + I co
0x00203702, // n0x16a8 c0x0000 (---------------) + I ed
0x00208102, // n0x16a9 c0x0000 (---------------) + I go
0x00202f42, // n0x16aa c0x0000 (---------------) + I ne
0x00201f42, // n0x16ab c0x0000 (---------------) + I or
0x00224903, // n0x16ac c0x0000 (---------------) + I com
0x00237f84, // n0x16ad c0x0000 (---------------) + I coop
0x00215543, // n0x16ae c0x0000 (---------------) + I edu
0x0020a783, // n0x16af c0x0000 (---------------) + I gov
0x00225bc3, // n0x16b0 c0x0000 (---------------) + I mil
0x0024b083, // n0x16b1 c0x0000 (---------------) + I net
0x00228143, // n0x16b2 c0x0000 (---------------) + I org
0x00224903, // n0x16b3 c0x0000 (---------------) + I com
0x00215543, // n0x16b4 c0x0000 (---------------) + I edu
0x0020a783, // n0x16b5 c0x0000 (---------------) + I gov
0x00225bc3, // n0x16b6 c0x0000 (---------------) + I mil
0x002445c4, // n0x16b7 c0x0000 (---------------) + I name
0x0024b083, // n0x16b8 c0x0000 (---------------) + I net
0x00228143, // n0x16b9 c0x0000 (---------------) + I org
0x0025e403, // n0x16ba c0x0000 (---------------) + I sch
0x002a4bc4, // n0x16bb c0x0000 (---------------) + I asso
0x000a5548, // n0x16bc c0x0000 (---------------) + blogspot
0x00224903, // n0x16bd c0x0000 (---------------) + I com
0x00210303, // n0x16be c0x0000 (---------------) + I nom
0x00214444, // n0x16bf c0x0000 (---------------) + I arts
0x000a5548, // n0x16c0 c0x0000 (---------------) + blogspot
0x00224903, // n0x16c1 c0x0000 (---------------) + I com
0x00246b84, // n0x16c2 c0x0000 (---------------) + I firm
0x00216ec4, // n0x16c3 c0x0000 (---------------) + I info
0x00210303, // n0x16c4 c0x0000 (---------------) + I nom
0x00201c02, // n0x16c5 c0x0000 (---------------) + I nt
0x00228143, // n0x16c6 c0x0000 (---------------) + I org
0x002b3743, // n0x16c7 c0x0000 (---------------) + I rec
0x002bdcc5, // n0x16c8 c0x0000 (---------------) + I store
0x00233e42, // n0x16c9 c0x0000 (---------------) + I tm
0x002cfe83, // n0x16ca c0x0000 (---------------) + I www
0x00200342, // n0x16cb c0x0000 (---------------) + I ac
0x00206402, // n0x16cc c0x0000 (---------------) + I co
0x00215543, // n0x16cd c0x0000 (---------------) + I edu
0x0020a783, // n0x16ce c0x0000 (---------------) + I gov
0x00201bc2, // n0x16cf c0x0000 (---------------) + I in
0x00228143, // n0x16d0 c0x0000 (---------------) + I org
0x00200342, // n0x16d1 c0x0000 (---------------) + I ac
0x002001c7, // n0x16d2 c0x0000 (---------------) + I adygeya
0x0030cd45, // n0x16d3 c0x0000 (---------------) + I altai
0x0027e384, // n0x16d4 c0x0000 (---------------) + I amur
0x002b32c6, // n0x16d5 c0x0000 (---------------) + I amursk
0x0024c54b, // n0x16d6 c0x0000 (---------------) + I arkhangelsk
0x0025aa09, // n0x16d7 c0x0000 (---------------) + I astrakhan
0x002a9046, // n0x16d8 c0x0000 (---------------) + I baikal
0x0033a949, // n0x16d9 c0x0000 (---------------) + I bashkiria
0x002b2008, // n0x16da c0x0000 (---------------) + I belgorod
0x002060c3, // n0x16db c0x0000 (---------------) + I bir
0x00224147, // n0x16dc c0x0000 (---------------) + I bryansk
0x002205c8, // n0x16dd c0x0000 (---------------) + I buryatia
0x00269443, // n0x16de c0x0000 (---------------) + I cbg
0x00266744, // n0x16df c0x0000 (---------------) + I chel
0x0027158b, // n0x16e0 c0x0000 (---------------) + I chelyabinsk
0x002b66c5, // n0x16e1 c0x0000 (---------------) + I chita
0x00203b08, // n0x16e2 c0x0000 (---------------) + I chukotka
0x00346ac9, // n0x16e3 c0x0000 (---------------) + I chuvashia
0x00302243, // n0x16e4 c0x0000 (---------------) + I cmw
0x00224903, // n0x16e5 c0x0000 (---------------) + I com
0x00315b88, // n0x16e6 c0x0000 (---------------) + I dagestan
0x00270487, // n0x16e7 c0x0000 (---------------) + I dudinka
0x0023e6c6, // n0x16e8 c0x0000 (---------------) + I e-burg
0x00215543, // n0x16e9 c0x0000 (---------------) + I edu
0x0034cec7, // n0x16ea c0x0000 (---------------) + I fareast
0x0020a783, // n0x16eb c0x0000 (---------------) + I gov
0x0022df46, // n0x16ec c0x0000 (---------------) + I grozny
0x00201bc3, // n0x16ed c0x0000 (---------------) + I int
0x00229a87, // n0x16ee c0x0000 (---------------) + I irkutsk
0x002966c7, // n0x16ef c0x0000 (---------------) + I ivanovo
0x0029d787, // n0x16f0 c0x0000 (---------------) + I izhevsk
0x00223985, // n0x16f1 c0x0000 (---------------) + I jamal
0x00200643, // n0x16f2 c0x0000 (---------------) + I jar
0x0023f24b, // n0x16f3 c0x0000 (---------------) + I joshkar-ola
0x002e31c8, // n0x16f4 c0x0000 (---------------) + I k-uralsk
0x00300808, // n0x16f5 c0x0000 (---------------) + I kalmykia
0x00319b46, // n0x16f6 c0x0000 (---------------) + I kaluga
0x002639c9, // n0x16f7 c0x0000 (---------------) + I kamchatka
0x00310147, // n0x16f8 c0x0000 (---------------) + I karelia
0x002f47c5, // n0x16f9 c0x0000 (---------------) + I kazan
0x002521c4, // n0x16fa c0x0000 (---------------) + I kchr
0x00230fc8, // n0x16fb c0x0000 (---------------) + I kemerovo
0x00258e4a, // n0x16fc c0x0000 (---------------) + I khabarovsk
0x00259089, // n0x16fd c0x0000 (---------------) + I khakassia
0x0029d903, // n0x16fe c0x0000 (---------------) + I khv
0x0033f6c5, // n0x16ff c0x0000 (---------------) + I kirov
0x00360703, // n0x1700 c0x0000 (---------------) + I kms
0x003170c6, // n0x1701 c0x0000 (---------------) + I koenig
0x002c30c4, // n0x1702 c0x0000 (---------------) + I komi
0x002a0d88, // n0x1703 c0x0000 (---------------) + I kostroma
0x002a5b4b, // n0x1704 c0x0000 (---------------) + I krasnoyarsk
0x00364d85, // n0x1705 c0x0000 (---------------) + I kuban
0x002ab986, // n0x1706 c0x0000 (---------------) + I kurgan
0x002aff45, // n0x1707 c0x0000 (---------------) + I kursk
0x002b06c8, // n0x1708 c0x0000 (---------------) + I kustanai
0x002b1287, // n0x1709 c0x0000 (---------------) + I kuzbass
0x0020cb47, // n0x170a c0x0000 (---------------) + I lipetsk
0x0035b207, // n0x170b c0x0000 (---------------) + I magadan
0x002b4048, // n0x170c c0x0000 (---------------) + I magnitka
0x0022b9c4, // n0x170d c0x0000 (---------------) + I mari
0x0023cf87, // n0x170e c0x0000 (---------------) + I mari-el
0x00339806, // n0x170f c0x0000 (---------------) + I marine
0x00225bc3, // n0x1710 c0x0000 (---------------) + I mil
0x002bbc08, // n0x1711 c0x0000 (---------------) + I mordovia
0x002bf606, // n0x1712 c0x0000 (---------------) + I mosreg
0x0022f503, // n0x1713 c0x0000 (---------------) + I msk
0x002c2f08, // n0x1714 c0x0000 (---------------) + I murmansk
0x002c5645, // n0x1715 c0x0000 (---------------) + I mytis
0x002c6dc8, // n0x1716 c0x0000 (---------------) + I nakhodka
0x00261d07, // n0x1717 c0x0000 (---------------) + I nalchik
0x0024b083, // n0x1718 c0x0000 (---------------) + I net
0x00206543, // n0x1719 c0x0000 (---------------) + I nkz
0x0027f884, // n0x171a c0x0000 (---------------) + I nnov
0x0034e5c7, // n0x171b c0x0000 (---------------) + I norilsk
0x00211083, // n0x171c c0x0000 (---------------) + I nov
0x0029678b, // n0x171d c0x0000 (---------------) + I novosibirsk
0x002108c3, // n0x171e c0x0000 (---------------) + I nsk
0x0022f4c4, // n0x171f c0x0000 (---------------) + I omsk
0x002bdd48, // n0x1720 c0x0000 (---------------) + I orenburg
0x00228143, // n0x1721 c0x0000 (---------------) + I org
0x003086c5, // n0x1722 c0x0000 (---------------) + I oryol
0x00334805, // n0x1723 c0x0000 (---------------) + I oskol
0x0032c6c6, // n0x1724 c0x0000 (---------------) + I palana
0x00222245, // n0x1725 c0x0000 (---------------) + I penza
0x002b1a04, // n0x1726 c0x0000 (---------------) + I perm
0x00207d82, // n0x1727 c0x0000 (---------------) + I pp
0x002d9345, // n0x1728 c0x0000 (---------------) + I pskov
0x002d49c3, // n0x1729 c0x0000 (---------------) + I ptz
0x002eaa0a, // n0x172a c0x0000 (---------------) + I pyatigorsk
0x002e2e43, // n0x172b c0x0000 (---------------) + I rnd
0x002e1b09, // n0x172c c0x0000 (---------------) + I rubtsovsk
0x00218086, // n0x172d c0x0000 (---------------) + I ryazan
0x0021ed88, // n0x172e c0x0000 (---------------) + I sakhalin
0x00282646, // n0x172f c0x0000 (---------------) + I samara
0x00246107, // n0x1730 c0x0000 (---------------) + I saratov
0x002d8708, // n0x1731 c0x0000 (---------------) + I simbirsk
0x00210788, // n0x1732 c0x0000 (---------------) + I smolensk
0x002d9703, // n0x1733 c0x0000 (---------------) + I snz
0x002dff43, // n0x1734 c0x0000 (---------------) + I spb
0x00265489, // n0x1735 c0x0000 (---------------) + I stavropol
0x002f16c3, // n0x1736 c0x0000 (---------------) + I stv
0x002dac06, // n0x1737 c0x0000 (---------------) + I surgut
0x00209186, // n0x1738 c0x0000 (---------------) + I syzran
0x0035db86, // n0x1739 c0x0000 (---------------) + I tambov
0x0021c849, // n0x173a c0x0000 (---------------) + I tatarstan
0x002a5384, // n0x173b c0x0000 (---------------) + I test
0x00207b83, // n0x173c c0x0000 (---------------) + I tom
0x002520c5, // n0x173d c0x0000 (---------------) + I tomsk
0x0023ae89, // n0x173e c0x0000 (---------------) + I tsaritsyn
0x0020cc43, // n0x173f c0x0000 (---------------) + I tsk
0x002ea7c4, // n0x1740 c0x0000 (---------------) + I tula
0x002ebe84, // n0x1741 c0x0000 (---------------) + I tuva
0x002ec304, // n0x1742 c0x0000 (---------------) + I tver
0x00202406, // n0x1743 c0x0000 (---------------) + I tyumen
0x002e2283, // n0x1744 c0x0000 (---------------) + I udm
0x002e2288, // n0x1745 c0x0000 (---------------) + I udmurtia
0x0024f108, // n0x1746 c0x0000 (---------------) + I ulan-ude
0x002eddc6, // n0x1747 c0x0000 (---------------) + I vdonsk
0x002f45cb, // n0x1748 c0x0000 (---------------) + I vladikavkaz
0x002f4908, // n0x1749 c0x0000 (---------------) + I vladimir
0x002f4b0b, // n0x174a c0x0000 (---------------) + I vladivostok
0x002f54c9, // n0x174b c0x0000 (---------------) + I volgograd
0x002f5fc7, // n0x174c c0x0000 (---------------) + I vologda
0x002f7008, // n0x174d c0x0000 (---------------) + I voronezh
0x002f9803, // n0x174e c0x0000 (---------------) + I vrn
0x00208286, // n0x174f c0x0000 (---------------) + I vyatka
0x0030f3c7, // n0x1750 c0x0000 (---------------) + I yakutia
0x0028c285, // n0x1751 c0x0000 (---------------) + I yamal
0x0031b549, // n0x1752 c0x0000 (---------------) + I yaroslavl
0x0030dd8d, // n0x1753 c0x0000 (---------------) + I yekaterinburg
0x0021ebd1, // n0x1754 c0x0000 (---------------) + I yuzhno-sakhalinsk
0x00334b45, // n0x1755 c0x0000 (---------------) + I zgrad
0x00200342, // n0x1756 c0x0000 (---------------) + I ac
0x00206402, // n0x1757 c0x0000 (---------------) + I co
0x00224903, // n0x1758 c0x0000 (---------------) + I com
0x00215543, // n0x1759 c0x0000 (---------------) + I edu
0x002e12c4, // n0x175a c0x0000 (---------------) + I gouv
0x0020a783, // n0x175b c0x0000 (---------------) + I gov
0x00201bc3, // n0x175c c0x0000 (---------------) + I int
0x00225bc3, // n0x175d c0x0000 (---------------) + I mil
0x0024b083, // n0x175e c0x0000 (---------------) + I net
0x00224903, // n0x175f c0x0000 (---------------) + I com
0x00215543, // n0x1760 c0x0000 (---------------) + I edu
0x0020a783, // n0x1761 c0x0000 (---------------) + I gov
0x00215003, // n0x1762 c0x0000 (---------------) + I med
0x0024b083, // n0x1763 c0x0000 (---------------) + I net
0x00228143, // n0x1764 c0x0000 (---------------) + I org
0x0027dec3, // n0x1765 c0x0000 (---------------) + I pub
0x0025e403, // n0x1766 c0x0000 (---------------) + I sch
0x00224903, // n0x1767 c0x0000 (---------------) + I com
0x00215543, // n0x1768 c0x0000 (---------------) + I edu
0x0020a783, // n0x1769 c0x0000 (---------------) + I gov
0x0024b083, // n0x176a c0x0000 (---------------) + I net
0x00228143, // n0x176b c0x0000 (---------------) + I org
0x00224903, // n0x176c c0x0000 (---------------) + I com
0x00215543, // n0x176d c0x0000 (---------------) + I edu
0x0020a783, // n0x176e c0x0000 (---------------) + I gov
0x0024b083, // n0x176f c0x0000 (---------------) + I net
0x00228143, // n0x1770 c0x0000 (---------------) + I org
0x00224903, // n0x1771 c0x0000 (---------------) + I com
0x00215543, // n0x1772 c0x0000 (---------------) + I edu
0x0020a783, // n0x1773 c0x0000 (---------------) + I gov
0x00216ec4, // n0x1774 c0x0000 (---------------) + I info
0x00215003, // n0x1775 c0x0000 (---------------) + I med
0x0024b083, // n0x1776 c0x0000 (---------------) + I net
0x00228143, // n0x1777 c0x0000 (---------------) + I org
0x0028c402, // n0x1778 c0x0000 (---------------) + I tv
0x002001c1, // n0x1779 c0x0000 (---------------) + I a
0x00200342, // n0x177a c0x0000 (---------------) + I ac
0x00200001, // n0x177b c0x0000 (---------------) + I b
0x00303902, // n0x177c c0x0000 (---------------) + I bd
0x000a5548, // n0x177d c0x0000 (---------------) + blogspot
0x00216085, // n0x177e c0x0000 (---------------) + I brand
0x00200141, // n0x177f c0x0000 (---------------) + I c
0x00200201, // n0x1780 c0x0000 (---------------) + I d
0x00200081, // n0x1781 c0x0000 (---------------) + I e
0x00201541, // n0x1782 c0x0000 (---------------) + I f
0x002448c2, // n0x1783 c0x0000 (---------------) + I fh
0x002448c4, // n0x1784 c0x0000 (---------------) + I fhsk
0x00244d43, // n0x1785 c0x0000 (---------------) + I fhv
0x00200281, // n0x1786 c0x0000 (---------------) + I g
0x002003c1, // n0x1787 c0x0000 (---------------) + I h
0x00200041, // n0x1788 c0x0000 (---------------) + I i
0x00200d41, // n0x1789 c0x0000 (---------------) + I k
0x002bfec7, // n0x178a c0x0000 (---------------) + I komforb
0x002ca9cf, // n0x178b c0x0000 (---------------) + I kommunalforbund
0x002d88c6, // n0x178c c0x0000 (---------------) + I komvux
0x00200781, // n0x178d c0x0000 (---------------) + I l
0x00229606, // n0x178e c0x0000 (---------------) + I lanbib
0x00200e41, // n0x178f c0x0000 (---------------) + I m
0x00200601, // n0x1790 c0x0000 (---------------) + I n
0x00357bce, // n0x1791 c0x0000 (---------------) + I naturbruksgymn
0x00200481, // n0x1792 c0x0000 (---------------) + I o
0x00228143, // n0x1793 c0x0000 (---------------) + I org
0x00200a01, // n0x1794 c0x0000 (---------------) + I p
0x00280a45, // n0x1795 c0x0000 (---------------) + I parti
0x00207d82, // n0x1796 c0x0000 (---------------) + I pp
0x00219e05, // n0x1797 c0x0000 (---------------) + I press
0x002006c1, // n0x1798 c0x0000 (---------------) + I r
0x002000c1, // n0x1799 c0x0000 (---------------) + I s
0x00201101, // n0x179a c0x0000 (---------------) + I t
0x00233e42, // n0x179b c0x0000 (---------------) + I tm
0x00201581, // n0x179c c0x0000 (---------------) + I u
0x002016c1, // n0x179d c0x0000 (---------------) + I w
0x0020e781, // n0x179e c0x0000 (---------------) + I x
0x00200241, // n0x179f c0x0000 (---------------) + I y
0x00200101, // n0x17a0 c0x0000 (---------------) + I z
0x000a5548, // n0x17a1 c0x0000 (---------------) + blogspot
0x00224903, // n0x17a2 c0x0000 (---------------) + I com
0x00215543, // n0x17a3 c0x0000 (---------------) + I edu
0x0020a783, // n0x17a4 c0x0000 (---------------) + I gov
0x0024b083, // n0x17a5 c0x0000 (---------------) + I net
0x00228143, // n0x17a6 c0x0000 (---------------) + I org
0x00224783, // n0x17a7 c0x0000 (---------------) + I per
0x00224903, // n0x17a8 c0x0000 (---------------) + I com
0x0020a783, // n0x17a9 c0x0000 (---------------) + I gov
0x00225bc3, // n0x17aa c0x0000 (---------------) + I mil
0x0024b083, // n0x17ab c0x0000 (---------------) + I net
0x00228143, // n0x17ac c0x0000 (---------------) + I org
0x000a5548, // n0x17ad c0x0000 (---------------) + blogspot
0x00224903, // n0x17ae c0x0000 (---------------) + I com
0x00215543, // n0x17af c0x0000 (---------------) + I edu
0x0020a783, // n0x17b0 c0x0000 (---------------) + I gov
0x0024b083, // n0x17b1 c0x0000 (---------------) + I net
0x00228143, // n0x17b2 c0x0000 (---------------) + I org
0x002062c3, // n0x17b3 c0x0000 (---------------) + I art
0x00224903, // n0x17b4 c0x0000 (---------------) + I com
0x00215543, // n0x17b5 c0x0000 (---------------) + I edu
0x002e12c4, // n0x17b6 c0x0000 (---------------) + I gouv
0x00228143, // n0x17b7 c0x0000 (---------------) + I org
0x0029f785, // n0x17b8 c0x0000 (---------------) + I perso
0x00202204, // n0x17b9 c0x0000 (---------------) + I univ
0x00224903, // n0x17ba c0x0000 (---------------) + I com
0x0024b083, // n0x17bb c0x0000 (---------------) + I net
0x00228143, // n0x17bc c0x0000 (---------------) + I org
0x00206402, // n0x17bd c0x0000 (---------------) + I co
0x00224903, // n0x17be c0x0000 (---------------) + I com
0x00233a89, // n0x17bf c0x0000 (---------------) + I consulado
0x00215543, // n0x17c0 c0x0000 (---------------) + I edu
0x002993c9, // n0x17c1 c0x0000 (---------------) + I embaixada
0x0020a783, // n0x17c2 c0x0000 (---------------) + I gov
0x00225bc3, // n0x17c3 c0x0000 (---------------) + I mil
0x0024b083, // n0x17c4 c0x0000 (---------------) + I net
0x00228143, // n0x17c5 c0x0000 (---------------) + I org
0x002d1f88, // n0x17c6 c0x0000 (---------------) + I principe
0x00242f07, // n0x17c7 c0x0000 (---------------) + I saotome
0x002bdcc5, // n0x17c8 c0x0000 (---------------) + I store
0x00224903, // n0x17c9 c0x0000 (---------------) + I com
0x00215543, // n0x17ca c0x0000 (---------------) + I edu
0x002f91c3, // n0x17cb c0x0000 (---------------) + I gob
0x00228143, // n0x17cc c0x0000 (---------------) + I org
0x00250f43, // n0x17cd c0x0000 (---------------) + I red
0x0020a783, // n0x17ce c0x0000 (---------------) + I gov
0x00224903, // n0x17cf c0x0000 (---------------) + I com
0x00215543, // n0x17d0 c0x0000 (---------------) + I edu
0x0020a783, // n0x17d1 c0x0000 (---------------) + I gov
0x00225bc3, // n0x17d2 c0x0000 (---------------) + I mil
0x0024b083, // n0x17d3 c0x0000 (---------------) + I net
0x00228143, // n0x17d4 c0x0000 (---------------) + I org
0x00200342, // n0x17d5 c0x0000 (---------------) + I ac
0x00206402, // n0x17d6 c0x0000 (---------------) + I co
0x00228143, // n0x17d7 c0x0000 (---------------) + I org
0x000a5548, // n0x17d8 c0x0000 (---------------) + blogspot
0x00200342, // n0x17d9 c0x0000 (---------------) + I ac
0x00206402, // n0x17da c0x0000 (---------------) + I co
0x00208102, // n0x17db c0x0000 (---------------) + I go
0x00201bc2, // n0x17dc c0x0000 (---------------) + I in
0x00200e42, // n0x17dd c0x0000 (---------------) + I mi
0x0024b083, // n0x17de c0x0000 (---------------) + I net
0x00201f42, // n0x17df c0x0000 (---------------) + I or
0x00200342, // n0x17e0 c0x0000 (---------------) + I ac
0x00367d83, // n0x17e1 c0x0000 (---------------) + I biz
0x00206402, // n0x17e2 c0x0000 (---------------) + I co
0x00224903, // n0x17e3 c0x0000 (---------------) + I com
0x00215543, // n0x17e4 c0x0000 (---------------) + I edu
0x00208102, // n0x17e5 c0x0000 (---------------) + I go
0x0020a783, // n0x17e6 c0x0000 (---------------) + I gov
0x00201bc3, // n0x17e7 c0x0000 (---------------) + I int
0x00225bc3, // n0x17e8 c0x0000 (---------------) + I mil
0x002445c4, // n0x17e9 c0x0000 (---------------) + I name
0x0024b083, // n0x17ea c0x0000 (---------------) + I net
0x00211303, // n0x17eb c0x0000 (---------------) + I nic
0x00228143, // n0x17ec c0x0000 (---------------) + I org
0x002a5384, // n0x17ed c0x0000 (---------------) + I test
0x002030c3, // n0x17ee c0x0000 (---------------) + I web
0x0020a783, // n0x17ef c0x0000 (---------------) + I gov
0x00206402, // n0x17f0 c0x0000 (---------------) + I co
0x00224903, // n0x17f1 c0x0000 (---------------) + I com
0x00215543, // n0x17f2 c0x0000 (---------------) + I edu
0x0020a783, // n0x17f3 c0x0000 (---------------) + I gov
0x00225bc3, // n0x17f4 c0x0000 (---------------) + I mil
0x0024b083, // n0x17f5 c0x0000 (---------------) + I net
0x00210303, // n0x17f6 c0x0000 (---------------) + I nom
0x00228143, // n0x17f7 c0x0000 (---------------) + I org
0x003009c7, // n0x17f8 c0x0000 (---------------) + I agrinet
0x00224903, // n0x17f9 c0x0000 (---------------) + I com
0x0032e547, // n0x17fa c0x0000 (---------------) + I defense
0x00333a86, // n0x17fb c0x0000 (---------------) + I edunet
0x00210883, // n0x17fc c0x0000 (---------------) + I ens
0x00245f43, // n0x17fd c0x0000 (---------------) + I fin
0x0020a783, // n0x17fe c0x0000 (---------------) + I gov
0x00204fc3, // n0x17ff c0x0000 (---------------) + I ind
0x00216ec4, // n0x1800 c0x0000 (---------------) + I info
0x002b1584, // n0x1801 c0x0000 (---------------) + I intl
0x002bbfc6, // n0x1802 c0x0000 (---------------) + I mincom
0x0021ae83, // n0x1803 c0x0000 (---------------) + I nat
0x0024b083, // n0x1804 c0x0000 (---------------) + I net
0x00228143, // n0x1805 c0x0000 (---------------) + I org
0x0029f785, // n0x1806 c0x0000 (---------------) + I perso
0x0022cfc4, // n0x1807 c0x0000 (---------------) + I rnrt
0x00259903, // n0x1808 c0x0000 (---------------) + I rns
0x00358ac3, // n0x1809 c0x0000 (---------------) + I rnu
0x002b7f47, // n0x180a c0x0000 (---------------) + I tourism
0x002478c5, // n0x180b c0x0000 (---------------) + I turen
0x00224903, // n0x180c c0x0000 (---------------) + I com
0x00215543, // n0x180d c0x0000 (---------------) + I edu
0x0020a783, // n0x180e c0x0000 (---------------) + I gov
0x00225bc3, // n0x180f c0x0000 (---------------) + I mil
0x0024b083, // n0x1810 c0x0000 (---------------) + I net
0x00228143, // n0x1811 c0x0000 (---------------) + I org
0x49e01d42, // n0x1812 c0x0127 (n0x1814-n0x1815) o I nc
0x00611303, // n0x1813 c0x0001 (---------------) ! I nic
0x0020a783, // n0x1814 c0x0000 (---------------) + I gov
0x0021c2c4, // n0x1815 c0x0000 (---------------) + I aero
0x00367d83, // n0x1816 c0x0000 (---------------) + I biz
0x00206402, // n0x1817 c0x0000 (---------------) + I co
0x00224903, // n0x1818 c0x0000 (---------------) + I com
0x00237f84, // n0x1819 c0x0000 (---------------) + I coop
0x00215543, // n0x181a c0x0000 (---------------) + I edu
0x0020a783, // n0x181b c0x0000 (---------------) + I gov
0x00216ec4, // n0x181c c0x0000 (---------------) + I info
0x00201bc3, // n0x181d c0x0000 (---------------) + I int
0x0030e9c4, // n0x181e c0x0000 (---------------) + I jobs
0x0020ac44, // n0x181f c0x0000 (---------------) + I mobi
0x002c4d06, // n0x1820 c0x0000 (---------------) + I museum
0x002445c4, // n0x1821 c0x0000 (---------------) + I name
0x0024b083, // n0x1822 c0x0000 (---------------) + I net
0x00228143, // n0x1823 c0x0000 (---------------) + I org
0x002d2303, // n0x1824 c0x0000 (---------------) + I pro
0x002aa606, // n0x1825 c0x0000 (---------------) + I travel
0x0004b38b, // n0x1826 c0x0000 (---------------) + better-than
0x0000f086, // n0x1827 c0x0000 (---------------) + dyndns
0x00027c8a, // n0x1828 c0x0000 (---------------) + on-the-web
0x00148bca, // n0x1829 c0x0000 (---------------) + worse-than
0x000a5548, // n0x182a c0x0000 (---------------) + blogspot
0x00276704, // n0x182b c0x0000 (---------------) + I club
0x00224903, // n0x182c c0x0000 (---------------) + I com
0x00367d44, // n0x182d c0x0000 (---------------) + I ebiz
0x00215543, // n0x182e c0x0000 (---------------) + I edu
0x002dd9c4, // n0x182f c0x0000 (---------------) + I game
0x0020a783, // n0x1830 c0x0000 (---------------) + I gov
0x00220a03, // n0x1831 c0x0000 (---------------) + I idv
0x00225bc3, // n0x1832 c0x0000 (---------------) + I mil
0x0024b083, // n0x1833 c0x0000 (---------------) + I net
0x00228143, // n0x1834 c0x0000 (---------------) + I org
0x0030f80b, // n0x1835 c0x0000 (---------------) + I xn--czrw28b
0x0035d10a, // n0x1836 c0x0000 (---------------) + I xn--uc0atv
0x00366dcc, // n0x1837 c0x0000 (---------------) + I xn--zf0ao64a
0x00200342, // n0x1838 c0x0000 (---------------) + I ac
0x00206402, // n0x1839 c0x0000 (---------------) + I co
0x00208102, // n0x183a c0x0000 (---------------) + I go
0x0029c4c5, // n0x183b c0x0000 (---------------) + I hotel
0x00216ec4, // n0x183c c0x0000 (---------------) + I info
0x002024c2, // n0x183d c0x0000 (---------------) + I me
0x00225bc3, // n0x183e c0x0000 (---------------) + I mil
0x0020ac44, // n0x183f c0x0000 (---------------) + I mobi
0x00202f42, // n0x1840 c0x0000 (---------------) + I ne
0x00201f42, // n0x1841 c0x0000 (---------------) + I or
0x002173c2, // n0x1842 c0x0000 (---------------) + I sc
0x0028c402, // n0x1843 c0x0000 (---------------) + I tv
0x002afd09, // n0x1844 c0x0000 (---------------) + I cherkassy
0x002831c8, // n0x1845 c0x0000 (---------------) + I cherkasy
0x00288309, // n0x1846 c0x0000 (---------------) + I chernigov
0x00296509, // n0x1847 c0x0000 (---------------) + I chernihiv
0x00297b8a, // n0x1848 c0x0000 (---------------) + I chernivtsi
0x00299a8a, // n0x1849 c0x0000 (---------------) + I chernovtsy
0x00201a02, // n0x184a c0x0000 (---------------) + I ck
0x0022f882, // n0x184b c0x0000 (---------------) + I cn
0x00206402, // n0x184c c0x0000 (---------------) + I co
0x00224903, // n0x184d c0x0000 (---------------) + I com
0x00214602, // n0x184e c0x0000 (---------------) + I cr
0x00241f46, // n0x184f c0x0000 (---------------) + I crimea
0x0032b4c2, // n0x1850 c0x0000 (---------------) + I cv
0x00200982, // n0x1851 c0x0000 (---------------) + I dn
0x0034df0e, // n0x1852 c0x0000 (---------------) + I dnepropetrovsk
0x00355c0e, // n0x1853 c0x0000 (---------------) + I dnipropetrovsk
0x00271407, // n0x1854 c0x0000 (---------------) + I dominic
0x002cdf07, // n0x1855 c0x0000 (---------------) + I donetsk
0x002076c2, // n0x1856 c0x0000 (---------------) + I dp
0x00215543, // n0x1857 c0x0000 (---------------) + I edu
0x0020a783, // n0x1858 c0x0000 (---------------) + I gov
0x00201502, // n0x1859 c0x0000 (---------------) + I if
0x00201bc2, // n0x185a c0x0000 (---------------) + I in
0x002fc38f, // n0x185b c0x0000 (---------------) + I ivano-frankivsk
0x0021ee02, // n0x185c c0x0000 (---------------) + I kh
0x00259687, // n0x185d c0x0000 (---------------) + I kharkiv
0x00263307, // n0x185e c0x0000 (---------------) + I kharkov
0x00277e07, // n0x185f c0x0000 (---------------) + I kherson
0x0028378c, // n0x1860 c0x0000 (---------------) + I khmelnitskiy
0x00298b0c, // n0x1861 c0x0000 (---------------) + I khmelnytskyi
0x00204304, // n0x1862 c0x0000 (---------------) + I kiev
0x0033f6ca, // n0x1863 c0x0000 (---------------) + I kirovograd
0x00360702, // n0x1864 c0x0000 (---------------) + I km
0x0020ab02, // n0x1865 c0x0000 (---------------) + I kr
0x002a6f04, // n0x1866 c0x0000 (---------------) + I krym
0x0020f582, // n0x1867 c0x0000 (---------------) + I ks
0x002b2e42, // n0x1868 c0x0000 (---------------) + I kv
0x00298d44, // n0x1869 c0x0000 (---------------) + I kyiv
0x00211402, // n0x186a c0x0000 (---------------) + I lg
0x002190c2, // n0x186b c0x0000 (---------------) + I lt
0x00319bc7, // n0x186c c0x0000 (---------------) + I lugansk
0x0022cb45, // n0x186d c0x0000 (---------------) + I lutsk
0x00204e82, // n0x186e c0x0000 (---------------) + I lv
0x0023eb04, // n0x186f c0x0000 (---------------) + I lviv
0x0033c182, // n0x1870 c0x0000 (---------------) + I mk
0x002fc208, // n0x1871 c0x0000 (---------------) + I mykolaiv
0x0024b083, // n0x1872 c0x0000 (---------------) + I net
0x0020dec8, // n0x1873 c0x0000 (---------------) + I nikolaev
0x00200482, // n0x1874 c0x0000 (---------------) + I od
0x00236705, // n0x1875 c0x0000 (---------------) + I odesa
0x00342186, // n0x1876 c0x0000 (---------------) + I odessa
0x00228143, // n0x1877 c0x0000 (---------------) + I org
0x00207dc2, // n0x1878 c0x0000 (---------------) + I pl
0x002cf7c7, // n0x1879 c0x0000 (---------------) + I poltava
0x00207d82, // n0x187a c0x0000 (---------------) + I pp
0x002d21c5, // n0x187b c0x0000 (---------------) + I rivne
0x002a1085, // n0x187c c0x0000 (---------------) + I rovno
0x0020b242, // n0x187d c0x0000 (---------------) + I rv
0x0022ed42, // n0x187e c0x0000 (---------------) + I sb
0x003081ca, // n0x187f c0x0000 (---------------) + I sebastopol
0x0036078a, // n0x1880 c0x0000 (---------------) + I sevastopol
0x00210782, // n0x1881 c0x0000 (---------------) + I sm
0x002a2744, // n0x1882 c0x0000 (---------------) + I sumy
0x00201c42, // n0x1883 c0x0000 (---------------) + I te
0x0030e488, // n0x1884 c0x0000 (---------------) + I ternopil
0x002166c2, // n0x1885 c0x0000 (---------------) + I uz
0x00231d08, // n0x1886 c0x0000 (---------------) + I uzhgorod
0x002f2dc7, // n0x1887 c0x0000 (---------------) + I vinnica
0x002f3989, // n0x1888 c0x0000 (---------------) + I vinnytsia
0x0020de82, // n0x1889 c0x0000 (---------------) + I vn
0x002f6dc5, // n0x188a c0x0000 (---------------) + I volyn
0x0030cd05, // n0x188b c0x0000 (---------------) + I yalta
0x002a068b, // n0x188c c0x0000 (---------------) + I zaporizhzhe
0x0022164c, // n0x188d c0x0000 (---------------) + I zaporizhzhia
0x00229908, // n0x188e c0x0000 (---------------) + I zhitomir
0x002f7188, // n0x188f c0x0000 (---------------) + I zhytomyr
0x002cb382, // n0x1890 c0x0000 (---------------) + I zp
0x00258042, // n0x1891 c0x0000 (---------------) + I zt
0x00200342, // n0x1892 c0x0000 (---------------) + I ac
0x00206402, // n0x1893 c0x0000 (---------------) + I co
0x00224903, // n0x1894 c0x0000 (---------------) + I com
0x00208102, // n0x1895 c0x0000 (---------------) + I go
0x00202f42, // n0x1896 c0x0000 (---------------) + I ne
0x00201f42, // n0x1897 c0x0000 (---------------) + I or
0x00228143, // n0x1898 c0x0000 (---------------) + I org
0x002173c2, // n0x1899 c0x0000 (---------------) + I sc
0x0060e682, // n0x189a c0x0001 (---------------) ! I bl
0x00617d4f, // n0x189b c0x0001 (---------------) ! I british-library
0x4be06402, // n0x189c c0x012f (n0x18a5-n0x18a6) o I co
0x00657f83, // n0x189d c0x0001 (---------------) ! I jet
0x0062bb43, // n0x189e c0x0001 (---------------) ! I mod
0x0061ae99, // n0x189f c0x0001 (---------------) ! I national-library-scotland
0x0061fb03, // n0x18a0 c0x0001 (---------------) ! I nel
0x00611303, // n0x18a1 c0x0001 (---------------) ! I nic
0x00697fc3, // n0x18a2 c0x0001 (---------------) ! I nls
0x0072eb8a, // n0x18a3 c0x0001 (---------------) ! I parliament
0x0165e403, // n0x18a4 c0x0005 (---------------)* o I sch
0x000a5548, // n0x18a5 c0x0000 (---------------) + blogspot
0x4c600d02, // n0x18a6 c0x0131 (n0x18e5-n0x18e8) + I ak
0x4ca00742, // n0x18a7 c0x0132 (n0x18e8-n0x18eb) + I al
0x4ce00682, // n0x18a8 c0x0133 (n0x18eb-n0x18ee) + I ar
0x4d202b82, // n0x18a9 c0x0134 (n0x18ee-n0x18f1) + I as
0x4d603982, // n0x18aa c0x0135 (n0x18f1-n0x18f4) + I az
0x4da012c2, // n0x18ab c0x0136 (n0x18f4-n0x18f7) + I ca
0x4de06402, // n0x18ac c0x0137 (n0x18f7-n0x18fa) + I co
0x4e227482, // n0x18ad c0x0138 (n0x18fa-n0x18fd) + I ct
0x4e6145c2, // n0x18ae c0x0139 (n0x18fd-n0x1900) + I dc
0x4ea05042, // n0x18af c0x013a (n0x1900-n0x1903) + I de
0x002e8243, // n0x18b0 c0x0000 (---------------) + I dni
0x00233283, // n0x18b1 c0x0000 (---------------) + I fed
0x4ee48902, // n0x18b2 c0x013b (n0x1903-n0x1906) + I fl
0x4f200702, // n0x18b3 c0x013c (n0x1906-n0x1909) + I ga
0x4f6021c2, // n0x18b4 c0x013d (n0x1909-n0x190c) + I gu
0x4fa003c2, // n0x18b5 c0x013e (n0x190c-n0x190e) + I hi
0x4fe01442, // n0x18b6 c0x013f (n0x190e-n0x1911) + I ia
0x50203902, // n0x18b7 c0x0140 (n0x1911-n0x1914) + I id
0x50604142, // n0x18b8 c0x0141 (n0x1914-n0x1917) + I il
0x50a01bc2, // n0x18b9 c0x0142 (n0x1917-n0x191a) + I in
0x000db245, // n0x18ba c0x0000 (---------------) + is-by
0x0022a683, // n0x18bb c0x0000 (---------------) + I isa
0x00209604, // n0x18bc c0x0000 (---------------) + I kids
0x50e0f582, // n0x18bd c0x0143 (n0x191a-n0x191d) + I ks
0x51213b42, // n0x18be c0x0144 (n0x191d-n0x1920) + I ky
0x516008c2, // n0x18bf c0x0145 (n0x1920-n0x1923) + I la
0x000927cb, // n0x18c0 c0x0000 (---------------) + land-4-sale
0x51a00f42, // n0x18c1 c0x0146 (n0x1923-n0x1926) + I ma
0x5220e902, // n0x18c2 c0x0148 (n0x1929-n0x192c) + I md
0x526024c2, // n0x18c3 c0x0149 (n0x192c-n0x192f) + I me
0x52a00e42, // n0x18c4 c0x014a (n0x192f-n0x1932) + I mi
0x52e0ebc2, // n0x18c5 c0x014b (n0x1932-n0x1935) + I mn
0x53207842, // n0x18c6 c0x014c (n0x1935-n0x1938) + I mo
0x536133c2, // n0x18c7 c0x014d (n0x1938-n0x193b) + I ms
0x53a60042, // n0x18c8 c0x014e (n0x193b-n0x193e) + I mt
0x53e01d42, // n0x18c9 c0x014f (n0x193e-n0x1941) + I nc
0x54200942, // n0x18ca c0x0150 (n0x1941-n0x1944) + I nd
0x54602f42, // n0x18cb c0x0151 (n0x1944-n0x1947) + I ne
0x54a0ddc2, // n0x18cc c0x0152 (n0x1947-n0x194a) + I nh
0x54e00602, // n0x18cd c0x0153 (n0x194a-n0x194d) + I nj
0x5520af42, // n0x18ce c0x0154 (n0x194d-n0x1950) + I nm
0x0022c843, // n0x18cf c0x0000 (---------------) + I nsn
0x5560ae02, // n0x18d0 c0x0155 (n0x1950-n0x1953) + I nv
0x55a123c2, // n0x18d1 c0x0156 (n0x1953-n0x1956) + I ny
0x55e03fc2, // n0x18d2 c0x0157 (n0x1956-n0x1959) + I oh
0x56202c42, // n0x18d3 c0x0158 (n0x1959-n0x195c) + I ok
0x56601f42, // n0x18d4 c0x0159 (n0x195c-n0x195f) + I or
0x56a00a02, // n0x18d5 c0x015a (n0x195f-n0x1962) + I pa
0x56e19e02, // n0x18d6 c0x015b (n0x1962-n0x1965) + I pr
0x57202a82, // n0x18d7 c0x015c (n0x1965-n0x1968) + I ri
0x576173c2, // n0x18d8 c0x015d (n0x1968-n0x196b) + I sc
0x57a20b82, // n0x18d9 c0x015e (n0x196b-n0x196d) + I sd
0x000e4dcc, // n0x18da c0x0000 (---------------) + stuff-4-sale
0x57e05d02, // n0x18db c0x015f (n0x196d-n0x1970) + I tn
0x5825f602, // n0x18dc c0x0160 (n0x1970-n0x1973) + I tx
0x58603402, // n0x18dd c0x0161 (n0x1973-n0x1976) + I ut
0x58a01082, // n0x18de c0x0162 (n0x1976-n0x1979) + I va
0x58e05a02, // n0x18df c0x0163 (n0x1979-n0x197c) + I vi
0x5926ac02, // n0x18e0 c0x0164 (n0x197c-n0x197f) + I vt
0x596016c2, // n0x18e1 c0x0165 (n0x197f-n0x1982) + I wa
0x59a12b82, // n0x18e2 c0x0166 (n0x1982-n0x1985) + I wi
0x59e6b5c2, // n0x18e3 c0x0167 (n0x1985-n0x1986) + I wv
0x5a242282, // n0x18e4 c0x0168 (n0x1986-n0x1989) + I wy
0x0021b842, // n0x18e5 c0x0000 (---------------) + I cc
0x002e3383, // n0x18e6 c0x0000 (---------------) + I k12
0x00217f43, // n0x18e7 c0x0000 (---------------) + I lib
0x0021b842, // n0x18e8 c0x0000 (---------------) + I cc
0x002e3383, // n0x18e9 c0x0000 (---------------) + I k12
0x00217f43, // n0x18ea c0x0000 (---------------) + I lib
0x0021b842, // n0x18eb c0x0000 (---------------) + I cc
0x002e3383, // n0x18ec c0x0000 (---------------) + I k12
0x00217f43, // n0x18ed c0x0000 (---------------) + I lib
0x0021b842, // n0x18ee c0x0000 (---------------) + I cc
0x002e3383, // n0x18ef c0x0000 (---------------) + I k12
0x00217f43, // n0x18f0 c0x0000 (---------------) + I lib
0x0021b842, // n0x18f1 c0x0000 (---------------) + I cc
0x002e3383, // n0x18f2 c0x0000 (---------------) + I k12
0x00217f43, // n0x18f3 c0x0000 (---------------) + I lib
0x0021b842, // n0x18f4 c0x0000 (---------------) + I cc
0x002e3383, // n0x18f5 c0x0000 (---------------) + I k12
0x00217f43, // n0x18f6 c0x0000 (---------------) + I lib
0x0021b842, // n0x18f7 c0x0000 (---------------) + I cc
0x002e3383, // n0x18f8 c0x0000 (---------------) + I k12
0x00217f43, // n0x18f9 c0x0000 (---------------) + I lib
0x0021b842, // n0x18fa c0x0000 (---------------) + I cc
0x002e3383, // n0x18fb c0x0000 (---------------) + I k12
0x00217f43, // n0x18fc c0x0000 (---------------) + I lib
0x0021b842, // n0x18fd c0x0000 (---------------) + I cc
0x002e3383, // n0x18fe c0x0000 (---------------) + I k12
0x00217f43, // n0x18ff c0x0000 (---------------) + I lib
0x0021b842, // n0x1900 c0x0000 (---------------) + I cc
0x002e3383, // n0x1901 c0x0000 (---------------) + I k12
0x00217f43, // n0x1902 c0x0000 (---------------) + I lib
0x0021b842, // n0x1903 c0x0000 (---------------) + I cc
0x002e3383, // n0x1904 c0x0000 (---------------) + I k12
0x00217f43, // n0x1905 c0x0000 (---------------) + I lib
0x0021b842, // n0x1906 c0x0000 (---------------) + I cc
0x002e3383, // n0x1907 c0x0000 (---------------) + I k12
0x00217f43, // n0x1908 c0x0000 (---------------) + I lib
0x0021b842, // n0x1909 c0x0000 (---------------) + I cc
0x002e3383, // n0x190a c0x0000 (---------------) + I k12
0x00217f43, // n0x190b c0x0000 (---------------) + I lib
0x0021b842, // n0x190c c0x0000 (---------------) + I cc
0x00217f43, // n0x190d c0x0000 (---------------) + I lib
0x0021b842, // n0x190e c0x0000 (---------------) + I cc
0x002e3383, // n0x190f c0x0000 (---------------) + I k12
0x00217f43, // n0x1910 c0x0000 (---------------) + I lib
0x0021b842, // n0x1911 c0x0000 (---------------) + I cc
0x002e3383, // n0x1912 c0x0000 (---------------) + I k12
0x00217f43, // n0x1913 c0x0000 (---------------) + I lib
0x0021b842, // n0x1914 c0x0000 (---------------) + I cc
0x002e3383, // n0x1915 c0x0000 (---------------) + I k12
0x00217f43, // n0x1916 c0x0000 (---------------) + I lib
0x0021b842, // n0x1917 c0x0000 (---------------) + I cc
0x002e3383, // n0x1918 c0x0000 (---------------) + I k12
0x00217f43, // n0x1919 c0x0000 (---------------) + I lib
0x0021b842, // n0x191a c0x0000 (---------------) + I cc
0x002e3383, // n0x191b c0x0000 (---------------) + I k12
0x00217f43, // n0x191c c0x0000 (---------------) + I lib
0x0021b842, // n0x191d c0x0000 (---------------) + I cc
0x002e3383, // n0x191e c0x0000 (---------------) + I k12
0x00217f43, // n0x191f c0x0000 (---------------) + I lib
0x0021b842, // n0x1920 c0x0000 (---------------) + I cc
0x002e3383, // n0x1921 c0x0000 (---------------) + I k12
0x00217f43, // n0x1922 c0x0000 (---------------) + I lib
0x0021b842, // n0x1923 c0x0000 (---------------) + I cc
0x51ee3383, // n0x1924 c0x0147 (n0x1926-n0x1929) + I k12
0x00217f43, // n0x1925 c0x0000 (---------------) + I lib
0x0032e204, // n0x1926 c0x0000 (---------------) + I chtr
0x0031ab06, // n0x1927 c0x0000 (---------------) + I paroch
0x002d4ac3, // n0x1928 c0x0000 (---------------) + I pvt
0x0021b842, // n0x1929 c0x0000 (---------------) + I cc
0x002e3383, // n0x192a c0x0000 (---------------) + I k12
0x00217f43, // n0x192b c0x0000 (---------------) + I lib
0x0021b842, // n0x192c c0x0000 (---------------) + I cc
0x002e3383, // n0x192d c0x0000 (---------------) + I k12
0x00217f43, // n0x192e c0x0000 (---------------) + I lib
0x0021b842, // n0x192f c0x0000 (---------------) + I cc
0x002e3383, // n0x1930 c0x0000 (---------------) + I k12
0x00217f43, // n0x1931 c0x0000 (---------------) + I lib
0x0021b842, // n0x1932 c0x0000 (---------------) + I cc
0x002e3383, // n0x1933 c0x0000 (---------------) + I k12
0x00217f43, // n0x1934 c0x0000 (---------------) + I lib
0x0021b842, // n0x1935 c0x0000 (---------------) + I cc
0x002e3383, // n0x1936 c0x0000 (---------------) + I k12
0x00217f43, // n0x1937 c0x0000 (---------------) + I lib
0x0021b842, // n0x1938 c0x0000 (---------------) + I cc
0x002e3383, // n0x1939 c0x0000 (---------------) + I k12
0x00217f43, // n0x193a c0x0000 (---------------) + I lib
0x0021b842, // n0x193b c0x0000 (---------------) + I cc
0x002e3383, // n0x193c c0x0000 (---------------) + I k12
0x00217f43, // n0x193d c0x0000 (---------------) + I lib
0x0021b842, // n0x193e c0x0000 (---------------) + I cc
0x002e3383, // n0x193f c0x0000 (---------------) + I k12
0x00217f43, // n0x1940 c0x0000 (---------------) + I lib
0x0021b842, // n0x1941 c0x0000 (---------------) + I cc
0x002e3383, // n0x1942 c0x0000 (---------------) + I k12
0x00217f43, // n0x1943 c0x0000 (---------------) + I lib
0x0021b842, // n0x1944 c0x0000 (---------------) + I cc
0x002e3383, // n0x1945 c0x0000 (---------------) + I k12
0x00217f43, // n0x1946 c0x0000 (---------------) + I lib
0x0021b842, // n0x1947 c0x0000 (---------------) + I cc
0x002e3383, // n0x1948 c0x0000 (---------------) + I k12
0x00217f43, // n0x1949 c0x0000 (---------------) + I lib
0x0021b842, // n0x194a c0x0000 (---------------) + I cc
0x002e3383, // n0x194b c0x0000 (---------------) + I k12
0x00217f43, // n0x194c c0x0000 (---------------) + I lib
0x0021b842, // n0x194d c0x0000 (---------------) + I cc
0x002e3383, // n0x194e c0x0000 (---------------) + I k12
0x00217f43, // n0x194f c0x0000 (---------------) + I lib
0x0021b842, // n0x1950 c0x0000 (---------------) + I cc
0x002e3383, // n0x1951 c0x0000 (---------------) + I k12
0x00217f43, // n0x1952 c0x0000 (---------------) + I lib
0x0021b842, // n0x1953 c0x0000 (---------------) + I cc
0x002e3383, // n0x1954 c0x0000 (---------------) + I k12
0x00217f43, // n0x1955 c0x0000 (---------------) + I lib
0x0021b842, // n0x1956 c0x0000 (---------------) + I cc
0x002e3383, // n0x1957 c0x0000 (---------------) + I k12
0x00217f43, // n0x1958 c0x0000 (---------------) + I lib
0x0021b842, // n0x1959 c0x0000 (---------------) + I cc
0x002e3383, // n0x195a c0x0000 (---------------) + I k12
0x00217f43, // n0x195b c0x0000 (---------------) + I lib
0x0021b842, // n0x195c c0x0000 (---------------) + I cc
0x002e3383, // n0x195d c0x0000 (---------------) + I k12
0x00217f43, // n0x195e c0x0000 (---------------) + I lib
0x0021b842, // n0x195f c0x0000 (---------------) + I cc
0x002e3383, // n0x1960 c0x0000 (---------------) + I k12
0x00217f43, // n0x1961 c0x0000 (---------------) + I lib
0x0021b842, // n0x1962 c0x0000 (---------------) + I cc
0x002e3383, // n0x1963 c0x0000 (---------------) + I k12
0x00217f43, // n0x1964 c0x0000 (---------------) + I lib
0x0021b842, // n0x1965 c0x0000 (---------------) + I cc
0x002e3383, // n0x1966 c0x0000 (---------------) + I k12
0x00217f43, // n0x1967 c0x0000 (---------------) + I lib
0x0021b842, // n0x1968 c0x0000 (---------------) + I cc
0x002e3383, // n0x1969 c0x0000 (---------------) + I k12
0x00217f43, // n0x196a c0x0000 (---------------) + I lib
0x0021b842, // n0x196b c0x0000 (---------------) + I cc
0x00217f43, // n0x196c c0x0000 (---------------) + I lib
0x0021b842, // n0x196d c0x0000 (---------------) + I cc
0x002e3383, // n0x196e c0x0000 (---------------) + I k12
0x00217f43, // n0x196f c0x0000 (---------------) + I lib
0x0021b842, // n0x1970 c0x0000 (---------------) + I cc
0x002e3383, // n0x1971 c0x0000 (---------------) + I k12
0x00217f43, // n0x1972 c0x0000 (---------------) + I lib
0x0021b842, // n0x1973 c0x0000 (---------------) + I cc
0x002e3383, // n0x1974 c0x0000 (---------------) + I k12
0x00217f43, // n0x1975 c0x0000 (---------------) + I lib
0x0021b842, // n0x1976 c0x0000 (---------------) + I cc
0x002e3383, // n0x1977 c0x0000 (---------------) + I k12
0x00217f43, // n0x1978 c0x0000 (---------------) + I lib
0x0021b842, // n0x1979 c0x0000 (---------------) + I cc
0x002e3383, // n0x197a c0x0000 (---------------) + I k12
0x00217f43, // n0x197b c0x0000 (---------------) + I lib
0x0021b842, // n0x197c c0x0000 (---------------) + I cc
0x002e3383, // n0x197d c0x0000 (---------------) + I k12
0x00217f43, // n0x197e c0x0000 (---------------) + I lib
0x0021b842, // n0x197f c0x0000 (---------------) + I cc
0x002e3383, // n0x1980 c0x0000 (---------------) + I k12
0x00217f43, // n0x1981 c0x0000 (---------------) + I lib
0x0021b842, // n0x1982 c0x0000 (---------------) + I cc
0x002e3383, // n0x1983 c0x0000 (---------------) + I k12
0x00217f43, // n0x1984 c0x0000 (---------------) + I lib
0x0021b842, // n0x1985 c0x0000 (---------------) + I cc
0x0021b842, // n0x1986 c0x0000 (---------------) + I cc
0x002e3383, // n0x1987 c0x0000 (---------------) + I k12
0x00217f43, // n0x1988 c0x0000 (---------------) + I lib
0x00224903, // n0x1989 c0x0000 (---------------) + I com
0x00215543, // n0x198a c0x0000 (---------------) + I edu
0x0033b1c3, // n0x198b c0x0000 (---------------) + I gub
0x00225bc3, // n0x198c c0x0000 (---------------) + I mil
0x0024b083, // n0x198d c0x0000 (---------------) + I net
0x00228143, // n0x198e c0x0000 (---------------) + I org
0x00206402, // n0x198f c0x0000 (---------------) + I co
0x00224903, // n0x1990 c0x0000 (---------------) + I com
0x0024b083, // n0x1991 c0x0000 (---------------) + I net
0x00228143, // n0x1992 c0x0000 (---------------) + I org
0x00224903, // n0x1993 c0x0000 (---------------) + I com
0x00215543, // n0x1994 c0x0000 (---------------) + I edu
0x0020a783, // n0x1995 c0x0000 (---------------) + I gov
0x00225bc3, // n0x1996 c0x0000 (---------------) + I mil
0x0024b083, // n0x1997 c0x0000 (---------------) + I net
0x00228143, // n0x1998 c0x0000 (---------------) + I org
0x00206402, // n0x1999 c0x0000 (---------------) + I co
0x00224903, // n0x199a c0x0000 (---------------) + I com
0x00320303, // n0x199b c0x0000 (---------------) + I e12
0x00215543, // n0x199c c0x0000 (---------------) + I edu
0x0020a783, // n0x199d c0x0000 (---------------) + I gov
0x00216ec4, // n0x199e c0x0000 (---------------) + I info
0x00225bc3, // n0x199f c0x0000 (---------------) + I mil
0x0024b083, // n0x19a0 c0x0000 (---------------) + I net
0x00228143, // n0x19a1 c0x0000 (---------------) + I org
0x002030c3, // n0x19a2 c0x0000 (---------------) + I web
0x00206402, // n0x19a3 c0x0000 (---------------) + I co
0x00224903, // n0x19a4 c0x0000 (---------------) + I com
0x002e3383, // n0x19a5 c0x0000 (---------------) + I k12
0x0024b083, // n0x19a6 c0x0000 (---------------) + I net
0x00228143, // n0x19a7 c0x0000 (---------------) + I org
0x00200342, // n0x19a8 c0x0000 (---------------) + I ac
0x00367d83, // n0x19a9 c0x0000 (---------------) + I biz
0x00224903, // n0x19aa c0x0000 (---------------) + I com
0x00215543, // n0x19ab c0x0000 (---------------) + I edu
0x0020a783, // n0x19ac c0x0000 (---------------) + I gov
0x00358d46, // n0x19ad c0x0000 (---------------) + I health
0x00216ec4, // n0x19ae c0x0000 (---------------) + I info
0x00201bc3, // n0x19af c0x0000 (---------------) + I int
0x002445c4, // n0x19b0 c0x0000 (---------------) + I name
0x0024b083, // n0x19b1 c0x0000 (---------------) + I net
0x00228143, // n0x19b2 c0x0000 (---------------) + I org
0x002d2303, // n0x19b3 c0x0000 (---------------) + I pro
0x00224903, // n0x19b4 c0x0000 (---------------) + I com
0x0000f086, // n0x19b5 c0x0000 (---------------) + dyndns
0x00215543, // n0x19b6 c0x0000 (---------------) + I edu
0x0020a783, // n0x19b7 c0x0000 (---------------) + I gov
0x000a27c6, // n0x19b8 c0x0000 (---------------) + mypets
0x0024b083, // n0x19b9 c0x0000 (---------------) + I net
0x00228143, // n0x19ba c0x0000 (---------------) + I org
}
// children is the list of nodes' children, the parent's wildcard bit and the
// parent's node type. If a node has no children then their children index
// will be in the range [0, 6), depending on the wildcard bit and node type.
//
// The layout within the uint32, from MSB to LSB, is:
// [ 1 bits] unused
// [ 1 bits] wildcard bit
// [ 2 bits] node type
// [14 bits] high nodes index (exclusive) of children
// [14 bits] low nodes index (inclusive) of children
var children = [...]uint32{
0x00000000, // c0x0000 (---------------) +
0x10000000, // c0x0001 (---------------) !
0x20000000, // c0x0002 (---------------) o
0x40000000, // c0x0003 (---------------)* +
0x50000000, // c0x0004 (---------------)* !
0x60000000, // c0x0005 (---------------)* o
0x00a1427f, // c0x0006 (n0x027f-n0x0285) +
0x00a18285, // c0x0007 (n0x0285-n0x0286) +
0x00a34286, // c0x0008 (n0x0286-n0x028d) +
0x00b9828d, // c0x0009 (n0x028d-n0x02e6) +
0x00bac2e6, // c0x000a (n0x02e6-n0x02eb) +
0x00bc02eb, // c0x000b (n0x02eb-n0x02f0) +
0x00bd02f0, // c0x000c (n0x02f0-n0x02f4) +
0x00be82f4, // c0x000d (n0x02f4-n0x02fa) +
0x00bf82fa, // c0x000e (n0x02fa-n0x02fe) +
0x00c102fe, // c0x000f (n0x02fe-n0x0304) +
0x00c30304, // c0x0010 (n0x0304-n0x030c) +
0x00c3430c, // c0x0011 (n0x030c-n0x030d) +
0x00c4c30d, // c0x0012 (n0x030d-n0x0313) +
0x00c50313, // c0x0013 (n0x0313-n0x0314) +
0x00c6c314, // c0x0014 (n0x0314-n0x031b) +
0x00c7031b, // c0x0015 (n0x031b-n0x031c) +
0x00cbc31c, // c0x0016 (n0x031c-n0x032f) +
0x00cc032f, // c0x0017 (n0x032f-n0x0330) +
0x00ce0330, // c0x0018 (n0x0330-n0x0338) +
0x00cf8338, // c0x0019 (n0x0338-n0x033e) +
0x00cfc33e, // c0x001a (n0x033e-n0x033f) +
0x00d2c33f, // c0x001b (n0x033f-n0x034b) +
0x00d5434b, // c0x001c (n0x034b-n0x0355) +
0x00d74355, // c0x001d (n0x0355-n0x035d) +
0x00d7c35d, // c0x001e (n0x035d-n0x035f) +
0x00d8035f, // c0x001f (n0x035f-n0x0360) +
0x00e10360, // c0x0020 (n0x0360-n0x0384) +
0x00e24384, // c0x0021 (n0x0384-n0x0389) +
0x00e38389, // c0x0022 (n0x0389-n0x038e) +
0x00e5438e, // c0x0023 (n0x038e-n0x0395) +
0x00e64395, // c0x0024 (n0x0395-n0x0399) +
0x00e78399, // c0x0025 (n0x0399-n0x039e) +
0x00e9c39e, // c0x0026 (n0x039e-n0x03a7) +
0x00fb43a7, // c0x0027 (n0x03a7-n0x03ed) +
0x00fb83ed, // c0x0028 (n0x03ed-n0x03ee) +
0x00fcc3ee, // c0x0029 (n0x03ee-n0x03f3) +
0x00fe03f3, // c0x002a (n0x03f3-n0x03f8) +
0x00fe83f8, // c0x002b (n0x03f8-n0x03fa) +
0x00ff83fa, // c0x002c (n0x03fa-n0x03fe) +
0x010103fe, // c0x002d (n0x03fe-n0x0404) +
0x01054404, // c0x002e (n0x0404-n0x0415) +
0x01064415, // c0x002f (n0x0415-n0x0419) +
0x01068419, // c0x0030 (n0x0419-n0x041a) +
0x0106c41a, // c0x0031 (n0x041a-n0x041b) +
0x0107041b, // c0x0032 (n0x041b-n0x041c) +
0x010ac41c, // c0x0033 (n0x041c-n0x042b) +
0x610b042b, // c0x0034 (n0x042b-n0x042c)* o
0x010c042c, // c0x0035 (n0x042c-n0x0430) +
0x010c4430, // c0x0036 (n0x0430-n0x0431) +
0x01174431, // c0x0037 (n0x0431-n0x045d) +
0x011a845d, // c0x0038 (n0x045d-n0x046a) +
0x014a446a, // c0x0039 (n0x046a-n0x0529) +
0x21500529, // c0x003a (n0x0529-n0x0540) o
0x01520540, // c0x003b (n0x0540-n0x0548) +
0x01528548, // c0x003c (n0x0548-n0x054a) +
0x0154454a, // c0x003d (n0x054a-n0x0551) +
0x0155c551, // c0x003e (n0x0551-n0x0557) +
0x01560557, // c0x003f (n0x0557-n0x0558) +
0x01570558, // c0x0040 (n0x0558-n0x055c) +
0x0157855c, // c0x0041 (n0x055c-n0x055e) +
0x0157c55e, // c0x0042 (n0x055e-n0x055f) +
0x0159c55f, // c0x0043 (n0x055f-n0x0567) +
0x015a0567, // c0x0044 (n0x0567-n0x0568) +
0x015b4568, // c0x0045 (n0x0568-n0x056d) +
0x015dc56d, // c0x0046 (n0x056d-n0x0577) +
0x015fc577, // c0x0047 (n0x0577-n0x057f) +
0x0162c57f, // c0x0048 (n0x057f-n0x058b) +
0x0165458b, // c0x0049 (n0x058b-n0x0595) +
0x01678595, // c0x004a (n0x0595-n0x059e) +
0x0168c59e, // c0x004b (n0x059e-n0x05a3) +
0x016905a3, // c0x004c (n0x05a3-n0x05a4) +
0x0169c5a4, // c0x004d (n0x05a4-n0x05a7) +
0x016fc5a7, // c0x004e (n0x05a7-n0x05bf) +
0x017185bf, // c0x004f (n0x05bf-n0x05c6) +
0x017245c6, // c0x0050 (n0x05c6-n0x05c9) +
0x017385c9, // c0x0051 (n0x05c9-n0x05ce) +
0x017505ce, // c0x0052 (n0x05ce-n0x05d4) +
0x017685d4, // c0x0053 (n0x05d4-n0x05da) +
0x017805da, // c0x0054 (n0x05da-n0x05e0) +
0x017985e0, // c0x0055 (n0x05e0-n0x05e6) +
0x017b45e6, // c0x0056 (n0x05e6-n0x05ed) +
0x017c05ed, // c0x0057 (n0x05ed-n0x05f0) +
0x018185f0, // c0x0058 (n0x05f0-n0x0606) +
0x01830606, // c0x0059 (n0x0606-n0x060c) +
0x0184060c, // c0x005a (n0x060c-n0x0610) +
0x01884610, // c0x005b (n0x0610-n0x0621) +
0x01904621, // c0x005c (n0x0621-n0x0641) +
0x01930641, // c0x005d (n0x0641-n0x064c) +
0x0193864c, // c0x005e (n0x064c-n0x064e) +
0x6193c64e, // c0x005f (n0x064e-n0x064f)* o
0x2194064f, // c0x0060 (n0x064f-n0x0650) o
0x0195c650, // c0x0061 (n0x0650-n0x0657) +
0x01964657, // c0x0062 (n0x0657-n0x0659) +
0x01998659, // c0x0063 (n0x0659-n0x0666) +
0x019c0666, // c0x0064 (n0x0666-n0x0670) +
0x019c4670, // c0x0065 (n0x0670-n0x0671) +
0x019cc671, // c0x0066 (n0x0671-n0x0673) +
0x019e4673, // c0x0067 (n0x0673-n0x0679) +
0x01a08679, // c0x0068 (n0x0679-n0x0682) +
0x01a24682, // c0x0069 (n0x0682-n0x0689) +
0x01fe8689, // c0x006a (n0x0689-n0x07fa) +
0x01ff47fa, // c0x006b (n0x07fa-n0x07fd) +
0x020147fd, // c0x006c (n0x07fd-n0x0805) +
0x02114805, // c0x006d (n0x0805-n0x0845) +
0x021e4845, // c0x006e (n0x0845-n0x0879) +
0x02254879, // c0x006f (n0x0879-n0x0895) +
0x022ac895, // c0x0070 (n0x0895-n0x08ab) +
0x023948ab, // c0x0071 (n0x08ab-n0x08e5) +
0x023ec8e5, // c0x0072 (n0x08e5-n0x08fb) +
0x024288fb, // c0x0073 (n0x08fb-n0x090a) +
0x0252490a, // c0x0074 (n0x090a-n0x0949) +
0x025f0949, // c0x0075 (n0x0949-n0x097c) +
0x0268897c, // c0x0076 (n0x097c-n0x09a2) +
0x027189a2, // c0x0077 (n0x09a2-n0x09c6) +
0x0277c9c6, // c0x0078 (n0x09c6-n0x09df) +
0x029b49df, // c0x0079 (n0x09df-n0x0a6d) +
0x02a6ca6d, // c0x007a (n0x0a6d-n0x0a9b) +
0x02b38a9b, // c0x007b (n0x0a9b-n0x0ace) +
0x02b84ace, // c0x007c (n0x0ace-n0x0ae1) +
0x02c0cae1, // c0x007d (n0x0ae1-n0x0b03) +
0x02c48b03, // c0x007e (n0x0b03-n0x0b12) +
0x02c98b12, // c0x007f (n0x0b12-n0x0b26) +
0x02d10b26, // c0x0080 (n0x0b26-n0x0b44) +
0x62d14b44, // c0x0081 (n0x0b44-n0x0b45)* o
0x62d18b45, // c0x0082 (n0x0b45-n0x0b46)* o
0x62d1cb46, // c0x0083 (n0x0b46-n0x0b47)* o
0x02d98b47, // c0x0084 (n0x0b47-n0x0b66) +
0x02e00b66, // c0x0085 (n0x0b66-n0x0b80) +
0x02e7cb80, // c0x0086 (n0x0b80-n0x0b9f) +
0x02ef4b9f, // c0x0087 (n0x0b9f-n0x0bbd) +
0x02f78bbd, // c0x0088 (n0x0bbd-n0x0bde) +
0x02fe4bde, // c0x0089 (n0x0bde-n0x0bf9) +
0x03110bf9, // c0x008a (n0x0bf9-n0x0c44) +
0x03168c44, // c0x008b (n0x0c44-n0x0c5a) +
0x6316cc5a, // c0x008c (n0x0c5a-n0x0c5b)* o
0x03204c5b, // c0x008d (n0x0c5b-n0x0c81) +
0x0328cc81, // c0x008e (n0x0c81-n0x0ca3) +
0x032d8ca3, // c0x008f (n0x0ca3-n0x0cb6) +
0x03340cb6, // c0x0090 (n0x0cb6-n0x0cd0) +
0x033e8cd0, // c0x0091 (n0x0cd0-n0x0cfa) +
0x034b0cfa, // c0x0092 (n0x0cfa-n0x0d2c) +
0x03518d2c, // c0x0093 (n0x0d2c-n0x0d46) +
0x0362cd46, // c0x0094 (n0x0d46-n0x0d8b) +
0x63630d8b, // c0x0095 (n0x0d8b-n0x0d8c)* o
0x63634d8c, // c0x0096 (n0x0d8c-n0x0d8d)* o
0x03690d8d, // c0x0097 (n0x0d8d-n0x0da4) +
0x036ecda4, // c0x0098 (n0x0da4-n0x0dbb) +
0x0377cdbb, // c0x0099 (n0x0dbb-n0x0ddf) +
0x037f8ddf, // c0x009a (n0x0ddf-n0x0dfe) +
0x0383cdfe, // c0x009b (n0x0dfe-n0x0e0f) +
0x03920e0f, // c0x009c (n0x0e0f-n0x0e48) +
0x03954e48, // c0x009d (n0x0e48-n0x0e55) +
0x039b4e55, // c0x009e (n0x0e55-n0x0e6d) +
0x03a28e6d, // c0x009f (n0x0e6d-n0x0e8a) +
0x03ab0e8a, // c0x00a0 (n0x0e8a-n0x0eac) +
0x03af0eac, // c0x00a1 (n0x0eac-n0x0ebc) +
0x03b60ebc, // c0x00a2 (n0x0ebc-n0x0ed8) +
0x63b64ed8, // c0x00a3 (n0x0ed8-n0x0ed9)* o
0x03b7ced9, // c0x00a4 (n0x0ed9-n0x0edf) +
0x03b98edf, // c0x00a5 (n0x0edf-n0x0ee6) +
0x03bdcee6, // c0x00a6 (n0x0ee6-n0x0ef7) +
0x03becef7, // c0x00a7 (n0x0ef7-n0x0efb) +
0x03c04efb, // c0x00a8 (n0x0efb-n0x0f01) +
0x03c7cf01, // c0x00a9 (n0x0f01-n0x0f1f) +
0x03c90f1f, // c0x00aa (n0x0f1f-n0x0f24) +
0x03ca8f24, // c0x00ab (n0x0f24-n0x0f2a) +
0x03cccf2a, // c0x00ac (n0x0f2a-n0x0f33) +
0x03ce0f33, // c0x00ad (n0x0f33-n0x0f38) +
0x03cf8f38, // c0x00ae (n0x0f38-n0x0f3e) +
0x03d30f3e, // c0x00af (n0x0f3e-n0x0f4c) +
0x03d44f4c, // c0x00b0 (n0x0f4c-n0x0f51) +
0x03d4cf51, // c0x00b1 (n0x0f51-n0x0f53) +
0x03d50f53, // c0x00b2 (n0x0f53-n0x0f54) +
0x03d74f54, // c0x00b3 (n0x0f54-n0x0f5d) +
0x03d98f5d, // c0x00b4 (n0x0f5d-n0x0f66) +
0x03db0f66, // c0x00b5 (n0x0f66-n0x0f6c) +
0x03db8f6c, // c0x00b6 (n0x0f6c-n0x0f6e) +
0x03dd8f6e, // c0x00b7 (n0x0f6e-n0x0f76) +
0x03df8f76, // c0x00b8 (n0x0f76-n0x0f7e) +
0x03e14f7e, // c0x00b9 (n0x0f7e-n0x0f85) +
0x03e30f85, // c0x00ba (n0x0f85-n0x0f8c) +
0x03e40f8c, // c0x00bb (n0x0f8c-n0x0f90) +
0x03e54f90, // c0x00bc (n0x0f90-n0x0f95) +
0x03e5cf95, // c0x00bd (n0x0f95-n0x0f97) +
0x03e70f97, // c0x00be (n0x0f97-n0x0f9c) +
0x03e80f9c, // c0x00bf (n0x0f9c-n0x0fa0) +
0x03e9cfa0, // c0x00c0 (n0x0fa0-n0x0fa7) +
0x0472cfa7, // c0x00c1 (n0x0fa7-n0x11cb) +
0x047651cb, // c0x00c2 (n0x11cb-n0x11d9) +
0x047911d9, // c0x00c3 (n0x11d9-n0x11e4) +
0x047a91e4, // c0x00c4 (n0x11e4-n0x11ea) +
0x047c51ea, // c0x00c5 (n0x11ea-n0x11f1) +
0x647c91f1, // c0x00c6 (n0x11f1-n0x11f2)* o
0x0480d1f2, // c0x00c7 (n0x11f2-n0x1203) +
0x04815203, // c0x00c8 (n0x1203-n0x1205) +
0x24819205, // c0x00c9 (n0x1205-n0x1206) o
0x2481d206, // c0x00ca (n0x1206-n0x1207) o
0x04821207, // c0x00cb (n0x1207-n0x1208) +
0x048dd208, // c0x00cc (n0x1208-n0x1237) +
0x248e5237, // c0x00cd (n0x1237-n0x1239) o
0x248ed239, // c0x00ce (n0x1239-n0x123b) o
0x248f923b, // c0x00cf (n0x123b-n0x123e) o
0x0492123e, // c0x00d0 (n0x123e-n0x1248) +
0x04945248, // c0x00d1 (n0x1248-n0x1251) +
0x04951251, // c0x00d2 (n0x1251-n0x1254) +
0x054a9254, // c0x00d3 (n0x1254-n0x152a) +
0x054ad52a, // c0x00d4 (n0x152a-n0x152b) +
0x054b152b, // c0x00d5 (n0x152b-n0x152c) +
0x254b552c, // c0x00d6 (n0x152c-n0x152d) o
0x054b952d, // c0x00d7 (n0x152d-n0x152e) +
0x254bd52e, // c0x00d8 (n0x152e-n0x152f) o
0x054c152f, // c0x00d9 (n0x152f-n0x1530) +
0x254cd530, // c0x00da (n0x1530-n0x1533) o
0x054d1533, // c0x00db (n0x1533-n0x1534) +
0x054d5534, // c0x00dc (n0x1534-n0x1535) +
0x254d9535, // c0x00dd (n0x1535-n0x1536) o
0x054dd536, // c0x00de (n0x1536-n0x1537) +
0x254e5537, // c0x00df (n0x1537-n0x1539) o
0x054e9539, // c0x00e0 (n0x1539-n0x153a) +
0x054ed53a, // c0x00e1 (n0x153a-n0x153b) +
0x254fd53b, // c0x00e2 (n0x153b-n0x153f) o
0x0550153f, // c0x00e3 (n0x153f-n0x1540) +
0x05505540, // c0x00e4 (n0x1540-n0x1541) +
0x05509541, // c0x00e5 (n0x1541-n0x1542) +
0x0550d542, // c0x00e6 (n0x1542-n0x1543) +
0x25511543, // c0x00e7 (n0x1543-n0x1544) o
0x05515544, // c0x00e8 (n0x1544-n0x1545) +
0x05519545, // c0x00e9 (n0x1545-n0x1546) +
0x0551d546, // c0x00ea (n0x1546-n0x1547) +
0x05521547, // c0x00eb (n0x1547-n0x1548) +
0x25529548, // c0x00ec (n0x1548-n0x154a) o
0x0552d54a, // c0x00ed (n0x154a-n0x154b) +
0x0553154b, // c0x00ee (n0x154b-n0x154c) +
0x0553554c, // c0x00ef (n0x154c-n0x154d) +
0x2553954d, // c0x00f0 (n0x154d-n0x154e) o
0x0553d54e, // c0x00f1 (n0x154e-n0x154f) +
0x2554554f, // c0x00f2 (n0x154f-n0x1551) o
0x25549551, // c0x00f3 (n0x1551-n0x1552) o
0x05565552, // c0x00f4 (n0x1552-n0x1559) +
0x05571559, // c0x00f5 (n0x1559-n0x155c) +
0x6557555c, // c0x00f6 (n0x155c-n0x155d)* o
0x2557955d, // c0x00f7 (n0x155d-n0x155e) o
0x0559d55e, // c0x00f8 (n0x155e-n0x1567) +
0x05671567, // c0x00f9 (n0x1567-n0x159c) +
0x0567959c, // c0x00fa (n0x159c-n0x159e) +
0x056a559e, // c0x00fb (n0x159e-n0x15a9) +
0x056c15a9, // c0x00fc (n0x15a9-n0x15b0) +
0x056cd5b0, // c0x00fd (n0x15b0-n0x15b3) +
0x056ed5b3, // c0x00fe (n0x15b3-n0x15bb) +
0x057255bb, // c0x00ff (n0x15bb-n0x15c9) +
0x059d15c9, // c0x0100 (n0x15c9-n0x1674) +
0x059f5674, // c0x0101 (n0x1674-n0x167d) +
0x05a0967d, // c0x0102 (n0x167d-n0x1682) +
0x05a3d682, // c0x0103 (n0x1682-n0x168f) +
0x05a5968f, // c0x0104 (n0x168f-n0x1696) +
0x05a75696, // c0x0105 (n0x1696-n0x169d) +
0x05a9969d, // c0x0106 (n0x169d-n0x16a6) +
0x05ab16a6, // c0x0107 (n0x16a6-n0x16ac) +
0x05acd6ac, // c0x0108 (n0x16ac-n0x16b3) +
0x05aed6b3, // c0x0109 (n0x16b3-n0x16bb) +
0x05afd6bb, // c0x010a (n0x16bb-n0x16bf) +
0x05b2d6bf, // c0x010b (n0x16bf-n0x16cb) +
0x05b456cb, // c0x010c (n0x16cb-n0x16d1) +
0x05d596d1, // c0x010d (n0x16d1-n0x1756) +
0x05d7d756, // c0x010e (n0x1756-n0x175f) +
0x05d9d75f, // c0x010f (n0x175f-n0x1767) +
0x05db1767, // c0x0110 (n0x1767-n0x176c) +
0x05dc576c, // c0x0111 (n0x176c-n0x1771) +
0x05de5771, // c0x0112 (n0x1771-n0x1779) +
0x05e85779, // c0x0113 (n0x1779-n0x17a1) +
0x05ea17a1, // c0x0114 (n0x17a1-n0x17a8) +
0x05eb57a8, // c0x0115 (n0x17a8-n0x17ad) +
0x05eb97ad, // c0x0116 (n0x17ad-n0x17ae) +
0x05ecd7ae, // c0x0117 (n0x17ae-n0x17b3) +
0x05ee97b3, // c0x0118 (n0x17b3-n0x17ba) +
0x05ef57ba, // c0x0119 (n0x17ba-n0x17bd) +
0x05f257bd, // c0x011a (n0x17bd-n0x17c9) +
0x05f397c9, // c0x011b (n0x17c9-n0x17ce) +
0x05f3d7ce, // c0x011c (n0x17ce-n0x17cf) +
0x05f557cf, // c0x011d (n0x17cf-n0x17d5) +
0x05f617d5, // c0x011e (n0x17d5-n0x17d8) +
0x05f657d8, // c0x011f (n0x17d8-n0x17d9) +
0x05f817d9, // c0x0120 (n0x17d9-n0x17e0) +
0x05fbd7e0, // c0x0121 (n0x17e0-n0x17ef) +
0x05fc17ef, // c0x0122 (n0x17ef-n0x17f0) +
0x05fe17f0, // c0x0123 (n0x17f0-n0x17f8) +
0x060317f8, // c0x0124 (n0x17f8-n0x180c) +
0x0604980c, // c0x0125 (n0x180c-n0x1812) +
0x66051812, // c0x0126 (n0x1812-n0x1814)* o
0x26055814, // c0x0127 (n0x1814-n0x1815) o
0x06099815, // c0x0128 (n0x1815-n0x1826) +
0x060a9826, // c0x0129 (n0x1826-n0x182a) +
0x060e182a, // c0x012a (n0x182a-n0x1838) +
0x06111838, // c0x012b (n0x1838-n0x1844) +
0x06249844, // c0x012c (n0x1844-n0x1892) +
0x06269892, // c0x012d (n0x1892-n0x189a) +
0x6629589a, // c0x012e (n0x189a-n0x18a5)* o
0x262998a5, // c0x012f (n0x18a5-n0x18a6) o
0x063958a6, // c0x0130 (n0x18a6-n0x18e5) +
0x063a18e5, // c0x0131 (n0x18e5-n0x18e8) +
0x063ad8e8, // c0x0132 (n0x18e8-n0x18eb) +
0x063b98eb, // c0x0133 (n0x18eb-n0x18ee) +
0x063c58ee, // c0x0134 (n0x18ee-n0x18f1) +
0x063d18f1, // c0x0135 (n0x18f1-n0x18f4) +
0x063dd8f4, // c0x0136 (n0x18f4-n0x18f7) +
0x063e98f7, // c0x0137 (n0x18f7-n0x18fa) +
0x063f58fa, // c0x0138 (n0x18fa-n0x18fd) +
0x064018fd, // c0x0139 (n0x18fd-n0x1900) +
0x0640d900, // c0x013a (n0x1900-n0x1903) +
0x06419903, // c0x013b (n0x1903-n0x1906) +
0x06425906, // c0x013c (n0x1906-n0x1909) +
0x06431909, // c0x013d (n0x1909-n0x190c) +
0x0643990c, // c0x013e (n0x190c-n0x190e) +
0x0644590e, // c0x013f (n0x190e-n0x1911) +
0x06451911, // c0x0140 (n0x1911-n0x1914) +
0x0645d914, // c0x0141 (n0x1914-n0x1917) +
0x06469917, // c0x0142 (n0x1917-n0x191a) +
0x0647591a, // c0x0143 (n0x191a-n0x191d) +
0x0648191d, // c0x0144 (n0x191d-n0x1920) +
0x0648d920, // c0x0145 (n0x1920-n0x1923) +
0x06499923, // c0x0146 (n0x1923-n0x1926) +
0x064a5926, // c0x0147 (n0x1926-n0x1929) +
0x064b1929, // c0x0148 (n0x1929-n0x192c) +
0x064bd92c, // c0x0149 (n0x192c-n0x192f) +
0x064c992f, // c0x014a (n0x192f-n0x1932) +
0x064d5932, // c0x014b (n0x1932-n0x1935) +
0x064e1935, // c0x014c (n0x1935-n0x1938) +
0x064ed938, // c0x014d (n0x1938-n0x193b) +
0x064f993b, // c0x014e (n0x193b-n0x193e) +
0x0650593e, // c0x014f (n0x193e-n0x1941) +
0x06511941, // c0x0150 (n0x1941-n0x1944) +
0x0651d944, // c0x0151 (n0x1944-n0x1947) +
0x06529947, // c0x0152 (n0x1947-n0x194a) +
0x0653594a, // c0x0153 (n0x194a-n0x194d) +
0x0654194d, // c0x0154 (n0x194d-n0x1950) +
0x0654d950, // c0x0155 (n0x1950-n0x1953) +
0x06559953, // c0x0156 (n0x1953-n0x1956) +
0x06565956, // c0x0157 (n0x1956-n0x1959) +
0x06571959, // c0x0158 (n0x1959-n0x195c) +
0x0657d95c, // c0x0159 (n0x195c-n0x195f) +
0x0658995f, // c0x015a (n0x195f-n0x1962) +
0x06595962, // c0x015b (n0x1962-n0x1965) +
0x065a1965, // c0x015c (n0x1965-n0x1968) +
0x065ad968, // c0x015d (n0x1968-n0x196b) +
0x065b596b, // c0x015e (n0x196b-n0x196d) +
0x065c196d, // c0x015f (n0x196d-n0x1970) +
0x065cd970, // c0x0160 (n0x1970-n0x1973) +
0x065d9973, // c0x0161 (n0x1973-n0x1976) +
0x065e5976, // c0x0162 (n0x1976-n0x1979) +
0x065f1979, // c0x0163 (n0x1979-n0x197c) +
0x065fd97c, // c0x0164 (n0x197c-n0x197f) +
0x0660997f, // c0x0165 (n0x197f-n0x1982) +
0x06615982, // c0x0166 (n0x1982-n0x1985) +
0x06619985, // c0x0167 (n0x1985-n0x1986) +
0x06625986, // c0x0168 (n0x1986-n0x1989) +
0x0663d989, // c0x0169 (n0x1989-n0x198f) +
0x0664d98f, // c0x016a (n0x198f-n0x1993) +
0x06665993, // c0x016b (n0x1993-n0x1999) +
0x0668d999, // c0x016c (n0x1999-n0x19a3) +
0x066a19a3, // c0x016d (n0x19a3-n0x19a8) +
0x066d19a8, // c0x016e (n0x19a8-n0x19b4) +
0x066ed9b4, // c0x016f (n0x19b4-n0x19bb) +
}
// max children 367 (capacity 511)
// max text offset 23226 (capacity 32767)
// max text length 36 (capacity 63)
// max hi 6587 (capacity 16383)
// max lo 6580 (capacity 16383)<|fim▁end|> | 0x0be1b842, // n0x0054 c0x002f (n0x0415-n0x0419) + I cc
0x0c30b4c2, // n0x0055 c0x0030 (n0x0419-n0x041a) + I cd
0x00243546, // n0x0056 c0x0000 (---------------) + I center
0x0026f243, // n0x0057 c0x0000 (---------------) + I ceo |
<|file_name|>index.js<|end_file_name|><|fim▁begin|>import content from "./content.md"<|fim▁hole|> return content + image
}<|fim▁end|> | import image from "./image.png"
export default function() { |
<|file_name|>test_event.py<|end_file_name|><|fim▁begin|># -*- coding: utf-8 -*-
"""Test events classes.
This file is part of PyVISA.
:copyright: 2019-2020 by PyVISA Authors, see AUTHORS for more details.
:license: MIT, see LICENSE for more details.
"""
import logging
import pytest
from pyvisa import constants, errors
from pyvisa.events import Event
from . import BaseTestCase
class TestEvent(BaseTestCase):
"""Test Event functionalities."""
def setup_method(self):
self.old = Event._event_classes.copy()
def teardown_method(self):
Event._event_classes = self.old
def test_register(self):
assert Event._event_classes[constants.EventType.clear] is Event
def test_double_register_event_cls(self, caplog):
class SubEvent(Event):
pass<|fim▁hole|> with caplog.at_level(logging.DEBUG, logger="pyvisa"):
Event.register(constants.EventType.clear)(SubEvent)
assert caplog.records
assert Event._event_classes[constants.EventType.clear] is SubEvent
def test_register_event_cls_missing_attr(self):
class SubEvent(Event):
pass
with pytest.raises(TypeError):
Event.register(constants.EventType.exception)(SubEvent)
assert Event._event_classes[constants.EventType.exception] is not SubEvent
def test_event_context(self):
event = Event(None, constants.EventType.clear, 1)
assert event.context == 1
event.close()
with pytest.raises(errors.InvalidSession):
event.context<|fim▁end|> | |
<|file_name|>__.js<|end_file_name|><|fim▁begin|>/**
* A special placeholder value used to specify "gaps" within curried functions,
* allowing partial application of any combination of arguments,
* regardless of their positions.
*
* If `g` is a curried ternary function and `_` is `R.__`, the following are equivalent:
*
* - `g(1, 2, 3)`
* - `g(_, 2, 3)(1)`
* - `g(_, _, 3)(1)(2)`
* - `g(_, _, 3)(1, 2)`
* - `g(_, 2, _)(1, 3)`
* - `g(_, 2)(1)(3)`<|fim▁hole|> * - `g(_, 2)(_, 3)(1)`
*
* @constant
* @memberOf R
* @category Function
* @example
*
* var greet = R.replace('{name}', R.__, 'Hello, {name}!');
* greet('Alice'); //=> 'Hello, Alice!'
*/
module.exports = {'@@functional/placeholder': true};<|fim▁end|> | * - `g(_, 2)(1, 3)` |
<|file_name|>conf.py<|end_file_name|><|fim▁begin|>#!/usr/bin/env python3
# -*- coding: utf-8 -*-
#
# MicroPython documentation build configuration file, created by
# sphinx-quickstart on Sun Sep 21 11:42:03 2014.
#
# This file is execfile()d with the current directory set to its
# containing dir.
#
# Note that not all possible configuration values are present in this
# autogenerated file.
#
# All configuration values have a default; values that are commented out
# serve to show the default.
import sys
import os
# If extensions (or modules to document with autodoc) are in another directory,<|fim▁hole|># Work out the port to generate the docs for
from collections import OrderedDict
micropy_port = os.getenv('MICROPY_PORT') or 'pyboard'
tags.add('port_' + micropy_port)
ports = OrderedDict((
('unix', 'unix'),
('pyboard', 'the pyboard'),
('wipy', 'the WiPy'),
('esp8266', 'the ESP8266'),
))
# The members of the html_context dict are available inside topindex.html
micropy_version = os.getenv('MICROPY_VERSION') or 'latest'
micropy_all_versions = (os.getenv('MICROPY_ALL_VERSIONS') or 'latest').split(',')
url_pattern = '%s/en/%%s/%%s' % (os.getenv('MICROPY_URL_PREFIX') or '/',)
html_context = {
'port':micropy_port,
'port_name':ports[micropy_port],
'port_version':micropy_version,
'all_ports':[
(port_id, url_pattern % (micropy_version, port_id))
for port_id, port_name in ports.items()
],
'all_versions':[
(ver, url_pattern % (ver, micropy_port))
for ver in micropy_all_versions
],
'downloads':[
('PDF', url_pattern % (micropy_version, 'micropython-%s.pdf' % micropy_port)),
],
}
# Specify a custom master document based on the port name
master_doc = micropy_port + '_' + 'index'
# -- General configuration ------------------------------------------------
# If your documentation needs a minimal Sphinx version, state it here.
#needs_sphinx = '1.0'
# Add any Sphinx extension module names here, as strings. They can be
# extensions coming with Sphinx (named 'sphinx.ext.*') or your custom
# ones.
extensions = [
'sphinx.ext.autodoc',
'sphinx.ext.doctest',
'sphinx.ext.intersphinx',
'sphinx.ext.todo',
'sphinx.ext.coverage',
'sphinx_selective_exclude.modindex_exclude',
'sphinx_selective_exclude.eager_only',
'sphinx_selective_exclude.search_auto_exclude',
]
# Add any paths that contain templates here, relative to this directory.
templates_path = ['templates']
# The suffix of source filenames.
source_suffix = '.rst'
# The encoding of source files.
#source_encoding = 'utf-8-sig'
# The master toctree document.
#master_doc = 'index'
# General information about the project.
project = 'MicroPython'
copyright = '2014-2016, Damien P. George and contributors'
# The version info for the project you're documenting, acts as replacement for
# |version| and |release|, also used in various other places throughout the
# built documents.
#
# The short X.Y version.
version = '1.8'
# The full version, including alpha/beta/rc tags.
release = '1.8.4'
# The language for content autogenerated by Sphinx. Refer to documentation
# for a list of supported languages.
#language = None
# There are two options for replacing |today|: either, you set today to some
# non-false value, then it is used:
#today = ''
# Else, today_fmt is used as the format for a strftime call.
#today_fmt = '%B %d, %Y'
# List of patterns, relative to source directory, that match files and
# directories to ignore when looking for source files.
exclude_patterns = ['build']
# The reST default role (used for this markup: `text`) to use for all
# documents.
#default_role = None
# If true, '()' will be appended to :func: etc. cross-reference text.
#add_function_parentheses = True
# If true, the current module name will be prepended to all description
# unit titles (such as .. function::).
#add_module_names = True
# If true, sectionauthor and moduleauthor directives will be shown in the
# output. They are ignored by default.
#show_authors = False
# The name of the Pygments (syntax highlighting) style to use.
pygments_style = 'sphinx'
# A list of ignored prefixes for module index sorting.
#modindex_common_prefix = []
# If true, keep warnings as "system message" paragraphs in the built documents.
#keep_warnings = False
# -- Options for HTML output ----------------------------------------------
# on_rtd is whether we are on readthedocs.org
on_rtd = os.environ.get('READTHEDOCS', None) == 'True'
if not on_rtd: # only import and set the theme if we're building docs locally
try:
import sphinx_rtd_theme
html_theme = 'sphinx_rtd_theme'
html_theme_path = [sphinx_rtd_theme.get_html_theme_path(), '.']
except:
html_theme = 'default'
html_theme_path = ['.']
else:
html_theme_path = ['.']
# Theme options are theme-specific and customize the look and feel of a theme
# further. For a list of options available for each theme, see the
# documentation.
#html_theme_options = {}
# Add any paths that contain custom themes here, relative to this directory.
# html_theme_path = ['.']
# The name for this set of Sphinx documents. If None, it defaults to
# "<project> v<release> documentation".
#html_title = None
# A shorter title for the navigation bar. Default is the same as html_title.
#html_short_title = None
# The name of an image file (relative to this directory) to place at the top
# of the sidebar.
#html_logo = '../../logo/trans-logo.png'
# The name of an image file (within the static path) to use as favicon of the
# docs. This file should be a Windows icon file (.ico) being 16x16 or 32x32
# pixels large.
#html_favicon = None
# Add any paths that contain custom static files (such as style sheets) here,
# relative to this directory. They are copied after the builtin static files,
# so a file named "default.css" will overwrite the builtin "default.css".
html_static_path = ['static']
# Add any extra paths that contain custom files (such as robots.txt or
# .htaccess) here, relative to this directory. These files are copied
# directly to the root of the documentation.
#html_extra_path = []
# If not '', a 'Last updated on:' timestamp is inserted at every page bottom,
# using the given strftime format.
html_last_updated_fmt = '%d %b %Y'
# If true, SmartyPants will be used to convert quotes and dashes to
# typographically correct entities.
#html_use_smartypants = True
# Custom sidebar templates, maps document names to template names.
#html_sidebars = {}
# Additional templates that should be rendered to pages, maps page names to
# template names.
html_additional_pages = {"index": "topindex.html"}
# If false, no module index is generated.
#html_domain_indices = True
# If false, no index is generated.
#html_use_index = True
# If true, the index is split into individual pages for each letter.
#html_split_index = False
# If true, links to the reST sources are added to the pages.
#html_show_sourcelink = True
# If true, "Created using Sphinx" is shown in the HTML footer. Default is True.
#html_show_sphinx = True
# If true, "(C) Copyright ..." is shown in the HTML footer. Default is True.
#html_show_copyright = True
# If true, an OpenSearch description file will be output, and all pages will
# contain a <link> tag referring to it. The value of this option must be the
# base URL from which the finished HTML is served.
#html_use_opensearch = ''
# This is the file name suffix for HTML files (e.g. ".xhtml").
#html_file_suffix = None
# Output file base name for HTML help builder.
htmlhelp_basename = 'MicroPythondoc'
# -- Options for LaTeX output ---------------------------------------------
latex_elements = {
# The paper size ('letterpaper' or 'a4paper').
#'papersize': 'letterpaper',
# The font size ('10pt', '11pt' or '12pt').
#'pointsize': '10pt',
# Additional stuff for the LaTeX preamble.
#'preamble': '',
}
# Grouping the document tree into LaTeX files. List of tuples
# (source start file, target name, title,
# author, documentclass [howto, manual, or own class]).
latex_documents = [
(master_doc, 'MicroPython.tex', 'MicroPython Documentation',
'Damien P. George and contributors', 'manual'),
]
# The name of an image file (relative to this directory) to place at the top of
# the title page.
#latex_logo = None
# For "manual" documents, if this is true, then toplevel headings are parts,
# not chapters.
#latex_use_parts = False
# If true, show page references after internal links.
#latex_show_pagerefs = False
# If true, show URL addresses after external links.
#latex_show_urls = False
# Documents to append as an appendix to all manuals.
#latex_appendices = []
# If false, no module index is generated.
#latex_domain_indices = True
# -- Options for manual page output ---------------------------------------
# One entry per manual page. List of tuples
# (source start file, name, description, authors, manual section).
man_pages = [
('index', 'micropython', 'MicroPython Documentation',
['Damien P. George and contributors'], 1),
]
# If true, show URL addresses after external links.
#man_show_urls = False
# -- Options for Texinfo output -------------------------------------------
# Grouping the document tree into Texinfo files. List of tuples
# (source start file, target name, title, author,
# dir menu entry, description, category)
texinfo_documents = [
(master_doc, 'MicroPython', 'MicroPython Documentation',
'Damien P. George and contributors', 'MicroPython', 'One line description of project.',
'Miscellaneous'),
]
# Documents to append as an appendix to all manuals.
#texinfo_appendices = []
# If false, no module index is generated.
#texinfo_domain_indices = True
# How to display URL addresses: 'footnote', 'no', or 'inline'.
#texinfo_show_urls = 'footnote'
# If true, do not generate a @detailmenu in the "Top" node's menu.
#texinfo_no_detailmenu = False
# Example configuration for intersphinx: refer to the Python standard library.
intersphinx_mapping = {'http://docs.python.org/': None}
# Append the other ports' specific folders/files to the exclude pattern
exclude_patterns.extend([port + '*' for port in ports if port != micropy_port])
modules_port_specific = {
'pyboard': ['pyb'],
'wipy': ['wipy'],
'esp8266': ['esp'],
}
modindex_exclude = []
for p, l in modules_port_specific.items():
if p != micropy_port:
modindex_exclude += l
# Exclude extra modules per port
modindex_exclude += {
'esp8266': ['cmath', 'select'],
'wipy': ['cmath'],
}.get(micropy_port, [])<|fim▁end|> | # add these directories to sys.path here. If the directory is relative to the
# documentation root, use os.path.abspath to make it absolute, like shown here.
sys.path.insert(0, os.path.abspath('.'))
|
<|file_name|>promi2.py<|end_file_name|><|fim▁begin|>#!/usr/bin/env python
# Author: csiu
# Created: 2015-02-02
import argparse
from ConfigParser import SafeConfigParser
import sys
import os
from utils import get_value_from_keycolonvalue_list, ensure_dir, random_string
import features
import mirna_proximity
import correlation
import gff_unify_features
import promirna
import plots
usage = """- Runs promi2
EXAMPLE:
python2.7 promi2.py -i ../test/test.gff -o ../Testout-promi2
- When the features.gff file is already available, use the '-f' option
EXAMPLE:
python2.7 promi2.py -i ../test/test-features.gff -f -o ../Testout-promi2predict
- enable plotting with "-p"
"""
def _read_params(f_param):
params_dict = {}
with open(f_param) as f:
for l in f:
k,v = l.strip().split(':')
params_dict[k] = float(v)
mu1 = params_dict['mu_promoter']
mu2 = params_dict['mu_background']
lambda1 = params_dict['lambda_promoter']
lambda2 = params_dict['lambda_background']
betas = [i for i in params_dict.keys() if i.startswith('beta')]
betas.sort()
betas = [params_dict[b] for b in betas]
return (mu1, mu2, lambda1, lambda2, betas)
def _make_prediction(prior_prom, p_prom, p_back):
if str(prior_prom).endswith('*'):
note = '*'
else:
note = ''
if p_prom >= p_back:
prediction = 'prom'+note
else:
prediction = 'back'+note
return prediction
def promi2(f_param, listoffeatures, infile, outfile):
mu1, mu2, lambda1, lambda2, betas = _read_params(f_param)
if len(betas) != len(listoffeatures)+1:
sys.exit("ERROR: number of betas does not match number of features")
with open(outfile, 'w') as out:
with open(infile) as f:<|fim▁hole|> l = line.split('\t')
x = float(l[5])
_features = l[7].split(';')
fvalues = []
for lof in listoffeatures:
try:
fvalues.append(float(get_value_from_keycolonvalue_list(lof, _features)))
except ValueError:
fvalues.append(0)
p_prom, p_back, prior_prom, prior_back = promirna.promirna(x, mu1, mu2, lambda1, lambda2,
betas, fvalues)
prediction = _make_prediction(prior_prom, p_prom, p_back)
#line = '\t'.join([line,
# ';'.join(['prior_prom:'+str(prior_prom), 'prior_back:'+str(prior_back),
# 'prob_prom:'+str(p_prom), 'prob_back:'+str(p_back)]),
# prediction]) + '\n'
line = line + '\t%s\t%s\t%s\t%s\t%s\n' % (prior_prom, prior_back, p_prom, p_back, prediction)
out.write(line)
return
def _cleanup_extra_positions(infile, outfile):
## cleanup of extra positions
## compare miRNA positions in PROX & CORR
with open(outfile, 'w') as out:
with open(infile) as f:
for line in f:
l = line.split('\t')
descript = l[8].split('@')
if (descript[1] != '') and (descript[2] != '\n'):
info_mprox = descript[1].split(';')
prox_start = get_value_from_keycolonvalue_list('mirna_start', info_mprox)
prox_stop = get_value_from_keycolonvalue_list('mirna_stop', info_mprox)
info_corr = descript[2].split(';')
corr_start = get_value_from_keycolonvalue_list('mirna_start', info_corr)
corr_stop = get_value_from_keycolonvalue_list('mirna_stop', info_corr)
if (prox_start == corr_start) and \
(prox_stop == prox_stop):
out.write(line)
else:
out.write(line)
return outfile
def main(f_config, gff_cage, is_gff, outdir, make_plots):
cparser = SafeConfigParser()
cparser.read(f_config)
in_bname = os.path.basename(gff_cage)
if outdir == None:
outdir = 'promi2_outdir_'+in_bname+'_'+random_string(6)
ensure_dir(outdir, False)
f_param = cparser.get('promi2','params')
listoffeatures = cparser.get('promi2','features')
listoffeatures = listoffeatures.split(',')
if 'corr' in listoffeatures:
is_consider_corr = True
corrmethod = cparser.get('correlation','corrmethod')
else:
is_consider_corr = False
## PART1: Feature extraction
if not is_gff:
## feature extraction: cpg, cons, tata (features.py)
outdir_seqfeatures = os.path.join(outdir, 'seqfeatures')
ensure_dir(outdir_seqfeatures, False)
gff_1kbfeatures = os.path.join(outdir_seqfeatures, 'features_1kbseq.gff')
f_fasta = cparser.get('genome','fasta')
f_chromsizes = cparser.get('genome','chromsizes')
d_phastcons = cparser.get('cons','phastcons')
TRAP = cparser.get('tata','trap')
f_psemmatrix = cparser.get('tata','psem')
features.main(gff_cage, outdir_seqfeatures,
f_fasta, f_chromsizes, d_phastcons, TRAP, f_psemmatrix,
gff_1kbfeatures)
## feature extraction: mirna_proximity (mirna_proximity.py)
outdir_mprox = os.path.join(outdir, 'mprox')
ensure_dir(outdir_mprox, False)
gff_mirnaprox = os.path.join(outdir_mprox, 'features_mirnaprox.gff')
gff_mirna = cparser.get('mirbase','gff2')
mirna_proximity.main(gff_cage, gff_mirna, gff_mirnaprox)
## merge extracted features (gff_unify_features.py)
gff_features = os.path.join(outdir, 'Features.1kb.mprox.'+in_bname)
gff_unify_features.main(gff_1kbfeatures, gff_mirnaprox, 'mirna_prox', '0', gff_features)
if is_consider_corr:
## merge extracted features (gff_unify_features.py) after compute correlation
gff_features_corr = os.path.join(outdir,
'Features.1kb.mprox.%s.%s' % (corrmethod, in_bname))
outdir_corr = os.path.join(outdir, 'corr')
m_mirna = cparser.get('correlation', 'srnaseqmatrix')
m_tss = cparser.get('correlation', 'cageseqmatrix')
gff_corr = correlation.main(gff_mirna, m_mirna, m_tss, corrmethod, outdir_corr)
gff_unify_features.main(gff_features, gff_corr, 'corr', '0', gff_features_corr)
gff_allfeatures = gff_features_corr
else:
gff_allfeatures = gff_features
else:
gff_allfeatures = gff_cage
with open(gff_allfeatures) as f:
l = f.readline().split('\t')
if not (':' in l[7]):
sys.exit('ERROR: this is not a features.gff formatted file')
## PART2: extract parameters & run promirna
f_prediction = os.path.join(outdir, 'Predictions.'+in_bname+'.txt')
print 'COMPUTING: "%s"...' % f_prediction
promi2(f_param, listoffeatures, gff_allfeatures, f_prediction)
## PART3: plots
if make_plots:
plotdir = os.path.join(outdir, 'plots')
ensure_dir(plotdir, False)
plots.main(f_prediction, plotdir, f_config)
if __name__ == '__main__':
parser = argparse.ArgumentParser(description=usage,
formatter_class=argparse.RawTextHelpFormatter)
parser.add_argument('-i', '--infile', dest='infile',
required=True,
help='''path to input gff input file.
Tab-separated columns should be like:
1. chrom
2. source
3. feature
4. start (+500)
5. stop (-500)
6. normalized tag count
7. strand
8. .
9. info
''')
parser.add_argument('-f', dest='is_gff',
action='store_true',
help='flag to specify that infile is already features.gff file')
parser.add_argument('-p', dest='make_plots',
action='store_true',
help='''Flag to enable plotting
This requires extra packages to be pre-installed:
- Python: pandas, matplotlib, rpy2
- R: ggplot2
''')
parser.add_argument('-c', '--config', dest='f_config',
default='config.ini',
help='path to config file; default="config.ini"')
parser.add_argument('-o', '--outdir', dest='outdir',
help='specify output directory')
##get at the arguments
args = parser.parse_args()
## do something..
main(args.f_config, args.infile, args.is_gff, args.outdir, args.make_plots)<|fim▁end|> | for line in f:
line = line.strip()
|
<|file_name|>views_academico.py<|end_file_name|><|fim▁begin|># coding: utf-8
from django.contrib.auth.mixins import LoginRequiredMixin
from django.contrib.auth.mixins import UserPassesTestMixin
from django.views.generic import ListView
from django.views import View
from django.db.models import Q
import posgradmin.models as models
from posgradmin import authorization as auth
from django.conf import settings
from django.shortcuts import render, HttpResponseRedirect
import posgradmin.forms as forms
from dal import autocomplete
from django.urls import reverse
from django.forms.models import model_to_dict
from pdfrw import PdfReader, PdfWriter, PageMerge
from django.template.loader import render_to_string
from sh import pandoc, mkdir
from tempfile import NamedTemporaryFile
import datetime
from django.utils.text import slugify
from .settings import BASE_DIR, MEDIA_ROOT, MEDIA_URL
class AcademicoAutocomplete(LoginRequiredMixin, UserPassesTestMixin, autocomplete.Select2QuerySetView):
login_url = settings.APP_PREFIX + 'accounts/login/'
def test_func(self):
if auth.is_academico(self.request.user):
if self.request.user.academico.acreditacion in ['D', 'M', 'P', 'E',
'candidato profesor']:
return True
return False
def get_queryset(self):
qs = models.Academico.objects.filter(Q(acreditacion='candidato profesor')
| Q(acreditacion='P')
| Q(acreditacion='M')
| Q(acreditacion='D')
| Q(acreditacion='E'))
if self.q:
qs = qs.filter(Q(user__first_name__istartswith=self.q)
| Q(user__last_name__icontains=self.q))
return qs
class ProponerAsignatura(LoginRequiredMixin, UserPassesTestMixin, View):
login_url = settings.APP_PREFIX + 'accounts/login/'
template = 'posgradmin/proponer_asignatura.html'
form_class = forms.AsignaturaModelForm
def test_func(self):
if auth.is_academico(self.request.user):
if self.request.user.academico.acreditacion in ['D', 'M', 'P',
'candidato profesor']:
return True
return False
def get(self, request, *args, **kwargs):
form = self.form_class(initial={'academicos': [request.user.academico, ]})
breadcrumbs = ((settings.APP_PREFIX + 'inicio/', 'Inicio'),
('', 'Proponer Asignatura')
)
return render(request,
self.template,
{
'title': 'Proponer Asignatura',
'breadcrumbs': breadcrumbs,
'form': form
})
def post(self, request, *args, **kwargs):
form = self.form_class(request.POST, request.FILES)
if form.is_valid():
a = models.Asignatura(
asignatura=request.POST['asignatura'],
tipo='Optativa',
estado='propuesta',
programa=request.FILES['programa'])
a.save()
return HttpResponseRedirect(reverse('inicio'))
else:
print(form.errors)
class SolicitaCurso(LoginRequiredMixin, UserPassesTestMixin, View):
login_url = settings.APP_PREFIX + 'accounts/login/'
template = 'posgradmin/solicita_curso.html'
form_class = forms.CursoModelForm
def test_func(self):
if auth.is_academico(self.request.user):
if self.request.user.academico.acreditacion in ['D', 'M', 'P', 'E',
'candidato profesor']:
return True
return False
def get(self, request, *args, **kwargs):
convocatoria = models.ConvocatoriaCurso.objects.get(pk=int(kwargs['pk']))
if convocatoria.status == 'cerrada':
return HttpResponseRedirect(reverse('mis_cursos'))
asignatura = models.Asignatura.objects.get(pk=int(kwargs['as_id']))
form = self.form_class(initial={'academicos': [request.user.academico, ]})
breadcrumbs = ((settings.APP_PREFIX + 'inicio/', 'Inicio'),
(reverse('elige_asignatura', args=[convocatoria.id,]),
"Convocatoria para cursos %s-%s" % (convocatoria.year, convocatoria.semestre))
)
return render(request,
self.template,
{
'title': 'Solicitar curso',
'breadcrumbs': breadcrumbs,
'convocatoria': convocatoria,
'asignatura': asignatura,
'form': form
})<|fim▁hole|>
def post(self, request, *args, **kwargs):
convocatoria = models.ConvocatoriaCurso.objects.get(pk=int(kwargs['pk']))
if convocatoria.status == 'cerrada':
return HttpResponseRedirect(reverse('mis_cursos'))
asignatura = models.Asignatura.objects.get(pk=int(kwargs['as_id']))
form = self.form_class(request.POST)
if form.is_valid():
curso = models.Curso(
convocatoria=convocatoria,
asignatura=asignatura,
year=convocatoria.year,
semestre=convocatoria.semestre,
sede=request.POST['sede'],
aula=request.POST['aula'],
horario=request.POST['horario'])
curso.save()
for ac_id in request.POST.getlist('academicos'):
ac = models.Academico.objects.get(pk=int(ac_id))
curso.academicos.add(ac)
curso.academicos.add(request.user.academico)
curso.save()
return HttpResponseRedirect(reverse('mis_cursos'))
class CursoView(LoginRequiredMixin, UserPassesTestMixin, View):
login_url = settings.APP_PREFIX + 'accounts/login/'
template = 'posgradmin/solicita_curso.html'
form_class = forms.CursoModelForm
def test_func(self):
curso = models.Curso.objects.get(pk=int(self.kwargs['pk']))
if auth.is_academico(self.request.user):
if self.request.user.academico.acreditacion in ['D', 'M', 'P', 'E',
'candidato profesor']:
if self.request.user.academico in curso.academicos.all():
return True
return False
def get(self, request, *args, **kwargs):
curso = models.Curso.objects.get(pk=int(kwargs['pk']))
form = self.form_class(initial=model_to_dict(curso))
breadcrumbs = ((reverse('inicio'), 'Inicio'),
(reverse('mis_cursos'), "Mis cursos"))
return render(request,
self.template,
{
'title': 'Editar curso',
'breadcrumbs': breadcrumbs,
'convocatoria': curso.convocatoria,
'asignatura': curso.asignatura,
'form': form
})
def post(self, request, *args, **kwargs):
curso = models.Curso.objects.get(pk=int(kwargs['pk']))
convocatoria = curso.convocatoria
if convocatoria.status == 'cerrada':
return HttpResponseRedirect(reverse('mis_cursos'))
asignatura = curso.asignatura
form = self.form_class(request.POST)
if form.is_valid():
curso.sede = request.POST['sede']
curso.aula = request.POST['aula']
curso.horario = request.POST['horario']
curso.save()
curso.academicos.clear()
for ac_id in request.POST.getlist('academicos'):
ac = models.Academico.objects.get(pk=int(ac_id))
curso.academicos.add(ac)
curso.save()
return HttpResponseRedirect(reverse('mis_cursos'))
class CursoConstancia(LoginRequiredMixin, UserPassesTestMixin, View):
login_url = settings.APP_PREFIX + 'accounts/login/'
template = 'posgradmin/curso_constancia.html'
form_class = forms.CursoConstancia
def test_func(self):
curso = models.Curso.objects.get(pk=int(self.kwargs['pk']))
if auth.is_academico(self.request.user):
if self.request.user.academico.acreditacion in ['D', 'M', 'P', 'E',
'candidato profesor']:
if self.request.user.academico in curso.academicos.all():
return True
return False
def get(self, request, *args, **kwargs):
curso = models.Curso.objects.get(pk=int(kwargs['pk']))
form = self.form_class(initial=model_to_dict(curso))
breadcrumbs = ((reverse('inicio'), 'Inicio'),
(reverse('mis_cursos'), "Mis cursos"))
return render(request,
self.template,
{
'title': 'Emitir constancia de participación',
'breadcrumbs': breadcrumbs,
'convocatoria': curso.convocatoria,
'asignatura': curso.asignatura,
'form': form
})
def post(self, request, *args, **kwargs):
curso = models.Curso.objects.get(pk=int(kwargs['pk']))
profesor_invitado = request.POST['profesor_invitado']
fecha_participacion = datetime.date(int(request.POST['fecha_de_participación_year']),
int(request.POST['fecha_de_participación_month']),
int(request.POST['fecha_de_participación_day']))
with NamedTemporaryFile(mode='r+', encoding='utf-8') as carta_md:
carta_md.write(
render_to_string('posgradmin/constancia_curso.md',
{'fecha': datetime.date.today(),
'profesor_invitado': profesor_invitado,
'tema': request.POST['tema'],
'curso': curso,
'fecha_participacion': fecha_participacion,
'profesor': request.user.get_full_name() }))
carta_md.seek(0)
outdir = '%s/perfil-academico/%s/' % (MEDIA_ROOT,
request.user.academico.id)
tmpname = 'cursoplain_%s_%s.pdf' % (curso.id,
slugify(profesor_invitado)
)
final_name = tmpname.replace('cursoplain', 'constancia_curso')
mkdir("-p", outdir)
pandoc(carta_md.name, output=outdir + tmpname)
C = PdfReader(outdir + tmpname)
M = PdfReader(BASE_DIR + '/docs/membrete_pcs.pdf')
w = PdfWriter()
merger = PageMerge(M.pages[0])
merger.add(C.pages[0]).render()
w.write(outdir + final_name, M)
return HttpResponseRedirect(MEDIA_URL+"perfil-academico/%s/%s" % (request.user.academico.id, final_name))
class CursoConstanciaEstudiante(LoginRequiredMixin, UserPassesTestMixin, View):
login_url = settings.APP_PREFIX + 'accounts/login/'
template = 'posgradmin/curso_constancia.html'
form_class = forms.CursoConstanciaEstudiante
def test_func(self):
curso = models.Curso.objects.get(pk=int(self.kwargs['pk']))
if auth.is_academico(self.request.user):
if self.request.user.academico.acreditacion in ['D', 'M', 'P', 'E',
'candidato profesor']:
if self.request.user.academico in curso.academicos.all():
return True
return False
def get(self, request, *args, **kwargs):
curso = models.Curso.objects.get(pk=int(kwargs['pk']))
form = self.form_class(initial=model_to_dict(curso))
breadcrumbs = ((reverse('inicio'), 'Inicio'),
(reverse('mis_cursos'), "Mis cursos"))
return render(request,
self.template,
{
'title': 'Emitir constancia para estudiante',
'breadcrumbs': breadcrumbs,
'convocatoria': curso.convocatoria,
'asignatura': curso.asignatura,
'form': form
})
def post(self, request, *args, **kwargs):
curso = models.Curso.objects.get(pk=int(kwargs['pk']))
form = self.form_class(request.POST, request.FILES)
if form.is_valid():
estudiante_invitado = request.POST['estudiante_invitado']
calificacion = request.POST['calificacion']
with NamedTemporaryFile(mode='r+', encoding='utf-8') as carta_md:
carta_md.write(
render_to_string('posgradmin/constancia_curso_estudiante.md',
{'fecha': datetime.date.today(),
'estudiante_invitado': estudiante_invitado,
'calificacion': calificacion,
'curso': curso,
'profesor': request.user.get_full_name() }))
carta_md.seek(0)
outdir = '%s/perfil-academico/%s/' % (MEDIA_ROOT,
request.user.academico.id)
tmpname = 'cursoplain_%s_%s.pdf' % (curso.id,
slugify(estudiante_invitado)
)
final_name = tmpname.replace('cursoplain', 'constancia_curso')
mkdir("-p", outdir)
pandoc(carta_md.name, output=outdir + tmpname)
C = PdfReader(outdir + tmpname)
M = PdfReader(BASE_DIR + '/docs/membrete_pcs.pdf')
w = PdfWriter()
merger = PageMerge(M.pages[0])
merger.add(C.pages[0]).render()
w.write(outdir + final_name, M)
return HttpResponseRedirect(
MEDIA_URL + "perfil-academico/%s/%s" % (request.user.academico.id,
final_name))
else:
return render(request,
self.template,
{
'title': 'Emitir constancia para estudiante',
'breadcrumbs': breadcrumbs,
'convocatoria': curso.convocatoria,
'asignatura': curso.asignatura,
'form': form
})
class EligeAsignatura(LoginRequiredMixin, UserPassesTestMixin, View):
login_url = settings.APP_PREFIX + 'accounts/login/'
template = 'posgradmin/elige_asignatura.html'
def test_func(self):
return auth.is_academico(self.request.user)
def get(self, request, *args, **kwargs):
pk = int(kwargs['pk'])
convocatoria = models.ConvocatoriaCurso.objects.get(pk=pk)
asignaturas = models.Asignatura.objects.filter(
Q(tipo='Optativa') &
(Q(estado='aceptada') | Q(estado='propuesta')))
breadcrumbs = ((settings.APP_PREFIX + 'inicio/', 'Inicio'),
('', "Convocatoria para cursos %s-%s" % (convocatoria.year, convocatoria.semestre))
)
return render(request,
self.template,
{
'title': 'Asignaturas',
'breadcrumbs': breadcrumbs,
'asignaturas': asignaturas,
'convocatoria': convocatoria,
})
class MisEstudiantesView(LoginRequiredMixin, UserPassesTestMixin, ListView):
login_url = settings.APP_PREFIX + 'accounts/login/'
def test_func(self):
return auth.is_academico(self.request.user)
model = models.Estudiante
template_name = 'posgradmin/mis_estudiantes_list.html'
def get_queryset(self):
new_context = self.request.user.academico.estudiantes()
return new_context
class MisCursos(LoginRequiredMixin, UserPassesTestMixin, ListView):
login_url = settings.APP_PREFIX + 'accounts/login/'
def test_func(self):
return auth.is_academico(self.request.user)
model = models.Curso
template_name = 'posgradmin/mis_cursos_list.html'
def get_queryset(self):
return self.request.user.academico.curso_set.all()
def get_context_data(self, **kwargs):
ctxt = super(MisCursos, self).get_context_data(**kwargs)
ctxt['MEDIA_URL'] = MEDIA_URL
return ctxt<|fim▁end|> | |
<|file_name|>index.ts<|end_file_name|><|fim▁begin|>import type { FormatRelativeFn } from '../../../types'
const formatRelativeLocale = {
lastWeek: (date: Date): string => {
const day = date.getUTCDay()
switch (day) {<|fim▁hole|> return "'prejšnjo nedeljo ob' p"
case 3:
return "'prejšnjo sredo ob' p"
case 6:
return "'prejšnjo soboto ob' p"
default:
return "'prejšnji' EEEE 'ob' p"
}
},
yesterday: "'včeraj ob' p",
today: "'danes ob' p",
tomorrow: "'jutri ob' p",
nextWeek: (date: Date): string => {
const day = date.getUTCDay()
switch (day) {
case 0:
return "'naslednjo nedeljo ob' p"
case 3:
return "'naslednjo sredo ob' p"
case 6:
return "'naslednjo soboto ob' p"
default:
return "'naslednji' EEEE 'ob' p"
}
},
other: 'P',
}
const formatRelative: FormatRelativeFn = (token, date, _baseDate, _options) => {
const format = formatRelativeLocale[token]
if (typeof format === 'function') {
return format(date)
}
return format
}
export default formatRelative<|fim▁end|> | case 0: |
<|file_name|>GenerateUpdateLines.py<|end_file_name|><|fim▁begin|>import datetime
def suffix(d):
return 'th' if 11<=d<=13 else {1:'st',2:'nd',3:'rd'}.get(d%10, 'th')
def custom_strftime(format, t):
return t.strftime(format).replace('{S}', str(t.day) + suffix(t.day))
print "Welcome to GenerateUpdateLines, the nation's favourite automatic update line generator."<|fim▁hole|>stop = int(raw_input("Enter final day number: "))
t0 = datetime.date(2018, 3, 24)
for d in range(start, stop+1):
date = t0 + datetime.timedelta(d-1)
print "| "+str(d)+" | "+custom_strftime("%a {S} %B", date)+" | | |"
# from datetime import datetime as dt
#
# def suffix(d):
# return 'th' if 11<=d<=13 else {1:'st',2:'nd',3:'rd'}.get(d%10, 'th')
#
# def custom_strftime(format, t):
# return t.strftime(format).replace('{S}', str(t.day) + suffix(t.day))
#
# print custom_strftime('%B {S}, %Y', dt.now())<|fim▁end|> |
start = int(raw_input("Enter initial day number: ")) |
<|file_name|>attr.rs<|end_file_name|><|fim▁begin|>use std::rc::Rc;
use syntax::ast::{self, TokenTree};
use syntax::attr;
use syntax::codemap::Span;
use syntax::ext::base::ExtCtxt;
use syntax::fold::Folder;
use syntax::parse::parser::PathParsingMode;
use syntax::parse::token::{self, InternedString};
use syntax::parse;
use syntax::print::pprust::{lit_to_string, meta_item_to_string};
use syntax::ptr::P;
use aster::AstBuilder;
use error::Error;
#[derive(Debug)]
pub struct Name {
ident: ast::Ident,
serialize_name: Option<InternedString>,
deserialize_name: Option<InternedString>,
}
impl Name {
fn new(ident: ast::Ident) -> Self {
Name {
ident: ident,
serialize_name: None,
deserialize_name: None,
}
}
/// Return the string expression of the field ident.
pub fn ident_expr(&self) -> P<ast::Expr> {
AstBuilder::new().expr().str(self.ident)
}
/// Return the container name for the container when serializing.
pub fn serialize_name(&self) -> InternedString {
match self.serialize_name {
Some(ref name) => name.clone(),
None => self.ident.name.as_str(),
}
}
/// Return the container name expression for the container when deserializing.
pub fn serialize_name_expr(&self) -> P<ast::Expr> {
AstBuilder::new().expr().str(self.serialize_name())
}
/// Return the container name for the container when deserializing.
pub fn deserialize_name(&self) -> InternedString {
match self.deserialize_name {
Some(ref name) => name.clone(),
None => self.ident.name.as_str(),
}
}
/// Return the container name expression for the container when deserializing.
pub fn deserialize_name_expr(&self) -> P<ast::Expr> {
AstBuilder::new().expr().str(self.deserialize_name())
}
}
/// Represents container (e.g. struct) attribute information
#[derive(Debug)]
pub struct ContainerAttrs {
name: Name,
deny_unknown_fields: bool,
}
impl ContainerAttrs {
/// Extract out the `#[serde(...)]` attributes from an item.
pub fn from_item(cx: &ExtCtxt, item: &ast::Item) -> Result<Self, Error> {
let mut container_attrs = ContainerAttrs {
name: Name::new(item.ident),
deny_unknown_fields: false,
};
for meta_items in item.attrs().iter().filter_map(get_serde_meta_items) {
for meta_item in meta_items {
match meta_item.node {
// Parse `#[serde(rename="foo")]`
ast::MetaItemKind::NameValue(ref name, ref lit) if name == &"rename" => {
let s = try!(get_str_from_lit(cx, name, lit));
container_attrs.name.serialize_name = Some(s.clone());
container_attrs.name.deserialize_name = Some(s);
}
// Parse `#[serde(rename(serialize="foo", deserialize="bar"))]`
ast::MetaItemKind::List(ref name, ref meta_items) if name == &"rename" => {
let (ser_name, de_name) = try!(get_renames(cx, meta_items));
container_attrs.name.serialize_name = ser_name;
container_attrs.name.deserialize_name = de_name;
}
// Parse `#[serde(deny_unknown_fields)]`
ast::MetaItemKind::Word(ref name) if name == &"deny_unknown_fields" => {
container_attrs.deny_unknown_fields = true;
}
_ => {
cx.span_err(
meta_item.span,
&format!("unknown serde container attribute `{}`",
meta_item_to_string(meta_item)));
return Err(Error);
}
}
}
}
Ok(container_attrs)
}
pub fn name(&self) -> &Name {
&self.name
}
pub fn deny_unknown_fields(&self) -> bool {
self.deny_unknown_fields
}
}
/// Represents variant attribute information
#[derive(Debug)]
pub struct VariantAttrs {
name: Name,
}
impl VariantAttrs {
pub fn from_variant(cx: &ExtCtxt, variant: &ast::Variant) -> Result<Self, Error> {
let mut variant_attrs = VariantAttrs {
name: Name::new(variant.node.name),
};
for meta_items in variant.node.attrs.iter().filter_map(get_serde_meta_items) {
for meta_item in meta_items {
match meta_item.node {
// Parse `#[serde(rename="foo")]`
ast::MetaItemKind::NameValue(ref name, ref lit) if name == &"rename" => {
let s = try!(get_str_from_lit(cx, name, lit));
variant_attrs.name.serialize_name = Some(s.clone());
variant_attrs.name.deserialize_name = Some(s);
}
// Parse `#[serde(rename(serialize="foo", deserialize="bar"))]`
ast::MetaItemKind::List(ref name, ref meta_items) if name == &"rename" => {
let (ser_name, de_name) = try!(get_renames(cx, meta_items));
variant_attrs.name.serialize_name = ser_name;
variant_attrs.name.deserialize_name = de_name;
}
_ => {
cx.span_err(
meta_item.span,
&format!("unknown serde variant attribute `{}`",
meta_item_to_string(meta_item)));
return Err(Error);
}
}
}
}
Ok(variant_attrs)
}
pub fn name(&self) -> &Name {
&self.name
}
}
/// Represents field attribute information
#[derive(Debug)]
pub struct FieldAttrs {
name: Name,
skip_serializing_field: bool,
skip_serializing_field_if: Option<P<ast::Expr>>,
default_expr_if_missing: Option<P<ast::Expr>>,
serialize_with: Option<P<ast::Expr>>,
deserialize_with: Option<P<ast::Expr>>,
}
impl FieldAttrs {
/// Extract out the `#[serde(...)]` attributes from a struct field.
pub fn from_field(cx: &ExtCtxt,
container_ty: &P<ast::Ty>,
generics: &ast::Generics,
field: &ast::StructField,
is_enum: bool) -> Result<Self, Error> {
let builder = AstBuilder::new();
let field_ident = match field.node.ident() {
Some(ident) => ident,
None => { cx.span_bug(field.span, "struct field has no name?") }
};
let mut field_attrs = FieldAttrs {
name: Name::new(field_ident),
skip_serializing_field: false,
skip_serializing_field_if: None,
default_expr_if_missing: None,
serialize_with: None,
deserialize_with: None,
};
for meta_items in field.node.attrs.iter().filter_map(get_serde_meta_items) {
for meta_item in meta_items {
match meta_item.node {
// Parse `#[serde(rename="foo")]`
ast::MetaItemKind::NameValue(ref name, ref lit) if name == &"rename" => {
let s = try!(get_str_from_lit(cx, name, lit));
field_attrs.name.serialize_name = Some(s.clone());
field_attrs.name.deserialize_name = Some(s);
}
// Parse `#[serde(rename(serialize="foo", deserialize="bar"))]`
ast::MetaItemKind::List(ref name, ref meta_items) if name == &"rename" => {
let (ser_name, de_name) = try!(get_renames(cx, meta_items));
field_attrs.name.serialize_name = ser_name;
field_attrs.name.deserialize_name = de_name;
}
// Parse `#[serde(default)]`
ast::MetaItemKind::Word(ref name) if name == &"default" => {
let default_expr = builder.expr().default();
field_attrs.default_expr_if_missing = Some(default_expr);
}
// Parse `#[serde(default="...")]`
ast::MetaItemKind::NameValue(ref name, ref lit) if name == &"default" => {
let wrapped_expr = wrap_default(
try!(parse_lit_into_path(cx, name, lit)),
);
field_attrs.default_expr_if_missing = Some(wrapped_expr);
}
// Parse `#[serde(skip_serializing)]`
ast::MetaItemKind::Word(ref name) if name == &"skip_serializing" => {
field_attrs.skip_serializing_field = true;
}
// Parse `#[serde(skip_serializing_if="...")]`
ast::MetaItemKind::NameValue(ref name, ref lit) if name == &"skip_serializing_if" => {
let expr = wrap_skip_serializing(
field_ident,
try!(parse_lit_into_path(cx, name, lit)),
is_enum,
);
field_attrs.skip_serializing_field_if = Some(expr);
}
// Parse `#[serde(serialize_with="...")]`
ast::MetaItemKind::NameValue(ref name, ref lit) if name == &"serialize_with" => {
let expr = wrap_serialize_with(
cx,
container_ty,
generics,
field_ident,
try!(parse_lit_into_path(cx, name, lit)),
is_enum,
);
field_attrs.serialize_with = Some(expr);
}
// Parse `#[serde(deserialize_with="...")]`
ast::MetaItemKind::NameValue(ref name, ref lit) if name == &"deserialize_with" => {
let expr = wrap_deserialize_with(
cx,
&field.node.ty,
generics,
try!(parse_lit_into_path(cx, name, lit)),
);
field_attrs.deserialize_with = Some(expr);
}
_ => {
cx.span_err(
meta_item.span,
&format!("unknown serde field attribute `{}`",
meta_item_to_string(meta_item)));
return Err(Error);
}
}
}
}
Ok(field_attrs)
}
pub fn name(&self) -> &Name {
&self.name
}
/// Predicate for using a field's default value
pub fn expr_is_missing(&self) -> P<ast::Expr> {
match self.default_expr_if_missing {
Some(ref expr) => expr.clone(),
None => {
let name = self.name.ident_expr();
AstBuilder::new().expr()
.try()
.method_call("missing_field").id("visitor")
.with_arg(name)
.build()
}
}
}
/// Predicate for ignoring a field when serializing a value
pub fn skip_serializing_field(&self) -> bool {
self.skip_serializing_field
}
pub fn skip_serializing_field_if(&self) -> Option<&P<ast::Expr>> {
self.skip_serializing_field_if.as_ref()
}
pub fn serialize_with(&self) -> Option<&P<ast::Expr>> {
self.serialize_with.as_ref()
}
pub fn deserialize_with(&self) -> Option<&P<ast::Expr>> {<|fim▁hole|>}
/// Extract out the `#[serde(...)]` attributes from a struct field.
pub fn get_struct_field_attrs(cx: &ExtCtxt,
container_ty: &P<ast::Ty>,
generics: &ast::Generics,
fields: &[ast::StructField],
is_enum: bool) -> Result<Vec<FieldAttrs>, Error> {
fields.iter()
.map(|field| FieldAttrs::from_field(cx, container_ty, generics, field, is_enum))
.collect()
}
fn get_renames(cx: &ExtCtxt,
items: &[P<ast::MetaItem>],
)-> Result<(Option<InternedString>, Option<InternedString>), Error> {
let mut ser_name = None;
let mut de_name = None;
for item in items {
match item.node {
ast::MetaItemKind::NameValue(ref name, ref lit) if name == &"serialize" => {
let s = try!(get_str_from_lit(cx, name, lit));
ser_name = Some(s);
}
ast::MetaItemKind::NameValue(ref name, ref lit) if name == &"deserialize" => {
let s = try!(get_str_from_lit(cx, name, lit));
de_name = Some(s);
}
_ => {
cx.span_err(
item.span,
&format!("unknown rename attribute `{}`",
meta_item_to_string(item)));
return Err(Error);
}
}
}
Ok((ser_name, de_name))
}
fn get_serde_meta_items(attr: &ast::Attribute) -> Option<&[P<ast::MetaItem>]> {
match attr.node.value.node {
ast::MetaItemKind::List(ref name, ref items) if name == &"serde" => {
attr::mark_used(&attr);
Some(items)
}
_ => None
}
}
/// This syntax folder rewrites tokens to say their spans are coming from a macro context.
struct Respanner<'a, 'b: 'a> {
cx: &'a ExtCtxt<'b>,
}
impl<'a, 'b> Folder for Respanner<'a, 'b> {
fn fold_tt(&mut self, tt: &TokenTree) -> TokenTree {
match *tt {
TokenTree::Token(span, ref tok) => {
TokenTree::Token(
self.new_span(span),
self.fold_token(tok.clone())
)
}
TokenTree::Delimited(span, ref delimed) => {
TokenTree::Delimited(
self.new_span(span),
Rc::new(ast::Delimited {
delim: delimed.delim,
open_span: delimed.open_span,
tts: self.fold_tts(&delimed.tts),
close_span: delimed.close_span,
})
)
}
TokenTree::Sequence(span, ref seq) => {
TokenTree::Sequence(
self.new_span(span),
Rc::new(ast::SequenceRepetition {
tts: self.fold_tts(&seq.tts),
separator: seq.separator.clone().map(|tok| self.fold_token(tok)),
..**seq
})
)
}
}
}
fn new_span(&mut self, span: Span) -> Span {
Span {
lo: span.lo,
hi: span.hi,
expn_id: self.cx.backtrace(),
}
}
}
fn get_str_from_lit(cx: &ExtCtxt, name: &str, lit: &ast::Lit) -> Result<InternedString, Error> {
match lit.node {
ast::LitKind::Str(ref s, _) => Ok(s.clone()),
_ => {
cx.span_err(
lit.span,
&format!("serde annotation `{}` must be a string, not `{}`",
name,
lit_to_string(lit)));
return Err(Error);
}
}
}
fn parse_lit_into_path(cx: &ExtCtxt, name: &str, lit: &ast::Lit) -> Result<ast::Path, Error> {
let source = try!(get_str_from_lit(cx, name, lit));
// If we just parse the string into an expression, any syntax errors in the source will only
// have spans that point inside the string, and not back to the attribute. So to have better
// error reporting, we'll first parse the string into a token tree. Then we'll update those
// spans to say they're coming from a macro context that originally came from the attribute,
// and then finally parse them into an expression.
let tts = panictry!(parse::parse_tts_from_source_str(
format!("<serde {} expansion>", name),
(*source).to_owned(),
cx.cfg(),
cx.parse_sess()));
// Respan the spans to say they are all coming from this macro.
let tts = Respanner { cx: cx }.fold_tts(&tts);
let mut parser = parse::new_parser_from_tts(cx.parse_sess(), cx.cfg(), tts);
let path = match parser.parse_path(PathParsingMode::LifetimeAndTypesWithoutColons) {
Ok(path) => path,
Err(mut e) => {
e.emit();
return Err(Error);
}
};
// Make sure to error out if there are trailing characters in the stream.
match parser.expect(&token::Eof) {
Ok(()) => { }
Err(mut e) => {
e.emit();
return Err(Error);
}
}
Ok(path)
}
/// This function wraps the expression in `#[serde(default="...")]` in a function to prevent it
/// from accessing the internal `Deserialize` state.
fn wrap_default(path: ast::Path) -> P<ast::Expr> {
AstBuilder::new().expr().call()
.build_path(path)
.build()
}
/// This function wraps the expression in `#[serde(skip_serializing_if="...")]` in a trait to
/// prevent it from accessing the internal `Serialize` state.
fn wrap_skip_serializing(field_ident: ast::Ident,
path: ast::Path,
is_enum: bool) -> P<ast::Expr> {
let builder = AstBuilder::new();
let expr = builder.expr()
.field(field_ident)
.field("value")
.self_();
let expr = if is_enum {
expr
} else {
builder.expr().ref_().build(expr)
};
builder.expr().call()
.build_path(path)
.arg().build(expr)
.build()
}
/// This function wraps the expression in `#[serde(serialize_with="...")]` in a trait to
/// prevent it from accessing the internal `Serialize` state.
fn wrap_serialize_with(cx: &ExtCtxt,
container_ty: &P<ast::Ty>,
generics: &ast::Generics,
field_ident: ast::Ident,
path: ast::Path,
is_enum: bool) -> P<ast::Expr> {
let builder = AstBuilder::new();
let expr = builder.expr()
.field(field_ident)
.self_();
let expr = if is_enum {
expr
} else {
builder.expr().ref_().build(expr)
};
let expr = builder.expr().call()
.build_path(path)
.arg().build(expr)
.arg()
.id("serializer")
.build();
let where_clause = &generics.where_clause;
quote_expr!(cx, {
trait __SerdeSerializeWith {
fn __serde_serialize_with<S>(&self, serializer: &mut S) -> Result<(), S::Error>
where S: ::serde::ser::Serializer;
}
impl<'a, T> __SerdeSerializeWith for &'a T
where T: 'a + __SerdeSerializeWith,
{
fn __serde_serialize_with<S>(&self, serializer: &mut S) -> Result<(), S::Error>
where S: ::serde::ser::Serializer
{
(**self).__serde_serialize_with(serializer)
}
}
impl $generics __SerdeSerializeWith for $container_ty $where_clause {
fn __serde_serialize_with<S>(&self, serializer: &mut S) -> Result<(), S::Error>
where S: ::serde::ser::Serializer
{
$expr
}
}
struct __SerdeSerializeWithStruct<'a, T: 'a> {
value: &'a T,
}
impl<'a, T> ::serde::ser::Serialize for __SerdeSerializeWithStruct<'a, T>
where T: 'a + __SerdeSerializeWith
{
fn serialize<S>(&self, serializer: &mut S) -> Result<(), S::Error>
where S: ::serde::ser::Serializer
{
self.value.__serde_serialize_with(serializer)
}
}
__SerdeSerializeWithStruct {
value: &self.value,
}
})
}
/// This function wraps the expression in `#[serde(deserialize_with="...")]` in a trait to prevent
/// it from accessing the internal `Deserialize` state.
fn wrap_deserialize_with(cx: &ExtCtxt,
field_ty: &P<ast::Ty>,
generics: &ast::Generics,
path: ast::Path) -> P<ast::Expr> {
// Quasi-quoting doesn't do a great job of expanding generics into paths, so manually build it.
let ty_path = AstBuilder::new().path()
.segment("__SerdeDeserializeWithStruct")
.with_generics(generics.clone())
.build()
.build();
let where_clause = &generics.where_clause;
quote_expr!(cx, {
struct __SerdeDeserializeWithStruct $generics $where_clause {
value: $field_ty,
}
impl $generics ::serde::de::Deserialize for $ty_path $where_clause {
fn deserialize<D>(deserializer: &mut D) -> Result<Self, D::Error>
where D: ::serde::de::Deserializer
{
let value = try!($path(deserializer));
Ok(__SerdeDeserializeWithStruct { value: value })
}
}
let value: $ty_path = try!(visitor.visit_value());
Ok(value.value)
})
}<|fim▁end|> | self.deserialize_with.as_ref()
} |
<|file_name|>unique_items.rs<|end_file_name|><|fim▁begin|>use serde_json::Value;
use super::super::schema;
use super::super::validators;<|fim▁hole|> fn compile(&self, def: &Value, ctx: &schema::WalkContext<'_>) -> super::KeywordResult {
let uniq = keyword_key_exists!(def, "uniqueItems");
if uniq.is_boolean() {
if uniq.as_bool().unwrap() {
Ok(Some(Box::new(validators::UniqueItems)))
} else {
Ok(None)
}
} else {
Err(schema::SchemaError::Malformed {
path: ctx.fragment.join("/"),
detail: "The value of pattern MUST be boolean".to_string(),
})
}
}
}
#[cfg(test)]
use super::super::builder;
#[cfg(test)]
use super::super::scope;
#[cfg(test)]
use serde_json::to_value;
#[test]
fn validate_unique_items() {
let mut scope = scope::Scope::new();
let schema = scope
.compile_and_return(builder::schema(|s| s.unique_items(true)).into_json(), true)
.ok()
.unwrap();
assert_eq!(
schema
.validate(&to_value(&[1, 2, 3, 4]).unwrap())
.is_valid(),
true
);
assert_eq!(
schema
.validate(&to_value(&[1, 1, 3, 4]).unwrap())
.is_valid(),
false
);
}<|fim▁end|> |
#[allow(missing_copy_implementations)]
pub struct UniqueItems;
impl super::Keyword for UniqueItems { |
<|file_name|>LeftJoin.java<|end_file_name|><|fim▁begin|>/*
* $Id: LeftJoin.java,v 1.2 2006/04/09 12:13:12 laddi Exp $
* Created on 5.10.2004
*
* Copyright (C) 2004 Idega Software hf. All Rights Reserved.
*
* This software is the proprietary information of Idega hf.
* Use is subject to license terms.
*/
package com.idega.data.query;
import java.util.HashSet;
import java.util.Set;
import com.idega.data.query.output.Output;
import com.idega.data.query.output.Outputable;
import com.idega.data.query.output.ToStringer;
<|fim▁hole|>
/**
*
* Last modified: $Date: 2006/04/09 12:13:12 $ by $Author: laddi $
*
* @author <a href="mailto:[email protected]">Gudmundur Agust Saemundsson</a>
* @version $Revision: 1.2 $
*/
public class LeftJoin implements Outputable {
private Column left, right;
public LeftJoin(Column left, Column right) {
this.left = left;
this.right = right;
}
public Column getLeftColumn() {
return this.left;
}
public Column getRightColumn() {
return this.right;
}
@Override
public void write(Output out) {
out.print(this.left.getTable())
.print(" left join ")
.print(this.right.getTable())
.print(" on ")
.print(this.left)
.print(" = ")
.print(this.right);
}
public Set<Table> getTables(){
Set<Table> s = new HashSet<Table>();
s.add(this.left.getTable());
s.add(this.right.getTable());
return s;
}
@Override
public String toString() {
return ToStringer.toString(this);
}
}<|fim▁end|> |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.