prompt
large_stringlengths 70
991k
| completion
large_stringlengths 0
1.02k
|
---|---|
<|file_name|>CalendarUtil.java<|end_file_name|><|fim▁begin|>package com.yoavst.quickapps.calendar;
import android.content.ContentUris;
import android.content.Context;
import android.content.Intent;
import android.database.Cursor;
import android.net.Uri;
import android.provider.CalendarContract;
import android.provider.CalendarContract.Events;
import com.yoavst.quickapps.Preferences_;
import com.yoavst.quickapps.R;
import java.text.SimpleDateFormat;
import java.util.ArrayList;
import java.util.Calendar;
import java.util.Collections;
import java.util.Comparator;
import java.util.Date;
import java.util.TimeZone;
import static android.provider.CalendarContract.Events.ALL_DAY;
import static android.provider.CalendarContract.Events.DISPLAY_COLOR;
import static android.provider.CalendarContract.Events.DTEND;
import static android.provider.CalendarContract.Events.DTSTART;
import static android.provider.CalendarContract.Events.DURATION;
import static android.provider.CalendarContract.Events.EVENT_LOCATION;
import static android.provider.CalendarContract.Events.RRULE;
import static android.provider.CalendarContract.Events.TITLE;
import static android.provider.CalendarContract.Events._ID;
/**
* Created by Yoav.
*/
public class CalendarUtil {
private CalendarUtil() {
}
private static final SimpleDateFormat dayFormatter = new SimpleDateFormat(
"EEE, MMM d, yyyy");
private static final SimpleDateFormat dateFormatter = new SimpleDateFormat(
"EEE, MMM d, HH:mm");
private static final SimpleDateFormat hourFormatter = new SimpleDateFormat("HH:mm");
private static final SimpleDateFormat fullDateFormat = new SimpleDateFormat("EEE, MMM d");
private static final SimpleDateFormat otherDayFormatter = new SimpleDateFormat("MMM d, HH:mm");
private static final TimeZone timezone = Calendar.getInstance().getTimeZone();
public static ArrayList<Event> getCalendarEvents(Context context) {
CalendarResources.init(context);
boolean showRepeating = new Preferences_(context).showRepeatingEvents().get();
ArrayList<Event> events = new ArrayList<>();
String selection = "((" + DTSTART + " >= ?) OR (" + DTEND + " >= ?))";
String milli = String.valueOf(System.currentTimeMillis());
String[] selectionArgs = new String[]{milli, milli};
Cursor cursor = context.getContentResolver()
.query(
Events.CONTENT_URI,
new String[]{_ID, TITLE, DTSTART, DTEND, EVENT_LOCATION, ALL_DAY, DISPLAY_COLOR, RRULE, DURATION}, selection,
selectionArgs, null
);
cursor.moveToFirst();
int count = cursor.getCount();
if (count != 0) {
//<editor-fold desc="Future Events">
for (int i = 0; i < count; i++) {
int id = cursor.getInt(0);
String title = cursor.getString(1);
long startDate = Long.parseLong(cursor.getString(2));
String endDateString = cursor.getString(3);
String location = cursor.getString(4);
boolean isAllDay = cursor.getInt(5) != 0;
int color = cursor.getInt(6);
String rRule = cursor.getString(7);
String duration = cursor.getString(8);
if (!isAllDay) {
// If the event not repeat itself - regular event
if (rRule == null) {
long endDate = endDateString == null || endDateString.equals("null") ? 0 : Long.parseLong(endDateString);
if (endDate == 0)
events.add(new Event(id, title, dayFormatter.format(new Date(startDate - timezone.getOffset(startDate))), location).setColor(color));
else
events.add(new Event(id, title, startDate, endDate, location).setColor(color));
} else if (showRepeating) {
// Event that repeat itself
events = addEvents(events, getEventFromRepeating(context, rRule, startDate, duration, location, color, title, id, false));
}
} else {
if (rRule == null) {
// One day event probably
if (endDateString == null || Long.parseLong(endDateString) == 0)
events.add(new Event(id, title, dayFormatter.format(new Date(startDate - timezone.getOffset(startDate))), location).setColor(color));
else if (showRepeating) {
int offset = timezone.getOffset(startDate);
long newTime = startDate - offset;
long endTime = Long.parseLong(endDateString) - offset;
events.add(new Event(id, title, newTime, endTime, location, true).setColor(color));
}
} else if (showRepeating) {
// Repeat all day event, god why?!?
events = addEvents(events, getEventFromRepeating(context, rRule, startDate - timezone.getOffset(startDate), duration, location, color, title, id, true));
}
}
cursor.moveToNext();
}
//</editor-fold>
}
cursor.close();
if (showRepeating) {
String repeatingSections = "((" + DURATION + " IS NOT NULL) AND (" + RRULE + " IS NOT NULL) AND ((" + DTSTART + " < ?) OR (" + DTEND + " < ?)))";
Cursor repeatingCursor = context.getContentResolver()
.query(
Events.CONTENT_URI,
new String[]{_ID, TITLE, DTSTART, EVENT_LOCATION, ALL_DAY, DISPLAY_COLOR, RRULE, DURATION}, repeatingSections,
selectionArgs, null
);
repeatingCursor.moveToFirst();
int repeatingCount = repeatingCursor.getCount();
if (repeatingCount != 0) {
//<editor-fold desc="repeating past Events">
for (int i = 0; i < repeatingCount; i++) {
int id = repeatingCursor.getInt(0);
String title = repeatingCursor.getString(1);
long startDate = Long.parseLong(repeatingCursor.getString(2));
String location = repeatingCursor.getString(3);
boolean isAllDay = repeatingCursor.getInt(4) != 0;
int color = repeatingCursor.getInt(5);
String rRule = repeatingCursor.getString(6);
String duration = repeatingCursor.getString(7);
if (!isAllDay) {
ArrayList<Event> repeatingEvents = getEventFromRepeating(context, rRule, startDate, duration, location, color, title, id, false);
events = addEvents(events, repeatingEvents);
} else {
ArrayList<Event> repeatingEvents = getEventFromRepeating(context, rRule, startDate - timezone.getOffset(startDate), duration, location, color, title, id, true);
events = addEvents(events, repeatingEvents);
}
repeatingCursor.moveToNext();
}
//</editor-fold>
repeatingCursor.close();
}
}
Collections.sort(events, new Comparator<Event>() {
@Override
//an integer < 0 if lhs is less than rhs, 0 if they are equal, and > 0 if lhs is greater than rhs.
public int compare(Event lhs, Event rhs) {
int first = (lhs.getStartDate() - rhs.getStartDate()) < 0 ? -1 : lhs.getStartDate() == rhs.getStartDate() ? 0 : 1;
int second = (lhs.getEndDate() - rhs.getEndDate()) < 0 ? -1 : lhs.getEndDate() == rhs.getEndDate() ? 0 : 1;
return first != 0 ? first : second;
}
});
return events;
}
private static ArrayList<Event> addEvents(ArrayList<Event> list, ArrayList<Event> toAdd) {
Calendar calendar = Calendar.getInstance();
calendar.add(Calendar.MONTH, 6);
long milli = DateUtils.clearTime(calendar).getTimeInMillis();
long now = System.currentTimeMillis();
for (Event event : toAdd) {
if (event.getEndDate() <= milli && event.getEndDate() >= now) list.add(event);
}
return list;
}
private static ArrayList<Event> getEventFromRepeating(Context context, String rRule, long startDate, String duration, String location, int color, String title, int id, boolean isAllDay) {
ArrayList<Event> events = new ArrayList<>();
final String[] INSTANCE_PROJECTION = new String[]{
CalendarContract.Instances.EVENT_ID, // 0
CalendarContract.Instances.BEGIN, // 1
CalendarContract.Instances.END // 2
};
Calendar endTime = Calendar.getInstance();
endTime.add(Calendar.MONTH, 6);
String selection = CalendarContract.Instances.EVENT_ID + " = ?";
Uri.Builder builder = CalendarContract.Instances.CONTENT_URI.buildUpon();
ContentUris.appendId(builder, System.currentTimeMillis());
ContentUris.appendId(builder, endTime.getTimeInMillis());
Cursor cursor = context.getContentResolver().query(builder.build(),
INSTANCE_PROJECTION,
selection,
new String[]{Integer.toString(id)},
null);
if (cursor.moveToFirst()) {
do {
events.add(new Event(id, title, cursor.getLong(1) - (isAllDay ? timezone.getOffset(startDate) : 0),
cursor.getLong(2) - (isAllDay ? timezone.getOffset(startDate) : 0), location, isAllDay).setColor(color));
} while (cursor.moveToNext());
}
return events;
}
public static String getDateFromEvent(Event event) {
if (event.getDate() != null) return event.getDate();
else if (event.isAllDay()) {
Calendar startPlusOneDay = Calendar.getInstance();
startPlusOneDay.setTimeInMillis(event.getStartDate());
startPlusOneDay.add(Calendar.DAY_OF_YEAR, 1);
Calendar endTime = Calendar.getInstance();
endTime.setTimeInMillis(event.getEndDate());
if (DateUtils.isSameDay(startPlusOneDay, endTime)) {
startPlusOneDay.add(Calendar.DAY_OF_YEAR, -1);
if (DateUtils.isToday(startPlusOneDay))
return CalendarResources.today + " " + CalendarResources.allDay;
else if (DateUtils.isTomorrow(startPlusOneDay))
return CalendarResources.tomorrow + " " + CalendarResources.allDay;
return dayFormatter.format(new Date(event.getStartDate()));
} else {
endTime.add(Calendar.DAY_OF_YEAR, -1);
startPlusOneDay.add(Calendar.DAY_OF_YEAR, -1);
if (DateUtils.isToday(startPlusOneDay)) {
if (DateUtils.isTomorrow(endTime))
return CalendarResources.today + " - " + CalendarResources.tomorrow;
else
return CalendarResources.today + " " + CalendarResources.allDay + " - " + fullDateFormat.format(endTime.getTime());
} else if (DateUtils.isTomorrow(startPlusOneDay))
return CalendarResources.tomorrow + " - " + fullDateFormat.format(endTime.getTime());
return fullDateFormat.format(new Date(event.getStartDate())) + " - " + fullDateFormat.format(endTime.getTime());
}
} else {
String text;
Date first = new Date(event.getStartDate());
Date end = new Date(event.getEndDate());
if (DateUtils.isSameDay(first, end)) {
if (DateUtils.isToday(first))
text = CalendarResources.today + " " + hourFormatter.format(first) + " - " + hourFormatter.format(end);
else if (DateUtils.isWithinDaysFuture(first, 1))
text = CalendarResources.tomorrow + " " + hourFormatter.format(first) + " - " + hourFormatter.format(end);
else
text = dateFormatter.format(first) + " - " + hourFormatter.format(end);
} else if (DateUtils.isToday(first)) {
text = CalendarResources.today + hourFormatter.format(first) + " - " + otherDayFormatter.format(end);
} else {
text = otherDayFormatter.format(first) + " - " + otherDayFormatter.format(end);
}
return text;
}
}
public static Intent launchEventById(long id) {
Intent intent = new Intent(Intent.ACTION_VIEW);
Uri.Builder uri = Events.CONTENT_URI.buildUpon();
uri.appendPath(Long.toString(id));
intent.setData(uri.build());
return intent;
}
public static String getTimeToEvent(Event event) {
Calendar calendar = Calendar.getInstance();
calendar.setTimeInMillis(event.getStartDate());
Calendar now = Calendar.getInstance();
now.set(Calendar.SECOND, 0);
now.set(Calendar.MILLISECOND, 0);
if (calendar.getTimeInMillis() <= now.getTimeInMillis()) return CalendarResources.now;
else {
long secondsLeft = (calendar.getTimeInMillis() - now.getTimeInMillis()) / 1000;
if (secondsLeft < 60) return CalendarResources.in + " 1 " + CalendarResources.minute;
long minutesLeft = secondsLeft / 60;
if (minutesLeft < 60)
return CalendarResources.in + " " + minutesLeft + " " + (minutesLeft > 1 ? CalendarResources.minutes : CalendarResources.minute);
long hoursLeft = minutesLeft / 50;
if (hoursLeft < 24)
return CalendarResources.in + " " + hoursLeft + " " + (hoursLeft > 1 ? CalendarResources.hours : CalendarResources.hour);
int days = (int) (hoursLeft / 24);
if (days < 30)
return CalendarResources.in + " " + days + " " + (days > 1 ? CalendarResources.days : CalendarResources.day);
int months = days / 30;
if (months < 12)
return CalendarResources.in + " " + months + " " + (months > 1 ? CalendarResources.months : CalendarResources.month);
else return CalendarResources.moreThenAYearLeft;
}
}
public static class CalendarResources {
public static String today;
public static String tomorrow;
public static String allDay;
public static String now;
public static String in;
public static String minute;
public static String minutes;
public static String hour;
public static String hours;
public static String day;
public static String days;
public static String week;
public static String weeks;
public static String month;
public static String months;
public static String moreThenAYearLeft;
public static void init(Context context) {
if (today == null || moreThenAYearLeft == null) {
today = context.getString(R.string.today);
tomorrow = context.getString(R.string.tomorrow);
allDay = context.getString(R.string.all_day);
now = context.getString(R.string.now);
in = context.getString(R.string.in);
String[] min = context.getString(R.string.minute_s).split("/");
minute = min[0];
minutes = min[1];
String[] hoursArray = context.getString(R.string.hour_s).split("/");<|fim▁hole|> day = dayArray[0];
days = dayArray[1];
String[] weekArray = context.getString(R.string.week_s).split("/");
week = weekArray[0];
weeks = weekArray[1];
String[] monthArray = context.getString(R.string.month_s).split("/");
month = monthArray[0];
months = monthArray[1];
moreThenAYearLeft = context.getString(R.string.more_then_year);
}
}
}
}<|fim▁end|> | hour = hoursArray[0];
hours = hoursArray[1];
String[] dayArray = context.getString(R.string.day_s).split("/"); |
<|file_name|>mod.rs<|end_file_name|><|fim▁begin|>pub const C_IRUSR: ::int_t = 0o000400;
pub const C_IWUSR: ::int_t = 0o000200;
pub const C_IXUSR: ::int_t = 0o000100;
pub const C_IRGRP: ::int_t = 0o000040;
pub const C_IWGRP: ::int_t = 0o000020;<|fim▁hole|>pub const C_IROTH: ::int_t = 0o000004;
pub const C_IWOTH: ::int_t = 0o000002;
pub const C_IXOTH: ::int_t = 0o000001;
pub const C_ISUID: ::int_t = 0o004000;
pub const C_ISGID: ::int_t = 0o002000;
pub const C_ISVTX: ::int_t = 0o001000;
pub const C_ISDIR: ::int_t = 0o040000;
pub const C_ISFIFO: ::int_t = 0o010000;
pub const C_ISREG: ::int_t = 0o100000;
pub const C_ISBLK: ::int_t = 0o060000;
pub const C_ISCHR: ::int_t = 0o020000;
pub const C_ISCTG: ::int_t = 0o110000;
pub const C_ISLNK: ::int_t = 0o120000;
pub const C_ISSOCK: ::int_t = 0o140000;
pub const MAGIC: &'static [u8] = b"070707\x00";<|fim▁end|> | pub const C_IXGRP: ::int_t = 0o000010; |
<|file_name|>economy.py<|end_file_name|><|fim▁begin|>import discord
from discord.ext import commands
from cogs.utils.dataIO import dataIO
from collections import namedtuple, defaultdict
from datetime import datetime
from random import randint
from random import choice as randchoice
from copy import deepcopy
from .utils import checks
from __main__ import send_cmd_help
import os
import time
import logging
default_settings = {"PAYDAY_TIME" : 300, "PAYDAY_CREDITS" : 120, "SLOT_MIN" : 5, "SLOT_MAX" : 100, "SLOT_TIME" : 0, "REGISTER_CREDITS" : 0}
slot_payouts = """Slot machine payouts:
:two: :two: :six: Bet * 5000
:four_leaf_clover: :four_leaf_clover: :four_leaf_clover: +1000
:cherries: :cherries: :cherries: +800
:two: :six: Bet * 4
:cherries: :cherries: Bet * 3
Three symbols: +500
Two symbols: Bet * 2"""
class BankError(Exception):
pass
class AccountAlreadyExists(BankError):
pass
class NoAccount(BankError):
pass
class InsufficientBalance(BankError):
pass
class NegativeValue(BankError):
pass
class SameSenderAndReceiver(BankError):
pass
class Bank:
def __init__(self, bot, file_path):
self.accounts = dataIO.load_json(file_path)
self.bot = bot
def create_account(self, user, *, initial_balance=0):
server = user.server
if not self.account_exists(user):
if server.id not in self.accounts:
self.accounts[server.id] = {}
if user.id in self.accounts: # Legacy account
balance = self.accounts[user.id]["balance"]
else:
balance = initial_balance
timestamp = datetime.now().strftime("%Y-%m-%d %H:%M:%S")
account = {"name" : user.name,
"balance" : balance,
"created_at" : timestamp
}
self.accounts[server.id][user.id] = account
self._save_bank()
return self.get_account(user)
else:
raise AccountAlreadyExists()
def account_exists(self, user):
try:
self._get_account(user)
except NoAccount:
return False
return True
def withdraw_credits(self, user, amount):
server = user.server
if amount < 0:
raise NegativeValue()
account = self._get_account(user)
if account["balance"] >= amount:
account["balance"] -= amount
self.accounts[server.id][user.id] = account
self._save_bank()
else:
raise InsufficientBalance()
def deposit_credits(self, user, amount):
server = user.server
if amount < 0:
raise NegativeValue()
account = self._get_account(user)
account["balance"] += amount
self.accounts[server.id][user.id] = account
self._save_bank()
#def set_credits(self, user, amount):
#server = user.server
#if amount < 0:
#raise NegativeValue()
#account = self._get_account(user)
#account["balance"] = amount
#self.accounts[server.id][user.id] = account
#self._save_bank()
def transfer_credits(self, sender, receiver, amount):
if amount < 0:
raise NegativeValue()
if sender is receiver:
raise SameSenderAndReceiver()
if self.account_exists(sender) and self.account_exists(receiver):
sender_acc = self._get_account(sender)
if sender_acc["balance"] < amount:
raise InsufficientBalance()
self.withdraw_credits(sender, amount)
self.deposit_credits(receiver, amount)
else:
raise NoAccount()
def can_spend(self, user, amount):
account = self._get_account(user)
if account["balance"] >= amount:
return True
else:
return False
def wipe_bank(self, server):
self.accounts[server.id] = {}
self._save_bank()
def get_server_accounts(self, server):
if server.id in self.accounts:
raw_server_accounts = deepcopy(self.accounts[server.id])
accounts = []
for k, v in raw_server_accounts.items():
v["id"] = k
v["server"] = server
acc = self._create_account_obj(v)
accounts.append(acc)
return accounts
else:
return []
def get_all_accounts(self):
accounts = []
for server_id, v in self.accounts.items():
server = self.bot.get_server(server_id)
if server is None:# Servers that have since been left will be ignored
continue # Same for users_id from the old bank format
raw_server_accounts = deepcopy(self.accounts[server.id])
for k, v in raw_server_accounts.items():
v["id"] = k
v["server"] = server
acc = self._create_account_obj(v)
accounts.append(acc)
return accounts
def get_balance(self, user):
account = self._get_account(user)
return account["balance"]
def get_account(self, user):
acc = self._get_account(user)
acc["id"] = user.id
acc["server"] = user.server
return self._create_account_obj(acc)
def _create_account_obj(self, account):
account["member"] = account["server"].get_member(account["id"])
account["created_at"] = datetime.strptime(account["created_at"],
"%Y-%m-%d %H:%M:%S")
Account = namedtuple("Account", "id name balance "
"created_at server member")
return Account(**account)
def _save_bank(self):
dataIO.save_json("data/economy/bank.json", self.accounts)
def _get_account(self, user):
server = user.server
try:
return deepcopy(self.accounts[server.id][user.id])
except KeyError:
raise NoAccount()
class Economy:
"""Economy
Get rich and have fun with imaginary currency!"""
def __init__(self, bot):
global default_settings
self.bot = bot
self.bank = Bank(bot, "data/economy/bank.json")
self.file_path = "data/economy/settings.json"
self.settings = dataIO.load_json(self.file_path)
if "PAYDAY_TIME" in self.settings: #old format
default_settings = self.settings
self.settings = {}
self.settings = defaultdict(lambda: default_settings, self.settings)
self.payday_register = defaultdict(dict)
self.slot_register = defaultdict(dict)
@commands.group(name="bank", pass_context=True)
async def _bank(self, ctx):
"""Bank operations"""
if ctx.invoked_subcommand is None:
await send_cmd_help(ctx)
@_bank.command(pass_context=True, no_pm=True)
async def register(self, ctx):
"""Registers an account at the goodchat bank"""
user = ctx.message.author
credits = 0
if ctx.message.server.id in self.settings:
credits = self.settings[ctx.message.server.id].get("REGISTER_CREDITS", 0)
try:
account = self.bank.create_account(user, initial_balance=credits)
await self.bot.say("{} Account opened. Current balance: {}".format(user.mention,
account.balance))
except AccountAlreadyExists:
await self.bot.say("{} You already have an account at the goodchat bank.".format(user.mention))
@_bank.command(pass_context=True)
async def balance(self, ctx, user : discord.Member=None):
"""Shows balance of user.
Defaults to yours."""
if not user:
user = ctx.message.author
try:
await self.bot.say("{} Your balance is: {}".format(user.mention, self.bank.get_balance(user)))
except NoAccount:
await self.bot.say("{} You don't have an account at the goodchat bank."
" Type `{}bank register` to open one.".format(user.mention, ctx.prefix))
else:
try:
await self.bot.say("{}'s balance is {}".format(user.name, self.bank.get_balance(user)))
except NoAccount:
await self.bot.say("That user has no bank account.")
@_bank.command(pass_context=True)
async def transfer(self, ctx, user : discord.Member, sum : int):
"""Transfer credits to other users"""
author = ctx.message.author
try:
self.bank.transfer_credits(author, user, sum)
logger.info("{}({}) transferred {} credits to {}({})".format(
author.name, author.id, sum, user.name, user.id))
await self.bot.say("{} credits have been transferred to {}'s account.".format(sum, user.name))
except NegativeValue:
await self.bot.say("You need to transfer at least 1 credit.")
except SameSenderAndReceiver:
await self.bot.say("You can't transfer credits to yourself.")
except InsufficientBalance:
await self.bot.say("You don't have that sum in your bank account.")
except NoAccount:
await self.bot.say("That user has no bank account.")
#@_bank.command(name="set", pass_context=True)
#@checks.admin_or_permissions(manage_server=True)
#async def _set(self, ctx, user : discord.Member, sum : int):
#"""Sets credits of user's bank account
#
#Admin/owner restricted."""
#author = ctx.message.author
#try:
#self.bank.set_credits(user, sum)
#logger.info("{}({}) set {} credits to {} ({})".format(author.name, author.id, str(sum), user.name, user.id))
#await self.bot.say("{}'s credits have been set to {}".format(user.name, str(sum)))
#except NoAccount:
#await self.bot.say("User has no bank account.")
@commands.command(pass_context=True, no_pm=True)
async def payday(self, ctx): # TODO
"""Get some free credits"""
author = ctx.message.author
server = author.server
id = author.id
if self.bank.account_exists(author):
if id in self.payday_register[server.id]:
seconds = abs(self.payday_register[server.id][id] - int(time.perf_counter()))
if seconds >= self.settings[server.id]["PAYDAY_TIME"]:
self.bank.deposit_credits(author, self.settings[server.id]["PAYDAY_CREDITS"])
self.payday_register[server.id][id] = int(time.perf_counter())
await self.bot.say("{} Here, take some credits. Enjoy! (+{} credits!)".format(author.mention, str(self.settings[server.id]["PAYDAY_CREDITS"])))
else:
await self.bot.say("{} Too soon. For your next payday you have to wait {}.".format(author.mention, self.display_time(self.settings[server.id]["PAYDAY_TIME"] - seconds)))
else:
self.payday_register[server.id][id] = int(time.perf_counter())
self.bank.deposit_credits(author, self.settings[server.id]["PAYDAY_CREDITS"])
await self.bot.say("{} Here, take some credits. Enjoy! (+{} credits!)".format(author.mention, str(self.settings[server.id]["PAYDAY_CREDITS"])))
else:
await self.bot.say("{} You need an account to receive credits. Type `{}bank register` to open one.".format(author.mention, ctx.prefix))
@commands.group(pass_context=True)
async def leaderboard(self, ctx, top : int=10):
"""Prints out the server's leaderboard
Defaults to top 10""" #Originally coded by Airenkun - edited by irdumb
server = ctx.message.server
if top < 1:
top = 30
bank_sorted = sorted(self.bank.get_server_accounts(server),
key=lambda x: x.balance, reverse=True)
if len(bank_sorted) < top:
top = len(bank_sorted)
topten = bank_sorted[:top]
highscore = ""
place = 1
for acc in topten:
highscore += str(place).ljust(len(str(top))+1)
highscore += (acc.name+" ").ljust(25-len(str(acc.balance)))
highscore += str(acc.balance) + "\n"
place += 1
if highscore:
if len(highscore) < 1985:
await self.bot.say("```py\n"+highscore+"```")
else:
await self.bot.say("The leaderboard is too big to be displayed. Try with a lower <top> parameter.")
else:
await self.bot.say("There are no accounts in the bank.")
#@leaderboard.command(name="global")
#async def _global_leaderboard(self, top : int=10):
#"""Prints out the global leaderboard
#Defaults to top 10"""
#if top < 1:
#top = 10
#bank_sorted = sorted(self.bank.get_all_accounts(),
#key=lambda x: x.balance, reverse=True)
#unique_accounts = []
#for acc in bank_sorted:
#if not self.already_in_list(unique_accounts, acc):
#unique_accounts.append(acc)
#if len(unique_accounts) < top:
#top = len(unique_accounts)
#topten = unique_accounts[:top]
#highscore = ""
#place = 1
#for acc in topten:
#highscore += str(place).ljust(len(str(top))+1)
#highscore += ("{} |{}| ".format(acc.name, acc.server.name)).ljust(23-len(str(acc.balance)))
#highscore += str(acc.balance) + "\n"
#place += 1
#if highscore:
#if len(highscore) < 1985:
#await self.bot.say("```py\n"+highscore+"```")
#else:
#await self.bot.say("The leaderboard is too big to be displayed. Try with a lower <top> parameter.")
#else:
#await self.bot.say("There are no accounts in the bank.")
def already_in_list(self, accounts, user):
for acc in accounts:
if user.id == acc.id:
return True
return False
@commands.command()
async def payouts(self):
"""Shows slot machine payouts"""
await self.bot.whisper(slot_payouts)
@commands.command(pass_context=True)
async def rps(self, ctx, choice : str, bid : int):
"""Play rock paper scissors. format:
!rps rock 10"""
author = ctx.message.author
rpsbot = {"rock" : ":moyai:",
"paper": ":page_facing_up:",
"scissors":":scissors:"}
choice = choice.lower()
if self.bank.can_spend(author, bid):
if choice in rpsbot.keys():
botchoice = randchoice(list(rpsbot.keys()))
msgs = {
"win": " You win {}!".format(author.mention),
"square": " We're square {}!".format(author.mention),
"lose": " You lose {}!".format(author.mention)
}
rpsmsg = ""
if choice == botchoice:
rpsmsg = rpsbot[botchoice] + msgs["square"]
elif choice == "rock" and botchoice == "paper":
self.bank.withdraw_credits(author, bid)
rpsmsg = rpsbot[botchoice] + msgs["lose"]
elif choice == "rock" and botchoice == "scissors":
self.bank.deposit_credits(author, bid)
rpsmsg = rpsbot[botchoice] + msgs["win"]
elif choice == "paper" and botchoice == "rock":
self.bank.deposit_credits(author, bid)
rpsmsg = rpsbot[botchoice] + msgs["win"]
elif choice == "paper" and botchoice == "scissors":
self.bank.withdraw_credits(author, bid)
rpsmsg = rpsbot[botchoice] + msgs["lose"]
elif choice == "scissors" and botchoice == "rock":
self.bank.withdraw_credits(author, bid)
rpsmsg = rpsbot[botchoice] + msgs["lose"]
elif choice == "scissors" and botchoice == "paper":
self.bank.deposit_credits(author, bid)
rpsmsg = rpsbot[botchoice] + msgs["win"]
rpsmsg += "\n" + " Current credits: {}".format(self.bank.get_balance(author))
await self.bot.say(rpsmsg)
else:
await self.bot.say("Format: `!rps rock 10`")
else:
await self.bot.say("{0} You need an account with enough funds to play the slot machine.".format(author.mention))
@commands.command(pass_context=True, no_pm=True)
async def slot(self, ctx, bid : int):
"""Play the slot machine"""
author = ctx.message.author
server = author.server
if not self.bank.account_exists(author):
await self.bot.say("{} You need an account to use the slot machine. Type `{}bank register` to open one.".format(author.mention, ctx.prefix))
return
if self.bank.can_spend(author, bid):
if bid >= self.settings[server.id]["SLOT_MIN"]:
if author.id in self.slot_register:<|fim▁hole|> if abs(self.slot_register[author.id] - int(time.perf_counter())) >= self.settings[server.id]["SLOT_TIME"]:
self.slot_register[author.id] = int(time.perf_counter())
await self.slot_machine(ctx.message, bid)
else:
await self.bot.say("Slot machine is still cooling off! Wait {} seconds between each pull".format(self.settings[server.id]["SLOT_TIME"]))
else:
self.slot_register[author.id] = int(time.perf_counter())
await self.slot_machine(ctx.message, bid)
else:
await self.bot.say("Bid must be more than 0.")
else:
await self.bot.say("{0} You need an account with enough funds to play the slot machine.".format(author.mention))
async def slot_machine(self, message, bid):
reel_pattern = [":cherries:", ":cookie:", ":two:", ":four_leaf_clover:", ":cyclone:", ":sunflower:", ":six:", ":mushroom:", ":heart:", ":snowflake:"]
padding_before = [":mushroom:", ":heart:", ":snowflake:"] # padding prevents index errors
padding_after = [":cherries:", ":cookie:", ":two:"]
reel = padding_before + reel_pattern + padding_after
reels = []
for i in range(0, 3):
n = randint(3,12)
reels.append([reel[n - 1], reel[n], reel[n + 1]])
line = [reels[0][1], reels[1][1], reels[2][1]]
display_reels = "~~\n~~ " + reels[0][0] + " " + reels[1][0] + " " + reels[2][0] + "\n"
display_reels += ">" + reels[0][1] + " " + reels[1][1] + " " + reels[2][1] + "\n"
display_reels += " " + reels[0][2] + " " + reels[1][2] + " " + reels[2][2] + "\n"
if line[0] == ":two:" and line[1] == ":two:" and line[2] == ":six:":
bid = bid * 5000
slotMsg = "{}{} 226! Your bet is multiplied * 5000! {}! ".format(display_reels, message.author.mention, str(bid))
elif line[0] == ":four_leaf_clover:" and line[1] == ":four_leaf_clover:" and line[2] == ":four_leaf_clover:":
bid += 1000
slotMsg = "{}{} Three FLC! +1000! ".format(display_reels, message.author.mention)
elif line[0] == ":cherries:" and line[1] == ":cherries:" and line[2] == ":cherries:":
bid += 800
slotMsg = "{}{} Three cherries! +800! ".format(display_reels, message.author.mention)
elif line[0] == line[1] == line[2]:
bid += 500
slotMsg = "{}{} Three symbols! +500! ".format(display_reels, message.author.mention)
elif line[0] == ":two:" and line[1] == ":six:" or line[1] == ":two:" and line[2] == ":six:":
bid = bid * 4
slotMsg = "{}{} 26! Your bet is multiplied * 4! {}! ".format(display_reels, message.author.mention, str(bid))
elif line[0] == ":cherries:" and line[1] == ":cherries:" or line[1] == ":cherries:" and line[2] == ":cherries:":
bid = bid * 3
slotMsg = "{}{} Two cherries! Your bet is multiplied * 3! {}! ".format(display_reels, message.author.mention, str(bid))
elif line[0] == line[1] or line[1] == line[2]:
bid = bid * 2
slotMsg = "{}{} Two symbols! Your bet is multiplied * 2! {}! ".format(display_reels, message.author.mention, str(bid))
else:
slotMsg = "{}{} Nothing! Lost bet. ".format(display_reels, message.author.mention)
self.bank.withdraw_credits(message.author, bid)
slotMsg += "\n" + " Credits left: {}".format(self.bank.get_balance(message.author))
await self.bot.send_message(message.channel, slotMsg)
return True
self.bank.deposit_credits(message.author, bid)
slotMsg += "\n" + " Current credits: {}".format(self.bank.get_balance(message.author))
await self.bot.send_message(message.channel, slotMsg)
@commands.group(pass_context=True, no_pm=True)
@checks.serverowner_or_permissions(manage_server=True)
async def economyset(self, ctx):
"""Changes economy module settings"""
server = ctx.message.server
settings = self.settings[server.id]
if ctx.invoked_subcommand is None:
msg = "```"
for k, v in settings.items():
msg += "{}: {}\n".format(k, v)
msg += "```"
await send_cmd_help(ctx)
await self.bot.say(msg)
@economyset.command(pass_context=True)
async def slotmin(self, ctx, bid : int):
"""Minimum slot machine bid"""
server = ctx.message.server
self.settings[server.id]["SLOT_MIN"] = bid
await self.bot.say("Minimum bid is now " + str(bid) + " credits.")
dataIO.save_json(self.file_path, self.settings)
#@economyset.command(pass_context=True)
#async def slotmax(self, ctx, bid : int):
#"""Maximum slot machine bid"""
#server = ctx.message.server
#self.settings[server.id]["SLOT_MAX"] = bid
#await self.bot.say("Maximum bid is now " + str(bid) + " credits.")
#dataIO.save_json(self.file_path, self.settings)
@economyset.command(pass_context=True)
async def slottime(self, ctx, seconds : int):
"""Seconds between each slots use"""
server = ctx.message.server
self.settings[server.id]["SLOT_TIME"] = seconds
await self.bot.say("Cooldown is now " + str(seconds) + " seconds.")
dataIO.save_json(self.file_path, self.settings)
@economyset.command(pass_context=True)
async def paydaytime(self, ctx, seconds : int):
"""Seconds between each payday"""
server = ctx.message.server
self.settings[server.id]["PAYDAY_TIME"] = seconds
await self.bot.say("Value modified. At least " + str(seconds) + " seconds must pass between each payday.")
dataIO.save_json(self.file_path, self.settings)
@economyset.command(pass_context=True)
async def paydaycredits(self, ctx, credits : int):
"""Credits earned each payday"""
server = ctx.message.server
self.settings[server.id]["PAYDAY_CREDITS"] = credits
await self.bot.say("Every payday will now give " + str(credits) + " credits.")
dataIO.save_json(self.file_path, self.settings)
@economyset.command(pass_context=True)
async def registercredits(self, ctx, credits : int):
"""Credits given on registering an account"""
server = ctx.message.server
if credits < 0:
credits = 0
self.settings[server.id]["REGISTER_CREDITS"] = credits
await self.bot.say("Registering an account will now give {} credits.".format(credits))
dataIO.save_json(self.file_path, self.settings)
def display_time(self, seconds, granularity=2): # What would I ever do without stackoverflow?
intervals = ( # Source: http://stackoverflow.com/a/24542445
('weeks', 604800), # 60 * 60 * 24 * 7
('days', 86400), # 60 * 60 * 24
('hours', 3600), # 60 * 60
('minutes', 60),
('seconds', 1),
)
result = []
for name, count in intervals:
value = seconds // count
if value:
seconds -= value * count
if value == 1:
name = name.rstrip('s')
result.append("{} {}".format(value, name))
return ', '.join(result[:granularity])
def check_folders():
if not os.path.exists("data/economy"):
print("Creating data/economy folder...")
os.makedirs("data/economy")
def check_files():
f = "data/economy/settings.json"
if not dataIO.is_valid_json(f):
print("Creating default economy's settings.json...")
dataIO.save_json(f, {})
f = "data/economy/bank.json"
if not dataIO.is_valid_json(f):
print("Creating empty bank.json...")
dataIO.save_json(f, {})
def setup(bot):
global logger
check_folders()
check_files()
logger = logging.getLogger("red.economy")
if logger.level == 0: # Prevents the logger from being loaded again in case of module reload
logger.setLevel(logging.INFO)
handler = logging.FileHandler(filename='data/economy/economy.log', encoding='utf-8', mode='a')
handler.setFormatter(logging.Formatter('%(asctime)s %(message)s', datefmt="[%d/%m/%Y %H:%M]"))
logger.addHandler(handler)
bot.add_cog(Economy(bot))<|fim▁end|> | |
<|file_name|>SystemInfo_impl_ari_1_7_0.java<|end_file_name|><|fim▁begin|>package ch.loway.oss.ari4java.generated.ari_1_7_0.models;
// ----------------------------------------------------
// THIS CLASS WAS GENERATED AUTOMATICALLY
// PLEASE DO NOT EDIT
// Generated on: Sat Sep 19 08:50:54 CEST 2015
// ----------------------------------------------------
import ch.loway.oss.ari4java.generated.*;
import com.fasterxml.jackson.databind.annotation.JsonDeserialize;
import java.util.Date;
import java.util.List;
import java.util.Map;
/**********************************************************
* Info about Asterisk
*
* Defined in file: asterisk.json
* Generated by: Model
*********************************************************/
public class SystemInfo_impl_ari_1_7_0 implements SystemInfo, java.io.Serializable {
private static final long serialVersionUID = 1L;
/** */
private String entity_id;
public String getEntity_id() {
return entity_id;
}
@JsonDeserialize( as=String.class )
public void setEntity_id(String val ) {
entity_id = val;
}
/** Asterisk version. */
private String version;
public String getVersion() {
return version;
}<|fim▁hole|> }
/** No missing signatures from interface */
}<|fim▁end|> |
@JsonDeserialize( as=String.class )
public void setVersion(String val ) {
version = val; |
<|file_name|>daneel-ai.py<|end_file_name|><|fim▁begin|>#! /usr/bin/python
try:
import requirements
except ImportError:
pass
import time
import random
import logging
import sys
import os
import inspect
from optparse import OptionParser
import tp.client.threads
from tp.netlib.client import url2bits
from tp.netlib import Connection
from tp.netlib import failed, constants, objects
from tp.client.cache import Cache
import daneel
from daneel.rulesystem import RuleSystem, BoundConstraint
import picklegamestate
import cPickle
version = (0, 0, 3)
mods = []
if hasattr(sys, "frozen"):
installpath = os.path.dirname(unicode(sys.executable, sys.getfilesystemencoding( )))
else:
installpath = os.path.realpath(os.path.dirname(__file__))
def callback(mode, state, message="", todownload=None, total=None, amount=None):
logging.getLogger("daneel").debug("Downloading %s %s Message:%s", mode, state, message)
def connect(uri='tp://daneel-ai:cannonfodder@localhost/tp'):
debug = False
host, username, game, password = url2bits(uri)
print host, username, game, password
if not game is None:
username = "%s@%s" % (username, game)
connection = Connection()
# Download the entire universe
try:
connection.setup(host=host, debug=debug)
except Exception,e: #TODO make the exception more specific
print "Unable to connect to the host."
return
if failed(connection.connect("daneel-ai/%i.%i.%i" % version)):
print "Unable to connect to the host."
return
if failed(connection.login(username, password)):
# Try creating the user..
print "User did not exist, trying to create user."
if failed(connection.account(username, password, "", "daneel-ai bot")):
print "Username / Password incorrect."
return
if failed(connection.login(username, password)):
print "Created username, but still couldn't login :/"
return
games = connection.games()
if failed(games):
print "Getting the game object failed!"
return
cache = Cache(Cache.key(host, games[0], username))
return connection, cache
def getDataDir():
if hasattr(sys, "frozen"):
return os.path.join(installpath, "share", "daneel-ai")
if "site-packages" in daneel.__file__:
datadir = os.path.join(os.path.dirname(daneel.__file__), "..", "..", "..", "..", "share", "daneel-ai")
else:
datadir = os.path.join(os.path.dirname(daneel.__file__), "..")
return datadir
def createRuleSystem(rulesfile,verbosity,cache,connection):
global mods
cons,rules = [],[]
funcs = {}<|fim▁hole|>
rf = open(os.path.join(getDataDir(), 'rules', rulesfile))
l = stripline(rf.readline())
while l != "[Modules]":
l = stripline(rf.readline())
l = stripline(rf.readline())
while l != "[Constraints]":
if l != "":
m = getattr(__import__("daneel."+l), l)
print l, m
mods.append(m)
try:
cons.extend(m.constraints)
except AttributeError:
pass
try:
rules.extend(m.rules)
except AttributeError:
pass
try:
exec("".join(m.functions),funcs)
except AttributeError:
pass
l = stripline(rf.readline())
l = stripline(rf.readline())
while l != "[Rules]":
if l != "": cons.append(l)
l = stripline(rf.readline())
l = stripline(rf.readline())
while l != "[Functions]":
if l != "": rules.append(l)
l = stripline(rf.readline())
exec("".join(rf.readlines()),funcs)
funcs['cache'] = cache
if connection != None:
funcs['connection'] = connection
return RuleSystem(cons,rules,funcs,verbosity)
def stripline(line):
if line[0] == "#": return ""
return line.strip()
def startTurn(cache,store, delta):
for m in mods:
#call startTurn if it exists in m
if "startTurn" in [x[0] for x in inspect.getmembers(m)]:
m.startTurn(cache,store, delta)
def endTurn(cache,rulesystem,connection):
for m in mods:
#call endTurn if it exists in m
if "endTurn" in [x[0] for x in inspect.getmembers(m)]:
m.endTurn(cache,rulesystem,connection)
def saveGame(cache):
root_dir = getDataDir()
save_dir = root_dir + "/states/"
writeable = checkSaveFolderWriteable(root_dir, save_dir)
# NB assumes there is enough space to write
if not writeable:
logging.getLogger("daneel").error("Cannot save information")
else:
cache.file = save_dir + time.time().__str__() + ".gamestate"
cache.save()
def checkSaveFolderWriteable(root_dir, save_dir):
dir_exists = os.access(save_dir, os.F_OK)
dir_writeable = os.access(save_dir, os.W_OK)
dir_root_writeable = os.access(root_dir, os.W_OK)
if dir_exists and dir_writeable:
return True
if dir_exists and not dir_writeable:
return False
if dir_root_writeable:
os.mkdir(save_dir)
return True
else:
return False
def init(cache,rulesystem,connection):
for m in mods:
#call init if it exists in m
if "init" in [x[0] for x in inspect.getmembers(m)]:
m.init(cache,rulesystem,connection)
#this is for optimisation
if "optimisationValues" in [x[0] for x in inspect.getmembers(m)]:
m.optimisationValues(optimiseValue)
def pickle(variable, file_name):
file = open(file_name, 'wb')
cPickle.dump(variable, file)
file.close()
return
def gameLoop(rulesfile,turns=-1,uri='tp://daneel-ai:cannonfodder@localhost/tp',verbosity=0,benchmark=0):
try:
level = {0:logging.WARNING,1:logging.INFO,2:logging.DEBUG}[verbosity]
except KeyError:
level = 1
fmt = "%(asctime)s [%(levelname)s] %(name)s:%(message)s"
logging.basicConfig(level=level,stream=sys.stdout,format=fmt)
try:
connection, cache = connect(uri)
except Exception, e: #TODO Null make the exception more specific
import traceback
traceback.print_exc()
print "Connection failed."
print e
return
# state = picklegamestate.GameState(rulesfile,turns,None,None,verbosity)
# state.pickle("./states/" + time.time().__str__() + ".gamestate")
gameLoopWrapped(rulesfile,turns,connection,cache,verbosity,benchmark)
def gameLoopWrapped(rulesfile,turns,connection,cache,verbosity,benchmark):
rulesystem = createRuleSystem(rulesfile,verbosity,cache,connection)
logging.getLogger("daneel").info("Downloading all data")
cache.update(connection,callback)
# state = picklegamestate.GameState(rulesfile,turns,None,cache,verbosity)
# state.pickle("./states/" + time.time().__str__() + ".gamestate")
init(cache,rulesystem,connection)
delta = True
while turns != 0:
turns = turns - 1
logging.getLogger("daneel").info("Downloading updates")
cache.update(connection,callback)
# store the cache
#saveGame(cache)
lastturn = connection.time().turn_num
startTurn(cache,rulesystem,delta)
rulesystem.addConstraint("cacheentered")
endTurn(cache,rulesystem,connection)
rulesystem.clearStore()
connection.turnfinished()
waitfor = connection.time()
logging.getLogger("daneel").info("Awaiting end of turn %s est: (%s s)..." % (lastturn,waitfor.time))
try:
while lastturn == connection.get_objects(0)[0].Informational[0][0]:
waitfor = connection.time()
time.sleep(max(1, min(10, waitfor.time / 100)))
except IOError:
print "Connection lost"
exit(2)
def gameLoopBenchMark(rulesfile,turns,connection,cache,verbosity):
rulesystem = createRuleSystem(rulesfile,verbosity,cache,connection)
logging.getLogger("daneel").info("Downloading all data")
init(cache,rulesystem,connection)
delta = False
startTurn(cache,rulesystem,delta)
rulesystem.addConstraint("cacheentered")
endTurn(cache,rulesystem,None)
rulesystem.clearStore()
return
optimiseValue = None
if __name__ == "__main__":
parser = OptionParser(version="%prog " + ("%i.%i.%i" % version))
parser.add_option("-f", "--file", dest="filename", default="rfts",
help="read rules from FILENAME [default: %default]")
parser.add_option("-n", "--numturns", dest="numturns", type="int", default=-1,
help="run for NUMTURNS turns [default: unlimited]")
parser.add_option("-u", "--uri", dest="uri",
default='tp://daneel-ai:cannonfodder@localhost/tp',
help="Connect to specified URI [default %default]")
parser.add_option("-v", action="count", dest="verbosity", default=1,
help="More verbose output. -vv and -vvv increase output even more.")
parser.add_option("-b", dest="benchmark", default=0,
help="Runs the program in benchmarking mode.")
parser.add_option("-o", dest="optimise", default=0,
help="Runs the program in benchmarking mode.")
(options, args) = parser.parse_args()
optimiseValue = options.optimise
gameLoop(options.filename,turns=options.numturns,uri=options.uri,verbosity=options.verbosity,benchmark=options.benchmark)<|fim▁end|> | |
<|file_name|>Ontology.py<|end_file_name|><|fim▁begin|>"""
BIANA: Biologic Interactions and Network Analysis
Copyright (C) 2009 Javier Garcia-Garcia, Emre Guney, Baldo Oliva
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 sys
import ExternalEntity
import ExternalEntityAttribute
class Ontology(ExternalEntity.ExternalEntity):
"""
Class to represent a general ontology
The Ontology is an external entity itself. Each of its elemens is also an ExternalEntityObject
Each ontology as a "linkedAttribute", which is the primary attribute to represent the ontology (for example, taxID for taxonomy), and a "descriptionAttribute", which is an attribute that describes the external entity element
"""
def __init__(self, source_database, name, linkedAttribute, descriptionAttribute, id=None, levelAttribute=None ):
"""
"source_database" is the source database id where this entity is described
"name" is the name for the ontology. It must be UNIQUE! There cannot be different ontologies with the same name
"linkedAttribute" is the attribute_identifier for the primary attribute of the ontology (for example, taxID for taxonomy ontology)
"descriptionAttribute" is the attribute_identifier for representing a human readable description of the element. This attribute is used when showing the ontolgy to users
"id" is the UNIQUE identifier in the database for this external entity (as the ontology is an External Entity)
"""
self.name = name
self.trees = {} # is_a in the first position, is_part_of in the second one
self.hierarchy = {} # vertical hierarchy
self.root_ids = set()
self.linked_attribute = linkedAttribute
self.level_attribute = levelAttribute
self.linked_attribute_values = {}
self._attrID2id = {}
self.description_attribute = descriptionAttribute
self.externalEntityObjs = {}
self.all_ids = set()
self.precalculated_descendants = {}
ExternalEntity.ExternalEntity.__init__(self, source_database = source_database, type="ontology", id=id)
def add_element(self, ontologyElementID, isA=[], isPartOf=[], linkedAttributeValue=None):
"""
Adds an element to the ontology.
"ontologyElementID": externalEntityID that identifies the externalEntityObject belonging to the ontology
"isA": list with the externalEntityIDs of the parents of this element
"isPartOf": list with the externalEntityIDs of the elements to which this element is part of
"linkedAttributeValue" is the value of the main attribute of the added external entity. Not mandatory.
"""
self.all_ids.add(ontologyElementID)
self.linked_attribute_values[ontologyElementID] = linkedAttributeValue
self._attrID2id[linkedAttributeValue]=ontologyElementID
self.hierarchy.setdefault(ontologyElementID,[])
if( len(isA)==0 ):
self.root_ids.add(ontologyElementID)
self.trees[ontologyElementID] = (isA,isPartOf)
for current_parent in isA:
self.hierarchy.setdefault(current_parent,[]).append(ontologyElementID)
# Adding part_of to the hierarchy
for current_parent in isPartOf:
self.hierarchy.setdefault(current_parent,[]).append(ontologyElementID)<|fim▁hole|>
def _set_external_entities_dict(self, externalEntitiesDict):
"""
Sets the external entity objects corresponding to the elements of the ontology
"externalEntitiesDict": Dictionary with all the external entities. Key: externalEntityID. Value: externalEntity Object
Objects are only required for printing the ontology
"""
self.externalEntityObjs = externalEntitiesDict
def get_all_external_entity_ids(self):
return self.all_ids
def linkedAttrID2ID(self, attr_id):
return self._attrID2id[attr_id]
def get_descendants(self, ontologyElementID):
"""
Gets all the descendants, using the "is_a" relation
"""
if self.precalculated_descendants.has_key(ontologyElementID):
return self.precalculated_descendants[ontologyElementID]
result = set()
#result = []
for current_descendant_id in self.hierarchy[ontologyElementID]:
if current_descendant_id == ontologyElementID:
sys.stderr.write("Ontology has a loop. An element %s [%s] is a child of itself?\n" %(current_descendant_id,self.linked_attribute_values[current_descendant_id]))
return result
else:
if current_descendant_id not in result:
result.add(current_descendant_id)
result.update(self.get_descendants(current_descendant_id))
# result.update(self.get_descendants(current_descendant_id))
else:
sys.stderr.write("Ontology has a loop, between %s [%s] and %s [%s]\n" %(current_descendant_id,
self.linked_attribute_values[current_descendant_id],
ontologyElementID,
self.linked_attribute_values[ontologyElementID]))
self.precalculated_descendants[ontologyElementID] = result
return result
def get_linked_attr_and_description_tuples(self, value_seperator=", "):
"""
Returns a list of tuples with the format: (linked_attr, descriptive_attr)
"""
if len(self.externalEntityObjs) == 0:
sys.stderr.write("External Entities have not been retrieved when Ontology is loaded! Information not available\n")
return []
return [ ( self.linked_attribute_values[x], value_seperator.join([ y.value for y in self.externalEntityObjs[x].get_attribute(self.description_attribute)]) ) for x in self.linked_attribute_values ]
def get_all_linked_attributes(self):
"""
Returns a list with the main attribute for all the elements in the ontology
"""
return self.linked_attribute_values.values()
def get_all_external_entity_ids(self):
"""
Returns a list with the external entity ids of all the elements in the ontology
"""
return self.linked_attribute_values.keys()
def has_element(self, linkedAttributeID):
"""
Returns a boolean indicating if an external entity with this attribute is found in the ontology
"""
return linkedAttributeID in self.linked_attribute_values
def get_parents_ids(self, elementID):
"""
Returns a list with the parents of the element with this externalEntityID (using the relation is_a)
"""
return self.trees[elementID][0]
def get_part_parents_ids(self, elementID):
"""
Returns a list with the parents of the element with this externalEntityID (using the relation is_part_of)
"""
return self.trees[elementID][1]
def _recursive_tree_print(self, id, outmethod, depth=0):
"""
Prints recursively in stdout a tree representing the ontology, using the external entity id.
Only for testing purposes
"""
for x in xrange(depth):
outmethod("\t")
#outmethod(str(id))
outmethod("%s [%s]" %('|'.join([ x.value for x in self.externalEntityObjs[id].get_attribute(self.description_attribute) ]),self.linked_attribute_values[id]))
outmethod("\n")
depth = depth+1
for current_descendant_id in self.hierarchy[id]:
self._recursive_tree_print(current_descendant_id, outmethod, depth)
def print_tree(self, outmethod=sys.stdout.write):
"""
Prints recursively in stdout a tree representing the ontology, using the external entity id.
Only for testing purposes
"""
#print self.root_ids
for x in self.root_ids:
self._recursive_tree_print( id = x,
depth = 0,
outmethod = outmethod )
def _recursive_tree_xml(self, id):
nodes_xml = [ "<node ontologyNodeID=\"%s\" id=\"%s\">" %(self.linked_attribute_values[id],
'|'.join([ x.value for x in self.externalEntityObjs[id].get_attribute(self.description_attribute) ])) ]
for current_descendant_id in self.hierarchy[id]:
nodes_xml.extend(self._recursive_tree_xml(current_descendant_id))
nodes_xml.append("</node>")
return nodes_xml
def get_xml(self):
"""
Returns a String with an XML representation of the ontology
To execute this method, is necessary to load in the ontology all the external Entity Objects
"""
nodes_xml = ["<ontology name=\"%s\">" %self.name]
for x in self.root_ids:
nodes_xml.extend(self._recursive_tree_xml( id = x) )
nodes_xml.append("</ontology>")
return "\n".join(nodes_xml)
def _traverse_tree_for_leafs(self, id):
"""
Helper function to reach leafs traversing the tree
"""
if len(self.hierarchy[id]) == 0:
#print self.linked_attribute_values[id], self.hierarchy[id], self.trees[id]
nodes = [ ", ".join([ x.value for x in self.externalEntityObjs[id].get_attribute(self.description_attribute) ]) ]
else:
nodes = []
for current_descendant_id in self.hierarchy[id]:
nodes.extend(self._traverse_tree_for_leafs(current_descendant_id))
return nodes
def get_leafs(self):
"""
Returns a list of leafs in the ontology tree
To execute this method, is necessary to load in the ontology all the external Entity Objects
"""
leaf_nodes = []
for x in self.root_ids:
leaf_nodes.extend(self._traverse_tree_for_leafs( id = x) )
return leaf_nodes<|fim▁end|> | |
<|file_name|>Menu.java<|end_file_name|><|fim▁begin|>package omr.gui;
import java.awt.Color;
import java.awt.Font;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.awt.event.KeyEvent;
import javax.swing.JMenu;
import javax.swing.JMenuBar;
import javax.swing.JMenuItem;
import javax.swing.KeyStroke;
/**
* Menu bar of the main window.
*/
public class Menu extends JMenuBar implements ActionListener {
private static final long serialVersionUID = 1L;
private Gui gui;
private JMenuItem newProject;
private JMenuItem openProject;
private JMenuItem saveProject;
private JMenuItem saveProjectAs;
private JMenuItem importSheets;
private JMenuItem exportAnswers;
private JMenuItem exportResults;
private JMenuItem mailFeedback;
public Menu(Gui gui) {
this.gui = gui;
UndoSupport undoSupport = gui.getUndoSupport();
// File menu
JMenu fileMenu = new JMenu("Bộ Bài Thi");
fileMenu.setMnemonic(KeyEvent.VK_F);
fileMenu.setForeground(new Color(48,47,95));
fileMenu.setFont(new Font("Century Gothic", Font.BOLD, 14));
add(fileMenu);
// New project
newProject = new JMenuItem("Tạo Bộ Bài Thi Mới", KeyEvent.VK_N);
newProject.addActionListener(this);
fileMenu.add(newProject);
// Open project
openProject = new JMenuItem("Mở Bộ Bài Thi", KeyEvent.VK_O);
openProject.setAccelerator(KeyStroke.getKeyStroke(KeyEvent.VK_O, ActionEvent.CTRL_MASK));
openProject.addActionListener(this);
fileMenu.add(openProject);
// Save project
saveProject = new JMenuItem("Lưu Bộ Bài Thi", KeyEvent.VK_A);
saveProject.setAccelerator(KeyStroke.getKeyStroke(KeyEvent.VK_S, ActionEvent.CTRL_MASK));
saveProject.addActionListener(this);
fileMenu.add(saveProject);
// Save project as
saveProjectAs = new JMenuItem("Lưu Bộ Bài Thi Tại .....", KeyEvent.VK_S);
//saveProjectAs.setAccelerator(KeyStroke.getKeyStroke(KeyEvent.VK_S, ActionEvent.CTRL_MASK));
saveProjectAs.addActionListener(this);
fileMenu.add(saveProjectAs);
// Sheets management
JMenu sheetsMenu = new JMenu("Bài Thi");
sheetsMenu.setMnemonic(KeyEvent.VK_F);
sheetsMenu.setForeground(new Color(48,47,95));
sheetsMenu.setFont(new Font("Century Gothic", Font.BOLD, 14));
//menu.getAccessibleContext().setAccessibleDescription("The only menu in this program that has menu items");
add(sheetsMenu);
importSheets = new JMenuItem("Nhập Bài Thi", KeyEvent.VK_I);
importSheets.getAccessibleContext().setAccessibleDescription("Nhập hình ảnh bài thi vào bộ bài thi");
importSheets.addActionListener(this);
sheetsMenu.add(importSheets);
// Export answers
exportAnswers = new JMenuItem("Xuất Câu Trả Lời", KeyEvent.VK_C);
exportAnswers.getAccessibleContext().setAccessibleDescription("Xuất Toàn Bộ Câu Trả Lời Ra Một Tệp Tin");
exportAnswers.addActionListener(this);
sheetsMenu.add(exportAnswers);
// Export results
exportResults = new JMenuItem("Xuất Kết Quả", KeyEvent.VK_R);
exportResults.getAccessibleContext().setAccessibleDescription("Xuất Toàn Bộ Kết Quả Ra Một Tệp Tin");
exportResults.addActionListener(this);
sheetsMenu.add(exportResults);
// Edit menu
JMenu editMenu = new JMenu("Tuỳ Chỉnh");
editMenu.setMnemonic(KeyEvent.VK_E);
editMenu.setForeground(new Color(48,47,95));
editMenu.setFont(new Font("Century Gothic", Font.BOLD, 14));
add(editMenu);
<|fim▁hole|> undo.setAccelerator(KeyStroke.getKeyStroke(KeyEvent.VK_Z, ActionEvent.CTRL_MASK));
undo.addActionListener(undoSupport.getUndoAction());
editMenu.add(undo);
// Redo
JMenuItem redo = new JMenuItem("Redo", KeyEvent.VK_R);
redo.setAccelerator(KeyStroke.getKeyStroke(KeyEvent.VK_Z, ActionEvent.CTRL_MASK | ActionEvent.SHIFT_MASK));
redo.addActionListener(undoSupport.getRedoAction());
editMenu.add(redo);
// Cut
JMenuItem cut = new JMenuItem("Cắt", KeyEvent.VK_T);
cut.setAccelerator(KeyStroke.getKeyStroke(KeyEvent.VK_X, ActionEvent.CTRL_MASK));
//cut.addActionListener(new CutAction(undoManager));
//editMenu.add(cut);
// Copy
JMenuItem copy = new JMenuItem("Sao chép", KeyEvent.VK_C);
copy.setAccelerator(KeyStroke.getKeyStroke(KeyEvent.VK_C, ActionEvent.CTRL_MASK));
//copy.addActionListener(new CopyAction(undoManager));
//editMenu.add(copy);
// Paste
JMenuItem paste = new JMenuItem("Dán", KeyEvent.VK_P);
paste.setAccelerator(KeyStroke.getKeyStroke(KeyEvent.VK_V, ActionEvent.CTRL_MASK));
//paste.addActionListener(new PasteAction(undoManager));
//editMenu.add(paste);
// Delete
JMenuItem delete = new JMenuItem("Xoá", KeyEvent.VK_D);
delete.setAccelerator(KeyStroke.getKeyStroke(KeyEvent.VK_DELETE, 0));
//delete.addActionListener(new DeleteAction(undoManager));
editMenu.add(delete);
// // Mail feedback
// JMenu mailMenu = new JMenu("Gửi Mail");
// mailMenu.setMnemonic(KeyEvent.VK_F);
// //menu.getAccessibleContext().setAccessibleDescription("The only menu in this program that has menu items");
// add(mailMenu);
//
// mailFeedback = new JMenuItem("Gửi Mail Kết Quả Cho Thí Sinh", KeyEvent.VK_M);
// mailFeedback.getAccessibleContext().setAccessibleDescription("Gửi Mail Kết Quả Cho Thí Sinh");
// mailFeedback.addActionListener(this);
// mailMenu.add(mailFeedback);
}
/**
* Menu event listener.
*/
public void actionPerformed(ActionEvent event) {
JMenuItem source = (JMenuItem)(event.getSource());
if (source == newProject) {
gui.newProject();
} else if (source == openProject) {
gui.openProject();
} else if (source == saveProject) {
gui.saveProject();
} else if (source == saveProjectAs) {
gui.saveProjectAs();
} else if (source == importSheets) {
gui.importSheets();
} else if (source == exportAnswers) {
gui.exportAnswers();
} else if (source == exportResults) {
gui.exportResults();
} else if (source == mailFeedback) {
gui.mailFeedback();
}
}
}<|fim▁end|> | // Undo
JMenuItem undo = new JMenuItem("Undo", KeyEvent.VK_U); |
<|file_name|>search.py<|end_file_name|><|fim▁begin|>import xml.etree.cElementTree as et
from collections import OrderedDict
from tabletopscanner.boardgamegeekapi.parsers import Deserializer
<|fim▁hole|> return [SearchParser.__make_search_result(el) for el in tree.findall('item')]
@staticmethod
def __make_search_result(el):
geekid = geekid = el.attrib['id']
name = el.find('name').attrib['value']
yearpublished = el.find('yearpublished').attrib['value']
return OrderedDict({
'geekid': geekid,
'name': name,
'yearpublished': yearpublished
})<|fim▁end|> |
class SearchParser(Deserializer):
def deserialize(self, xml):
tree = et.fromstring(xml) |
<|file_name|>photoswipe-ui-default.js<|end_file_name|><|fim▁begin|>/*! PhotoSwipe Default UI - 4.1.2 - 2017-04-05
* http://photoswipe.com
* Copyright (c) 2017 Dmitry Semenov; */
/**
*
* UI on top of main sliding area (caption, arrows, close button, etc.).
* Built just using public methods/properties of PhotoSwipe.
*
*/
(function (root, factory) {
if (typeof define === 'function' && define.amd) {
define(factory);
} else if (typeof exports === 'object') {
module.exports = factory();
} else {
root.PhotoSwipeUI_Default = factory();
}
})(this, function () {
'use strict';
var PhotoSwipeUI_Default =
function(pswp, framework) {
var ui = this;
var _overlayUIUpdated = false,
_controlsVisible = true,
_fullscrenAPI,
_controls,
_captionContainer,
_fakeCaptionContainer,
_indexIndicator,
_shareButton,
_shareModal,
_shareModalHidden = true,
_initalCloseOnScrollValue,
_isIdle,
_listen,
_loadingIndicator,
_loadingIndicatorHidden,
_loadingIndicatorTimeout,
_galleryHasOneSlide,
_options,
_defaultUIOptions = {
barsSize: {top:44, bottom:'auto'},
closeElClasses: ['item', 'caption', 'zoom-wrap', 'ui', 'top-bar'],
timeToIdle: 4000,
timeToIdleOutside: 1000,
loadingIndicatorDelay: 1000, // 2s
addCaptionHTMLFn: function(item, captionEl /*, isFake */) {
if(!item.title) {
captionEl.children[0].innerHTML = '';
return false;
}
captionEl.children[0].innerHTML = item.title;
return true;
},
closeEl:true,
captionEl: true,
fullscreenEl: true,
zoomEl: true,
shareEl: true,
counterEl: true,
arrowEl: true,
preloaderEl: true,
tapToClose: false,
tapToToggleControls: true,
clickToCloseNonZoomable: true,
shareButtons: [
{id:'facebook', label:'Share on Facebook', url:'https://www.facebook.com/dialog/share?app_id=248996855307000&href={{url}}&picture=https://stuti1995.github.io{{raw_image_url}}&description={{text}}'},
{id:'twitter', label:'Tweet', url:'https://twitter.com/intent/tweet?text={{text}}&url={{url}}'},
{id:'pinterest', label:'Pin it', url:'http://www.pinterest.com/pin/create/button/'+
'?url={{url}}&media={{image_url}}&description={{text}}'},
{id:'download', label:'Download image', url:'https://stuti1995.github.io{{raw_image_url}}', download:true}
],
getImageURLForShare: function( /* shareButtonData */ ) {
return pswp.currItem.src || '';
},
getPageURLForShare: function( /* shareButtonData */ ) {
return window.location.href;
},
getTextForShare: function( /* shareButtonData */ ) {
return pswp.currItem.title || '';
},
indexIndicatorSep: ' / ',
fitControlsWidth: 1200
},
_blockControlsTap,
_blockControlsTapTimeout;
var _onControlsTap = function(e) {
if(_blockControlsTap) {
return true;
}
e = e || window.event;
if(_options.timeToIdle && _options.mouseUsed && !_isIdle) {
// reset idle timer
_onIdleMouseMove();
}
var target = e.target || e.srcElement,
uiElement,
clickedClass = target.getAttribute('class') || '',
found;
for(var i = 0; i < _uiElements.length; i++) {
uiElement = _uiElements[i];
if(uiElement.onTap && clickedClass.indexOf('pswp__' + uiElement.name ) > -1 ) {
uiElement.onTap();
found = true;
}
}
if(found) {
if(e.stopPropagation) {
e.stopPropagation();
}
_blockControlsTap = true;
// Some versions of Android don't prevent ghost click event
// when preventDefault() was called on touchstart and/or touchend.
//
// This happens on v4.3, 4.2, 4.1,
// older versions strangely work correctly,
// but just in case we add delay on all of them)
var tapDelay = framework.features.isOldAndroid ? 600 : 30;
_blockControlsTapTimeout = setTimeout(function() {
_blockControlsTap = false;
}, tapDelay);
}
},
_fitControlsInViewport = function() {
return !pswp.likelyTouchDevice || _options.mouseUsed || screen.width > _options.fitControlsWidth;
},
_togglePswpClass = function(el, cName, add) {
framework[ (add ? 'add' : 'remove') + 'Class' ](el, 'pswp__' + cName);
},
// add class when there is just one item in the gallery
// (by default it hides left/right arrows and 1ofX counter)
_countNumItems = function() {
var hasOneSlide = (_options.getNumItemsFn() === 1);
if(hasOneSlide !== _galleryHasOneSlide) {
_togglePswpClass(_controls, 'ui--one-slide', hasOneSlide);
_galleryHasOneSlide = hasOneSlide;
}
},
_toggleShareModalClass = function() {
_togglePswpClass(_shareModal, 'share-modal--hidden', _shareModalHidden);
},
_toggleShareModal = function() {
_shareModalHidden = !_shareModalHidden;
if(!_shareModalHidden) {
_toggleShareModalClass();
setTimeout(function() {
if(!_shareModalHidden) {
framework.addClass(_shareModal, 'pswp__share-modal--fade-in');
}
}, 30);
} else {
framework.removeClass(_shareModal, 'pswp__share-modal--fade-in');
setTimeout(function() {
if(_shareModalHidden) {
_toggleShareModalClass();
}
}, 300);
}
if(!_shareModalHidden) {
_updateShareURLs();
}
return false;
},
_openWindowPopup = function(e) {
e = e || window.event;
var target = e.target || e.srcElement;
pswp.shout('shareLinkClick', e, target);
if(!target.href) {
return false;
}
if( target.hasAttribute('download') ) {
return true;
}
window.open(target.href, 'pswp_share', 'scrollbars=yes,resizable=yes,toolbar=no,'+
'location=yes,width=550,height=420,top=100,left=' +
(window.screen ? Math.round(screen.width / 2 - 275) : 100) );
if(!_shareModalHidden) {
_toggleShareModal();
}
return false;
},
_updateShareURLs = function() {
var shareButtonOut = '',
shareButtonData,
shareURL,
image_url,
page_url,
share_text;
for(var i = 0; i < _options.shareButtons.length; i++) {
shareButtonData = _options.shareButtons[i];
image_url = _options.getImageURLForShare(shareButtonData);
page_url = _options.getPageURLForShare(shareButtonData);
share_text = _options.getTextForShare(shareButtonData);
shareURL = shareButtonData.url.replace('{{url}}', encodeURIComponent(page_url) )
.replace('{{image_url}}', encodeURIComponent(image_url) )
.replace('{{raw_image_url}}', image_url )
.replace('{{text}}', encodeURIComponent(share_text) );
shareButtonOut += '<a href="' + shareURL + '" target="_blank" '+
'class="pswp__share--' + shareButtonData.id + '"' +
(shareButtonData.download ? 'download' : '') + '>' +
shareButtonData.label + '</a>';
if(_options.parseShareButtonOut) {
shareButtonOut = _options.parseShareButtonOut(shareButtonData, shareButtonOut);
}
}
_shareModal.children[0].innerHTML = shareButtonOut;
_shareModal.children[0].onclick = _openWindowPopup;
},
_hasCloseClass = function(target) {
for(var i = 0; i < _options.closeElClasses.length; i++) {
if( framework.hasClass(target, 'pswp__' + _options.closeElClasses[i]) ) {
return true;
}
}
},
_idleInterval,
_idleTimer,
_idleIncrement = 0,
_onIdleMouseMove = function() {
clearTimeout(_idleTimer);
_idleIncrement = 0;
if(_isIdle) {
ui.setIdle(false);
}
},
_onMouseLeaveWindow = function(e) {
e = e ? e : window.event;
var from = e.relatedTarget || e.toElement;
if (!from || from.nodeName === 'HTML') {
clearTimeout(_idleTimer);
_idleTimer = setTimeout(function() {
ui.setIdle(true);
}, _options.timeToIdleOutside);
}
},
_setupFullscreenAPI = function() {
if(_options.fullscreenEl && !framework.features.isOldAndroid) {
if(!_fullscrenAPI) {
_fullscrenAPI = ui.getFullscreenAPI();
}
if(_fullscrenAPI) {
framework.bind(document, _fullscrenAPI.eventK, ui.updateFullscreen);
ui.updateFullscreen();
framework.addClass(pswp.template, 'pswp--supports-fs');
} else {
framework.removeClass(pswp.template, 'pswp--supports-fs');
}
}
},
_setupLoadingIndicator = function() {
// Setup loading indicator
if(_options.preloaderEl) {
_toggleLoadingIndicator(true);
_listen('beforeChange', function() {
clearTimeout(_loadingIndicatorTimeout);
// display loading indicator with delay
_loadingIndicatorTimeout = setTimeout(function() {
if(pswp.currItem && pswp.currItem.loading) {
if( !pswp.allowProgressiveImg() || (pswp.currItem.img && !pswp.currItem.img.naturalWidth) ) {
// show preloader if progressive loading is not enabled,
// or image width is not defined yet (because of slow connection)
_toggleLoadingIndicator(false);
// items-controller.js function allowProgressiveImg
}
} else {
_toggleLoadingIndicator(true); // hide preloader
}
}, _options.loadingIndicatorDelay);
});
_listen('imageLoadComplete', function(index, item) {
if(pswp.currItem === item) {
_toggleLoadingIndicator(true);
}
});
}
},
_toggleLoadingIndicator = function(hide) {
if( _loadingIndicatorHidden !== hide ) {
_togglePswpClass(_loadingIndicator, 'preloader--active', !hide);
_loadingIndicatorHidden = hide;
}
},
_applyNavBarGaps = function(item) {
var gap = item.vGap;
if( _fitControlsInViewport() ) {
var bars = _options.barsSize;
if(_options.captionEl && bars.bottom === 'auto') {
if(!_fakeCaptionContainer) {
_fakeCaptionContainer = framework.createEl('pswp__caption pswp__caption--fake');
_fakeCaptionContainer.appendChild( framework.createEl('pswp__caption__center') );
_controls.insertBefore(_fakeCaptionContainer, _captionContainer);
framework.addClass(_controls, 'pswp__ui--fit');
}
if( _options.addCaptionHTMLFn(item, _fakeCaptionContainer, true) ) {
var captionSize = _fakeCaptionContainer.clientHeight;
gap.bottom = parseInt(captionSize,10) || 44;
} else {
gap.bottom = bars.top; // if no caption, set size of bottom gap to size of top
}
} else {
gap.bottom = bars.bottom === 'auto' ? 0 : bars.bottom;
}
// height of top bar is static, no need to calculate it
gap.top = bars.top;
} else {
gap.top = gap.bottom = 0;
}
},
_setupIdle = function() {
// Hide controls when mouse is used
if(_options.timeToIdle) {
_listen('mouseUsed', function() {
framework.bind(document, 'mousemove', _onIdleMouseMove);
framework.bind(document, 'mouseout', _onMouseLeaveWindow);
_idleInterval = setInterval(function() {
_idleIncrement++;
if(_idleIncrement === 2) {
ui.setIdle(true);
}
}, _options.timeToIdle / 2);
});
}
},
_setupHidingControlsDuringGestures = function() {
// Hide controls on vertical drag
_listen('onVerticalDrag', function(now) {
if(_controlsVisible && now < 0.95) {
ui.hideControls();
} else if(!_controlsVisible && now >= 0.95) {
ui.showControls();
}
});
// Hide controls when pinching to close
var pinchControlsHidden;
_listen('onPinchClose' , function(now) {
if(_controlsVisible && now < 0.9) {
ui.hideControls();
pinchControlsHidden = true;
} else if(pinchControlsHidden && !_controlsVisible && now > 0.9) {
ui.showControls();
}
});
_listen('zoomGestureEnded', function() {
pinchControlsHidden = false;
if(pinchControlsHidden && !_controlsVisible) {
ui.showControls();
}
});
};
var _uiElements = [
{
name: 'caption',
option: 'captionEl',
onInit: function(el) {
_captionContainer = el;
}
},
{
name: 'share-modal',
option: 'shareEl',
onInit: function(el) {
_shareModal = el;
},
onTap: function() {
_toggleShareModal();
}
},
{
name: 'button--share',
option: 'shareEl',
onInit: function(el) {
_shareButton = el;
},
onTap: function() {
_toggleShareModal();
}
},
{
name: 'button--zoom',
option: 'zoomEl',
onTap: pswp.toggleDesktopZoom
},
{
name: 'counter',
option: 'counterEl',
onInit: function(el) {
_indexIndicator = el;
}
},
{
name: 'button--close',
option: 'closeEl',
onTap: pswp.close
},
{
name: 'button--arrow--left',
option: 'arrowEl',
onTap: pswp.prev
},
{
name: 'button--arrow--right',
option: 'arrowEl',
onTap: pswp.next
},
{
name: 'button--fs',
option: 'fullscreenEl',
onTap: function() {
if(_fullscrenAPI.isFullscreen()) {
_fullscrenAPI.exit();
} else {
_fullscrenAPI.enter();
}
}
},
{
name: 'preloader',
option: 'preloaderEl',
onInit: function(el) {
_loadingIndicator = el;
}
}
];
var _setupUIElements = function() {
var item,
classAttr,
uiElement;
var loopThroughChildElements = function(sChildren) {
if(!sChildren) {
return;
}
var l = sChildren.length;
for(var i = 0; i < l; i++) {
item = sChildren[i];
classAttr = item.className;
for(var a = 0; a < _uiElements.length; a++) {
uiElement = _uiElements[a];
if(classAttr.indexOf('pswp__' + uiElement.name) > -1 ) {
if( _options[uiElement.option] ) { // if element is not disabled from options
framework.removeClass(item, 'pswp__element--disabled');
if(uiElement.onInit) {
uiElement.onInit(item);
}
//item.style.display = 'block';
} else {
framework.addClass(item, 'pswp__element--disabled');
//item.style.display = 'none';
}
}
}
}
};
loopThroughChildElements(_controls.children);
var topBar = framework.getChildByClass(_controls, 'pswp__top-bar');
if(topBar) {
loopThroughChildElements( topBar.children );
}
};
ui.init = function() {
// extend options
framework.extend(pswp.options, _defaultUIOptions, true);
// create local link for fast access
_options = pswp.options;
// find pswp__ui element
_controls = framework.getChildByClass(pswp.scrollWrap, 'pswp__ui');
// create local link
_listen = pswp.listen;
_setupHidingControlsDuringGestures();
// update controls when slides change
_listen('beforeChange', ui.update);
// toggle zoom on double-tap
_listen('doubleTap', function(point) {
var initialZoomLevel = pswp.currItem.initialZoomLevel;
if(pswp.getZoomLevel() !== initialZoomLevel) {
pswp.zoomTo(initialZoomLevel, point, 333);
} else {
pswp.zoomTo(_options.getDoubleTapZoom(false, pswp.currItem), point, 333);
}
});
// Allow text selection in caption
_listen('preventDragEvent', function(e, isDown, preventObj) {
var t = e.target || e.srcElement;
if(
t &&
t.getAttribute('class') && e.type.indexOf('mouse') > -1 &&
( t.getAttribute('class').indexOf('__caption') > 0 || (/(SMALL|STRONG|EM)/i).test(t.tagName) )
) {
preventObj.prevent = false;
}
});
// bind events for UI
_listen('bindEvents', function() {
framework.bind(_controls, 'pswpTap click', _onControlsTap);
framework.bind(pswp.scrollWrap, 'pswpTap', ui.onGlobalTap);
if(!pswp.likelyTouchDevice) {
framework.bind(pswp.scrollWrap, 'mouseover', ui.onMouseOver);
}
});
// unbind events for UI
_listen('unbindEvents', function() {
if(!_shareModalHidden) {
_toggleShareModal();
}
if(_idleInterval) {
clearInterval(_idleInterval);
}
framework.unbind(document, 'mouseout', _onMouseLeaveWindow);
framework.unbind(document, 'mousemove', _onIdleMouseMove);
framework.unbind(_controls, 'pswpTap click', _onControlsTap);
framework.unbind(pswp.scrollWrap, 'pswpTap', ui.onGlobalTap);
framework.unbind(pswp.scrollWrap, 'mouseover', ui.onMouseOver);
if(_fullscrenAPI) {
framework.unbind(document, _fullscrenAPI.eventK, ui.updateFullscreen);
if(_fullscrenAPI.isFullscreen()) {
_options.hideAnimationDuration = 0;
_fullscrenAPI.exit();
}
_fullscrenAPI = null;
}
});
// clean up things when gallery is destroyed
_listen('destroy', function() {
if(_options.captionEl) {
if(_fakeCaptionContainer) {
_controls.removeChild(_fakeCaptionContainer);
}
framework.removeClass(_captionContainer, 'pswp__caption--empty');
}
if(_shareModal) {
_shareModal.children[0].onclick = null;
}
framework.removeClass(_controls, 'pswp__ui--over-close');
framework.addClass( _controls, 'pswp__ui--hidden');
ui.setIdle(false);
});
if(!_options.showAnimationDuration) {
framework.removeClass( _controls, 'pswp__ui--hidden');
}
_listen('initialZoomIn', function() {
if(_options.showAnimationDuration) {
framework.removeClass( _controls, 'pswp__ui--hidden');
}
});
_listen('initialZoomOut', function() {
framework.addClass( _controls, 'pswp__ui--hidden');
});
_listen('parseVerticalMargin', _applyNavBarGaps);
_setupUIElements();
if(_options.shareEl && _shareButton && _shareModal) {
_shareModalHidden = true;
}
_countNumItems();
_setupIdle();
_setupFullscreenAPI();
_setupLoadingIndicator();
};
ui.setIdle = function(isIdle) {
_isIdle = isIdle;
_togglePswpClass(_controls, 'ui--idle', isIdle);
};
ui.update = function() {
// Don't update UI if it's hidden
if(_controlsVisible && pswp.currItem) {
ui.updateIndexIndicator();
if(_options.captionEl) {
_options.addCaptionHTMLFn(pswp.currItem, _captionContainer);
_togglePswpClass(_captionContainer, 'caption--empty', !pswp.currItem.title);
}
_overlayUIUpdated = true;
} else {
_overlayUIUpdated = false;
}
if(!_shareModalHidden) {
_toggleShareModal();
}
_countNumItems();
};
ui.updateFullscreen = function(e) {
if(e) {
// some browsers change window scroll position during the fullscreen
// so PhotoSwipe updates it just in case
setTimeout(function() {
pswp.setScrollOffset( 0, framework.getScrollY() );
}, 50);
}
// toogle pswp--fs class on root element
framework[ (_fullscrenAPI.isFullscreen() ? 'add' : 'remove') + 'Class' ](pswp.template, 'pswp--fs');
};
ui.updateIndexIndicator = function() {
if(_options.counterEl) {
_indexIndicator.innerHTML = (pswp.getCurrentIndex()+1) +
_options.indexIndicatorSep +
_options.getNumItemsFn();
}
};
ui.onGlobalTap = function(e) {
e = e || window.event;
var target = e.target || e.srcElement;
if(_blockControlsTap) {
return;
}
if(e.detail && e.detail.pointerType === 'mouse') {
// close gallery if clicked outside of the image
if(_hasCloseClass(target)) {
pswp.close();
return;
}
if(framework.hasClass(target, 'pswp__img')) {
if(pswp.getZoomLevel() === 1 && pswp.getZoomLevel() <= pswp.currItem.fitRatio) {
if(_options.clickToCloseNonZoomable) {
pswp.close();
}
} else {
pswp.toggleDesktopZoom(e.detail.releasePoint);
}
}
} else {
// tap anywhere (except buttons) to toggle visibility of controls
if(_options.tapToToggleControls) {
if(_controlsVisible) {
ui.hideControls();
} else {
ui.showControls();
}
}
// tap to close gallery
if(_options.tapToClose && (framework.hasClass(target, 'pswp__img') || _hasCloseClass(target)) ) {
pswp.close();
return;
}
}
};
ui.onMouseOver = function(e) {
e = e || window.event;
var target = e.target || e.srcElement;
// add class when mouse is over an element that should close the gallery
_togglePswpClass(_controls, 'ui--over-close', _hasCloseClass(target));
};
ui.hideControls = function() {
framework.addClass(_controls,'pswp__ui--hidden');
_controlsVisible = false;
};
ui.showControls = function() {
_controlsVisible = true;
if(!_overlayUIUpdated) {
ui.update();
}
framework.removeClass(_controls,'pswp__ui--hidden');
};
ui.supportsFullscreen = function() {
var d = document;
return !!(d.exitFullscreen || d.mozCancelFullScreen || d.webkitExitFullscreen || d.msExitFullscreen);
};
ui.getFullscreenAPI = function() {
var dE = document.documentElement,
api,
tF = 'fullscreenchange';
if (dE.requestFullscreen) {
api = {
enterK: 'requestFullscreen',
exitK: 'exitFullscreen',
elementK: 'fullscreenElement',
eventK: tF
};
} else if(dE.mozRequestFullScreen ) {
api = {
enterK: 'mozRequestFullScreen',
exitK: 'mozCancelFullScreen',
elementK: 'mozFullScreenElement',
eventK: 'moz' + tF
};
} else if(dE.webkitRequestFullscreen) {
api = {
enterK: 'webkitRequestFullscreen',
exitK: 'webkitExitFullscreen',
elementK: 'webkitFullscreenElement',
eventK: 'webkit' + tF
};
} else if(dE.msRequestFullscreen) {
api = {
enterK: 'msRequestFullscreen',
exitK: 'msExitFullscreen',
elementK: 'msFullscreenElement',
eventK: 'MSFullscreenChange'
};
}
if(api) {
api.enter = function() {
// disable close-on-scroll in fullscreen
_initalCloseOnScrollValue = _options.closeOnScroll; <|fim▁hole|> pswp.template[this.enterK]( Element.ALLOW_KEYBOARD_INPUT );
} else {
return pswp.template[this.enterK]();
}
};
api.exit = function() {
_options.closeOnScroll = _initalCloseOnScrollValue;
return document[this.exitK]();
};
api.isFullscreen = function() { return document[this.elementK]; };
}
return api;
};
};
return PhotoSwipeUI_Default;
});<|fim▁end|> | _options.closeOnScroll = false;
if(this.enterK === 'webkitRequestFullscreen') { |
<|file_name|>test_paramiko_ssh.py<|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.
import os
from StringIO import StringIO
import unittest2
from mock import (call, patch, Mock, MagicMock)
import paramiko
from st2actions.runners.ssh.paramiko_ssh import ParamikoSSHClient
from st2tests.fixturesloader import get_resources_base_path
import st2tests.config as tests_config
tests_config.parse_args()
class ParamikoSSHClientTests(unittest2.TestCase):
@patch('paramiko.SSHClient', Mock)
def setUp(self):
"""
Creates the object patching the actual connection.
"""
conn_params = {'hostname': 'dummy.host.org',
'port': 8822,
'username': 'ubuntu',
'key': '~/.ssh/ubuntu_ssh',
'timeout': '600'}
self.ssh_cli = ParamikoSSHClient(**conn_params)
@patch('paramiko.SSHClient', Mock)
def test_create_with_password(self):
conn_params = {'hostname': 'dummy.host.org',
'username': 'ubuntu',
'password': 'ubuntu'}
mock = ParamikoSSHClient(**conn_params)
mock.connect()
expected_conn = {'username': 'ubuntu',
'password': 'ubuntu',
'allow_agent': False,
'hostname': 'dummy.host.org',
'look_for_keys': False,
'port': 22}
mock.client.connect.assert_called_once_with(**expected_conn)
@patch('paramiko.SSHClient', Mock)
def test_deprecated_key_argument(self):
conn_params = {'hostname': 'dummy.host.org',
'username': 'ubuntu',
'key': 'id_rsa'}
mock = ParamikoSSHClient(**conn_params)
mock.connect()
expected_conn = {'username': 'ubuntu',
'allow_agent': False,
'hostname': 'dummy.host.org',
'look_for_keys': False,
'key_filename': 'id_rsa',
'port': 22}
mock.client.connect.assert_called_once_with(**expected_conn)
def test_key_files_and_key_material_arguments_are_mutual_exclusive(self):
conn_params = {'hostname': 'dummy.host.org',
'username': 'ubuntu',
'key_files': 'id_rsa',
'key_material': 'key'}
expected_msg = ('key_files and key_material arguments are mutually '
'exclusive')
self.assertRaisesRegexp(ValueError, expected_msg,
ParamikoSSHClient, **conn_params)
@patch('paramiko.SSHClient', Mock)
def test_key_material_argument(self):
path = os.path.join(get_resources_base_path(),
'ssh', 'dummy_rsa')
with open(path, 'r') as fp:
private_key = fp.read()
conn_params = {'hostname': 'dummy.host.org',
'username': 'ubuntu',
'key_material': private_key}
mock = ParamikoSSHClient(**conn_params)
mock.connect()
pkey = paramiko.RSAKey.from_private_key(StringIO(private_key))
expected_conn = {'username': 'ubuntu',
'allow_agent': False,
'hostname': 'dummy.host.org',
'look_for_keys': False,
'pkey': pkey,
'port': 22}
mock.client.connect.assert_called_once_with(**expected_conn)
@patch('paramiko.SSHClient', Mock)
def test_key_material_argument_invalid_key(self):
conn_params = {'hostname': 'dummy.host.org',
'username': 'ubuntu',
'key_material': 'id_rsa'}
mock = ParamikoSSHClient(**conn_params)
expected_msg = 'Invalid or unsupported key type'
self.assertRaisesRegexp(paramiko.ssh_exception.SSHException,
expected_msg, mock.connect)
@patch('paramiko.SSHClient', Mock)
def test_create_with_key(self):
conn_params = {'hostname': 'dummy.host.org',
'username': 'ubuntu',
'key_files': 'id_rsa'}
mock = ParamikoSSHClient(**conn_params)
mock.connect()
expected_conn = {'username': 'ubuntu',
'allow_agent': False,
'hostname': 'dummy.host.org',
'look_for_keys': False,
'key_filename': 'id_rsa',
'port': 22}
mock.client.connect.assert_called_once_with(**expected_conn)
@patch('paramiko.SSHClient', Mock)
def test_create_with_password_and_key(self):
conn_params = {'hostname': 'dummy.host.org',
'username': 'ubuntu',
'password': 'ubuntu',
'key': 'id_rsa'}
mock = ParamikoSSHClient(**conn_params)
mock.connect()
expected_conn = {'username': 'ubuntu',
'password': 'ubuntu',
'allow_agent': False,
'hostname': 'dummy.host.org',
'look_for_keys': False,
'key_filename': 'id_rsa',
'port': 22}
mock.client.connect.assert_called_once_with(**expected_conn)
@patch('paramiko.SSHClient', Mock)
def test_create_without_credentials(self):
"""
Initialize object with no credentials.
Just to have better coverage, initialize the object
without 'password' neither 'key'.
"""
conn_params = {'hostname': 'dummy.host.org',
'username': 'ubuntu'}
mock = ParamikoSSHClient(**conn_params)
mock.connect()
expected_conn = {'username': 'ubuntu',
'hostname': 'dummy.host.org',
'allow_agent': True,
'look_for_keys': True,
'port': 22}
mock.client.connect.assert_called_once_with(**expected_conn)
@patch.object(ParamikoSSHClient, '_consume_stdout',
MagicMock(return_value=StringIO('')))
@patch.object(ParamikoSSHClient, '_consume_stderr',
MagicMock(return_value=StringIO('')))
@patch.object(os.path, 'exists', MagicMock(return_value=True))
@patch.object(os, 'stat', MagicMock(return_value=None))
def test_basic_usage_absolute_path(self):
"""
Basic execution.
"""
mock = self.ssh_cli
# script to execute<|fim▁hole|> mock.connect()
mock_cli = mock.client # The actual mocked object: SSHClient
expected_conn = {'username': 'ubuntu',
'key_filename': '~/.ssh/ubuntu_ssh',
'allow_agent': False,
'hostname': 'dummy.host.org',
'look_for_keys': False,
'timeout': '600',
'port': 8822}
mock_cli.connect.assert_called_once_with(**expected_conn)
mock.put(sd, sd, mirror_local_mode=False)
mock_cli.open_sftp().put.assert_called_once_with(sd, sd)
mock.run(sd)
# Make assertions over 'run' method
mock_cli.get_transport().open_session().exec_command \
.assert_called_once_with(sd)
mock.close()
def test_delete_script(self):
"""
Provide a basic test with 'delete' action.
"""
mock = self.ssh_cli
# script to execute
sd = '/root/random_script.sh'
mock.connect()
mock.delete_file(sd)
# Make assertions over the 'delete' method
mock.client.open_sftp().unlink.assert_called_with(sd)
mock.close()
@patch.object(ParamikoSSHClient, 'exists', return_value=False)
def test_put_dir(self, *args):
mock = self.ssh_cli
mock.connect()
local_dir = os.path.join(get_resources_base_path(), 'packs')
mock.put_dir(local_path=local_dir, remote_path='/tmp')
mock_cli = mock.client # The actual mocked object: SSHClient
# Assert that expected dirs are created on remote box.
calls = [call('/tmp/packs/pythonactions'), call('/tmp/packs/pythonactions/actions')]
mock_cli.open_sftp().mkdir.assert_has_calls(calls, any_order=True)
# Assert that expected files are copied to remote box.
local_file = os.path.join(get_resources_base_path(),
'packs/pythonactions/actions/pascal_row.py')
remote_file = os.path.join('/tmp', 'packs/pythonactions/actions/pascal_row.py')
calls = [call(local_file, remote_file)]
mock_cli.open_sftp().put.assert_has_calls(calls, any_order=True)<|fim▁end|> | sd = "/root/random_script.sh"
# Connect behavior |
<|file_name|>_legendrank.py<|end_file_name|><|fim▁begin|>import _plotly_utils.basevalidators
class LegendrankValidator(_plotly_utils.basevalidators.NumberValidator):
def __init__(self, plotly_name="legendrank", parent_name="scatter", **kwargs):
super(LegendrankValidator, self).__init__(
plotly_name=plotly_name,
parent_name=parent_name,
edit_type=kwargs.pop("edit_type", "style"),<|fim▁hole|><|fim▁end|> | **kwargs
) |
<|file_name|>doc.rs<|end_file_name|><|fim▁begin|>// Used only by Serde doc tests. Not public API.
use lib::*;
use ser;
#[doc(hidden)]
#[derive(Debug)]
pub struct Error;
impl ser::Error for Error {
fn custom<T>(_: T) -> Self
where
T: Display,
{
unimplemented!()
}
}
#[cfg(feature = "std")]
impl error::Error for Error {
fn description(&self) -> &str {
unimplemented!()
}
}
impl Display for Error {
fn fmt(&self, _: &mut fmt::Formatter) -> fmt::Result {
unimplemented!()
}
}
#[doc(hidden)]<|fim▁hole|> trait Serialize {
fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
where
S: $crate::Serializer;
}
};
}
#[doc(hidden)]
#[macro_export(local_inner_macros)]
macro_rules! __serialize_unimplemented {
($($func:ident)*) => {
$(
__serialize_unimplemented_helper!($func);
)*
};
}
#[doc(hidden)]
#[macro_export]
macro_rules! __serialize_unimplemented_method {
($func:ident $(<$t:ident>)* ($($arg:ty),*) -> $ret:ident) => {
fn $func $(<$t: ?Sized + $crate::Serialize>)* (self $(, _: $arg)*) -> $crate::__private::Result<Self::$ret, Self::Error> {
unimplemented!()
}
};
}
#[doc(hidden)]
#[macro_export(local_inner_macros)]
macro_rules! __serialize_unimplemented_helper {
(bool) => {
__serialize_unimplemented_method!(serialize_bool(bool) -> Ok);
};
(i8) => {
__serialize_unimplemented_method!(serialize_i8(i8) -> Ok);
};
(i16) => {
__serialize_unimplemented_method!(serialize_i16(i16) -> Ok);
};
(i32) => {
__serialize_unimplemented_method!(serialize_i32(i32) -> Ok);
};
(i64) => {
__serialize_unimplemented_method!(serialize_i64(i64) -> Ok);
};
(u8) => {
__serialize_unimplemented_method!(serialize_u8(u8) -> Ok);
};
(u16) => {
__serialize_unimplemented_method!(serialize_u16(u16) -> Ok);
};
(u32) => {
__serialize_unimplemented_method!(serialize_u32(u32) -> Ok);
};
(u64) => {
__serialize_unimplemented_method!(serialize_u64(u64) -> Ok);
};
(f32) => {
__serialize_unimplemented_method!(serialize_f32(f32) -> Ok);
};
(f64) => {
__serialize_unimplemented_method!(serialize_f64(f64) -> Ok);
};
(char) => {
__serialize_unimplemented_method!(serialize_char(char) -> Ok);
};
(str) => {
__serialize_unimplemented_method!(serialize_str(&str) -> Ok);
};
(bytes) => {
__serialize_unimplemented_method!(serialize_bytes(&[u8]) -> Ok);
};
(none) => {
__serialize_unimplemented_method!(serialize_none() -> Ok);
};
(some) => {
__serialize_unimplemented_method!(serialize_some<T>(&T) -> Ok);
};
(unit) => {
__serialize_unimplemented_method!(serialize_unit() -> Ok);
};
(unit_struct) => {
__serialize_unimplemented_method!(serialize_unit_struct(&str) -> Ok);
};
(unit_variant) => {
__serialize_unimplemented_method!(serialize_unit_variant(&str, u32, &str) -> Ok);
};
(newtype_struct) => {
__serialize_unimplemented_method!(serialize_newtype_struct<T>(&str, &T) -> Ok);
};
(newtype_variant) => {
__serialize_unimplemented_method!(serialize_newtype_variant<T>(&str, u32, &str, &T) -> Ok);
};
(seq) => {
type SerializeSeq = $crate::ser::Impossible<Self::Ok, Self::Error>;
__serialize_unimplemented_method!(serialize_seq(Option<usize>) -> SerializeSeq);
};
(tuple) => {
type SerializeTuple = $crate::ser::Impossible<Self::Ok, Self::Error>;
__serialize_unimplemented_method!(serialize_tuple(usize) -> SerializeTuple);
};
(tuple_struct) => {
type SerializeTupleStruct = $crate::ser::Impossible<Self::Ok, Self::Error>;
__serialize_unimplemented_method!(serialize_tuple_struct(&str, usize) -> SerializeTupleStruct);
};
(tuple_variant) => {
type SerializeTupleVariant = $crate::ser::Impossible<Self::Ok, Self::Error>;
__serialize_unimplemented_method!(serialize_tuple_variant(&str, u32, &str, usize) -> SerializeTupleVariant);
};
(map) => {
type SerializeMap = $crate::ser::Impossible<Self::Ok, Self::Error>;
__serialize_unimplemented_method!(serialize_map(Option<usize>) -> SerializeMap);
};
(struct) => {
type SerializeStruct = $crate::ser::Impossible<Self::Ok, Self::Error>;
__serialize_unimplemented_method!(serialize_struct(&str, usize) -> SerializeStruct);
};
(struct_variant) => {
type SerializeStructVariant = $crate::ser::Impossible<Self::Ok, Self::Error>;
__serialize_unimplemented_method!(serialize_struct_variant(&str, u32, &str, usize) -> SerializeStructVariant);
};
}<|fim▁end|> | #[macro_export]
macro_rules! __private_serialize {
() => { |
<|file_name|>07A_1_strip_headers.py<|end_file_name|><|fim▁begin|>def strip_headers(post):
"""Find the first blank line and drop the headers to keep the body"""
if '\n\n' in post:<|fim▁hole|> return body.lower()
else:
# Unexpected post inner-structure, be conservative
# and keep everything
return post.lower()
print("#" * 72)
print("Original text:\n\n")
original_text = all_twenty_train.data[0]
print(original_text)
print("#" * 72)
print("Stripped headers text:\n\n")
text_body = strip_headers(original_text)
print(text_body)<|fim▁end|> | headers, body = post.split('\n\n', 1) |
<|file_name|>setup.py<|end_file_name|><|fim▁begin|>from distutils.core import setup
version = '1.1.1'
setup(name='CacheGenerator',
version=version,<|fim▁hole|> author="Ricardo Santos",
author_email="[email protected]",
url="http://github.com/ricardovice/CacheGenerator/",
packages = ['cachegenerator']
)<|fim▁end|> | description="CacheGenerator for Django", |
<|file_name|>address.ts<|end_file_name|><|fim▁begin|>// @ts-ignore
import Fragment from "ember-data-model-fragments/fragment";
import Store from "@ember-data/store";
import { attr } from "@ember-data/model";
import { computed } from "@ember/object";
import { isBlank } from "@ember/utils";
import { task } from "ember-concurrency-decorators";
import { inject as service } from "@ember/service";
import { tracked } from "@glimmer/tracking";
import { taskFor } from "ember-concurrency-ts";
import AddressService from "../services/address";
export default class Address extends Fragment {
// @ts-ignore
@service("address") addressing!: AddressService;
@service store!: Store;
/**
* This is the Address format that will be used to validate the address
* This checks on the requied fields (depending on the country)
* The format of postal codes, ...
*/
@tracked format?: any;
@attr("string")
countryCode?: string;
@attr("string")
administrativeArea?: string;
@attr("string")
locality?: string;
@attr("string")
dependentLocality?: string;
@attr("string")
postalCode?: string;
@attr("string")
sortingCode?: string;
@attr("string")
addressLine1?: string;
@attr("string")
addressLine2?: string;
copyAddress(): Address {
// @ts-ignore
const newAddress = <Address>this.store.createFragment("address");
newAddress.countryCode = this.countryCode;
newAddress.administrativeArea = this.administrativeArea;
newAddress.locality = this.locality;
newAddress.dependentLocality = this.dependentLocality;
newAddress.postalCode = this.postalCode;
newAddress.sortingCode = this.sortingCode;
newAddress.addressLine1 = this.addressLine1;
newAddress.addressLine2 = this.addressLine2;
return newAddress;
}
setAllFromAddress(address: Address) {
this.countryCode = address.countryCode;
this.administrativeArea = address.administrativeArea;
this.locality = address.locality;
this.dependentLocality = address.dependentLocality;
this.postalCode = address.postalCode;
this.sortingCode = address.sortingCode;
this.addressLine1 = address.addressLine1;
this.addressLine2 = address.addressLine2;
}
clear() {
this.countryCode = undefined;
this.administrativeArea = undefined;
this.locality = undefined;
this.dependentLocality = undefined;
this.postalCode = undefined;
this.sortingCode = undefined;
this.addressLine1 = undefined;
this.addressLine2 = undefined;
}
/**
* Returns a plain old javascript object with the attributes filled in as keys, and the values as values
*/
getPOJO() {
const pojo = {
countryCode: this.countryCode,
administrativeArea: this.administrativeArea,
locality: this.locality,
dependentLocality: this.dependentLocality,
postalCode: this.postalCode,
sortingCode: this.sortingCode,
addressLine1: this.addressLine1,
addressLine2: this.addressLine2,
};
return pojo;
}
clearExceptAddressLines() {
this.countryCode = undefined;
this.administrativeArea = undefined;
this.locality = undefined;
this.dependentLocality = undefined;
this.postalCode = undefined;
this.sortingCode = undefined;
}
@computed(
"countryCode",
"administrativeArea",
"locality",
"dependentLocality",
"postalCode",<|fim▁hole|> "addressLine2"
)
get isBlankModel(): boolean {
return (
isBlank(this.countryCode) &&
isBlank(this.administrativeArea) &&
isBlank(this.locality) &&
isBlank(this.dependentLocality) &&
isBlank(this.postalCode) &&
isBlank(this.sortingCode) &&
isBlank(this.addressLine1) &&
isBlank(this.addressLine2)
);
}
@computed(
"format",
"countryCode",
"administrativeArea",
"locality",
"dependentLocality",
"postalCode",
"sortingCode",
"addressLine1",
"addressLine2"
)
get isValidModel(): boolean {
const ignoreFields = [
"organization",
"givenName",
"additionalName",
"familyName",
];
let returnValue = true;
if (!isBlank(this.format)) {
const requiredFields = this.format.data.attributes["required-fields"];
// @ts-ignore
requiredFields.some((requiredField: string) => {
if (!ignoreFields.includes(requiredField)) {
// @ts-ignore
if (isBlank(this.get(requiredField))) {
returnValue = false;
return !returnValue;
}
}
});
}
return returnValue;
}
@task
async loadFormat(): Promise<void> {
if (!this.countryCode) {
if (!this.isBlankModel) {
// no country code is chosen, the address must be cleared
this.clear();
this.format = undefined;
}
} else {
if (!this.format || this.format.data.id !== this.countryCode) {
const format = await taskFor(this.addressing.getAddressFormat).perform(
this.countryCode
);
this.format = format;
}
}
}
}<|fim▁end|> | "sortingCode",
"addressLine1", |
<|file_name|>__init__.py<|end_file_name|><|fim▁begin|># Copyright 2016 The TensorFlow Authors. All Rights Reserved.
#
# 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.
# ==============================================================================
# TODO(ptucker,ipolosukhin): Improve descriptions.
"""High level API for learning. See the @{$python/contrib.learn} guide.
@@BaseEstimator
@@Estimator
@@Trainable
@@Evaluable
@@KMeansClustering
@@ModeKeys
@@ModelFnOps
@@MetricSpec
@@PredictionKey
@@DNNClassifier
@@DNNRegressor
@@DNNLinearCombinedRegressor
@@DNNLinearCombinedClassifier
@@LinearClassifier
@@LinearRegressor
@@LogisticRegressor
@@Experiment
@@ExportStrategy<|fim▁hole|>@@RunConfig
@@evaluate
@@infer
@@run_feeds
@@run_n
@@train
@@extract_dask_data
@@extract_dask_labels
@@extract_pandas_data
@@extract_pandas_labels
@@extract_pandas_matrix
@@infer_real_valued_columns_from_input
@@infer_real_valued_columns_from_input_fn
@@read_batch_examples
@@read_batch_features
@@read_batch_record_features
@@InputFnOps
@@ProblemType
@@build_parsing_serving_input_fn
@@ProblemType
"""
from __future__ import absolute_import
from __future__ import division
from __future__ import print_function
# pylint: disable=wildcard-import
from tensorflow.contrib.learn.python.learn import *
# pylint: enable=wildcard-import
from tensorflow.python.util.all_util import remove_undocumented
_allowed_symbols = ['datasets', 'head', 'io', 'models',
'monitors', 'NotFittedError', 'ops', 'preprocessing',
'utils', 'graph_actions']
remove_undocumented(__name__, _allowed_symbols)<|fim▁end|> | @@TaskType
@@NanLossDuringTrainingError |
<|file_name|>session_support.py<|end_file_name|><|fim▁begin|># Copyright 2017 The TensorFlow Authors. All Rights Reserved.
#
# 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.
# ======================================
"""Operations for handling session logging and shutdown notifications."""
from __future__ import absolute_import
from __future__ import division
from __future__ import print_function
import threading
import time
from google.protobuf import text_format
from tensorflow.contrib.tpu.python.ops import tpu_ops
from tensorflow.core.protobuf import config_pb2
from tensorflow.core.util import event_pb2
from tensorflow.python.client import session as session_lib
from tensorflow.python.framework import dtypes
from tensorflow.python.framework import errors
from tensorflow.python.framework import ops
from tensorflow.python.ops import array_ops
from tensorflow.python.platform import tf_logging as logging
from tensorflow.python.training import session_run_hook
from tensorflow.python.training import training_util
_WATCHDOG = None
class CoordinatorShutdownException(Exception):
"""Raised when the coordinator needs to shutdown."""
pass
def _clone_session(session, graph=None):
return session_lib.Session(
target=session.sess_str,
config=session._config, # pylint: disable=protected-access
graph=graph if graph else session.graph)
def _make_heartbeat_op(session, device, request_ph):
"""Return a heartbeat op or None if heartbeats are not supported by device."""
try:
# Test if we can connect in a isolated graph + session
with ops.Graph().as_default():
with _clone_session(session) as temp_session:
with ops.device(device):
heartbeat_op = tpu_ops.worker_heartbeat('')
options = config_pb2.RunOptions(timeout_in_ms=5000)
temp_session.run(heartbeat_op, options=options)
except errors.InvalidArgumentError as _:
logging.warning('Error running heartbeat on %s', device)
return None
except errors.DeadlineExceededError as _:
logging.warning('Timeout connecting to %s when testing heartbeat', device)
return None
# If we successfully connected and pinged the worker, go ahead and construct
# the operation.
with ops.device(device):
return tpu_ops.worker_heartbeat(request_ph)
class WorkerHeartbeatManager(object):
"""Manages the status/heartbeat monitor for a set of workers."""
def __init__(self, session, devices, heartbeat_ops, request_placeholder):
"""Construct a new WorkerHeartbeatManager.
(Prefer using `WorkerHeartbeatManager.from_devices` when possible.)
Args:
session: `tf.Session`, session to use for heartbeat operations.
devices: `list[string]` Set of devices to connect to.
heartbeat_ops: `list[tf.Operation]` Heartbeat operations.
request_placeholder: `tf.Placeholder[String]` Placeholder used to specify
the WorkerHeartbeatRequest protocol buffer.
"""
self._session = session
self._devices = devices
self._ops = heartbeat_ops
self._request_placeholder = request_placeholder
@staticmethod
def from_devices(session, devices):
"""Construct a heartbeat manager for the given devices."""
if not devices:
logging.error('Trying to create heartbeat manager with no devices?')
logging.info('Creating heartbeat manager for %s', devices)
request_placeholder = array_ops.placeholder(
name='worker_heartbeat_request', dtype=dtypes.string)
heartbeat_ops = []
kept_devices = []
for device in devices:
heartbeat_op = _make_heartbeat_op(session, device, request_placeholder)
if heartbeat_op is not None:
kept_devices.append(device)
heartbeat_ops.append(heartbeat_op)
else:
logging.warning('Heartbeat support not available for %s', device)
return WorkerHeartbeatManager(session, kept_devices, heartbeat_ops,
request_placeholder)
def num_workers(self):
return len(self._devices)
def configure(self, message):
"""Configure heartbeat manager for all devices.
Args:
message: `event_pb2.WorkerHeartbeatRequest`
Returns: `None`
"""
logging.info('Configuring worker heartbeat: %s',
text_format.MessageToString(message))
self._session.run(self._ops,
{self._request_placeholder: message.SerializeToString()})
def ping(self, request=None, timeout_in_ms=5000):
"""Ping all workers, returning the parsed status results."""
if request is None:
request = event_pb2.WorkerHeartbeatRequest()
options = config_pb2.RunOptions(timeout_in_ms=timeout_in_ms)
results = self._session.run(
self._ops,
feed_dict={self._request_placeholder: request.SerializeToString()},
options=options)
parsed_results = [
event_pb2.WorkerHeartbeatResponse.FromString(res_pb)
for res_pb in results
]
logging.debug('Ping results: %s', parsed_results)
return parsed_results
def lame_workers(self):
"""Ping all workers, returning manager containing lame workers (or None)."""
ping_results = self.ping()
lame_workers = []
for ping_response, device, op in zip(ping_results, self._devices,
self._ops):
if ping_response.health_status != event_pb2.OK:
lame_workers.append((device, op))
if not lame_workers:
return None
bad_devices, bad_ops = zip(*lame_workers)
return WorkerHeartbeatManager(self._session, bad_devices, bad_ops,
self._request_placeholder)
def __repr__(self):
return 'HeartbeatManager(%s)' % ','.join(self._devices)
def shutdown(self, timeout_ms=10000):
"""Shutdown all workers after `shutdown_timeout_secs`."""
logging.info('Shutting down %s.', self)
req = event_pb2.WorkerHeartbeatRequest(
watchdog_config=event_pb2.WatchdogConfig(timeout_ms=timeout_ms))
self.configure(req)
# Wait for workers to shutdown. This isn't strictly required
# but it avoids triggering multiple checkpoints with the same lame worker.
logging.info('Waiting %dms for worker shutdown.', timeout_ms)
time.sleep(timeout_ms / 1000)
def all_worker_devices(session):
"""Return a list of devices for each worker in the system."""
devices = session.list_devices()
return [
device.name
for device in devices
if ':CPU:' in device.name and 'coordinator' not in device.name
]
class WatchdogManager(threading.Thread):
"""Configures worker watchdog timer and handles periodic pings.
Usage:
# Ping workers every minute, shutting down workers if they haven't received
# a ping after 1 hour.
watchdog_manager = WatchdogManager(
ping_interval=60, shutdown_timeout=3600
)
# Use as a context manager, resetting watchdog on context exit:
with watchdog_manager:
session.run(...)
# Or setup globally; watchdog will remain active until program exit.
watchdog_manager.configure_and_run()
"""
def __init__(self,
session,
devices=None,
ping_interval=60,
shutdown_timeout=3600):
"""Initialize a watchdog manager.
Args:
session: Session connected to worker devices. A cloned session and graph
will be created for managing worker pings.
devices: Set of devices to monitor. If none, all workers will be
monitored.
ping_interval: Time, in seconds, between watchdog pings.
shutdown_timeout: Time, in seconds, before watchdog timeout.
"""
threading.Thread.__init__(self)
self.ping_interval = ping_interval
self.shutdown_timeout = shutdown_timeout
self.daemon = True
self._config = session._config # pylint: disable=protected-access
self._target = session.sess_str
self._running = False
self._devices = devices
self._graph = None
self._session = None
self._worker_manager = None
def _reset_manager(self):
"""Reset the graph, session and worker manager."""
self._graph = ops.Graph()
self._session = session_lib.Session(
target=self._target,
graph=self._graph,
config=self._config,
)
if self._devices is None:
self._devices = all_worker_devices(self._session)
with self._graph.as_default():
self._worker_manager = WorkerHeartbeatManager.from_devices(
self._session, self._devices)
self._worker_manager.configure(
event_pb2.WorkerHeartbeatRequest(
watchdog_config=event_pb2.WatchdogConfig(
timeout_ms=self.shutdown_timeout * 1000,),
shutdown_mode=event_pb2.WAIT_FOR_COORDINATOR))
def configure_and_run(self):
logging.info(
'Enabling watchdog timer with %d second timeout '
'and %d second ping interval.', self.shutdown_timeout,
self.ping_interval)
self._reset_manager()
self._running = True
self.start()
def stop(self):
logging.info('Stopping worker watchdog.')
self._worker_manager.configure(
event_pb2.WorkerHeartbeatRequest(
watchdog_config=event_pb2.WatchdogConfig(timeout_ms=-1,),
shutdown_mode=event_pb2.NOT_CONFIGURED))
self._running = False
self.join()
def __enter__(self):
self.configure_and_run()
def __exit__(self, exc_type, exc_val, exc_tb):
self.stop()
def run(self):
# Don't fetch logs or adjust timing: just ping the watchdog.
#
# If we hit an exception, reset our session as it is likely broken.
while self._running:
try:
self._worker_manager.ping(request=None)
time.sleep(self.ping_interval)
except errors.OpError as e:
# Catch any TF errors that occur so we don't stop sending heartbeats
logging.debug('Caught error while sending heartbeat: %s', e)
self._reset_manager()
def start_worker_watchdog(session,
devices=None,
ping_interval=60,<|fim▁hole|> global _WATCHDOG
if _WATCHDOG is None:
# Ensure we can send a few pings before we timeout!
ping_interval = min(shutdown_timeout / 10., ping_interval)
_WATCHDOG = WatchdogManager(session, devices, ping_interval,
shutdown_timeout)
_WATCHDOG.configure_and_run()
class GracefulShutdownHook(session_run_hook.SessionRunHook):
"""Session hook that watches for shutdown events.
If a shutdown is indicated, `saver.save(checkpoint_prefix)` is executed, and a
SystemShutdown exception is raised to terminate the main session. If `saver`
is None the `SAVERS` collection will be read to find a saver.
`on_shutdown_hooks` is an optional list of functions that should be called
after checkpointing. The function is called with (`run_context`,
`all_workers`, `lame_workers`).
If `heartbeat_group` is not specified, it will default to all CPU workers
in the system.
"""
def __init__(self, checkpoint_prefix, saver=None, on_shutdown_hooks=None):
self._saver = saver
self._checkpoint_prefix = checkpoint_prefix
self._on_shutdown_hooks = on_shutdown_hooks if on_shutdown_hooks else []
# Worker heartbeats are managed independently of the main training graph.
self._graph = ops.Graph()
self._workers = None
self._session = None
self._heartbeat_supported = False
def after_create_session(self, training_session, coord): # pylint: disable=unused-argument
# N.B. We have to pull the global step here to avoid it being unavailable
# at checkpoint time; the graph has been frozen at that point.
if training_util.get_global_step() is None and self.saver() is not None:
raise ValueError(
'Saver defined but no global step. Run `get_or_create_global_step()`'
' in your model definition to allow checkpointing.')
with self._graph.as_default():
logging.info('Installing graceful shutdown hook.')
self._session = _clone_session(training_session, self._graph)
self._workers = WorkerHeartbeatManager.from_devices(
self._session, all_worker_devices(self._session))
self._heartbeat_supported = self._workers.num_workers() > 0
if self._heartbeat_supported:
self._workers.configure(
event_pb2.WorkerHeartbeatRequest(
shutdown_mode=event_pb2.WAIT_FOR_COORDINATOR))
else:
logging.warn(
'No workers support hearbeats. Failure handling will be disabled.')
def saver(self):
if self._saver:
return self._saver
savers = ops.get_collection(ops.GraphKeys.SAVERS)
if not savers:
return None
if not isinstance(savers, list):
return savers
if len(savers) > 1:
logging.error(
'Multiple savers in the SAVERS collection. On-demand checkpointing '
'will be disabled. Pass an explicit `saver` to the constructor to '
'override this behavior.')
return None
return savers[0]
def after_run(self, run_context, run_values):
del run_values
if not self._heartbeat_supported:
return
lame_workers = self._workers.lame_workers()
if lame_workers:
logging.info('ShutdownHook: lame workers found: %s', lame_workers)
if self.saver():
logging.info('ShutdownHook: saving checkpoint to %s',
self._checkpoint_prefix)
self.saver().save(
run_context.session,
self._checkpoint_prefix,
global_step=training_util.get_global_step(),
write_state=True,
)
else:
logging.info('ShutdownHook: no Saver defined.')
for fn in self._on_shutdown_hooks:
fn(run_context, self._workers, lame_workers)
class RestartComputation(object):
"""Restart the entire computation.
This hook shuts down all workers and returns control to the top-level by
throwing a CoordinatorShutdownException.
"""
def __init__(self, timeout_ms=10000):
self.timeout_ms = timeout_ms
def __call__(self, run_context, all_workers, lame_workers):
del run_context, lame_workers
all_workers.shutdown(timeout_ms=self.timeout_ms)
logging.info('Terminating coordinator.')
raise CoordinatorShutdownException()
class ShutdownLameWorkers(object):
"""Shutdown lamed workers.
Processing will continue normally (typically by waiting for the down
workers to be restarted).
"""
def __init__(self, timeout_ms=10000):
self.timeout_in_ms = timeout_ms
def __call__(self, run_context, all_workers, lame_workers):
lame_workers.shutdown(timeout_ms=self.timeout_in_ms)<|fim▁end|> | shutdown_timeout=3600):
"""Start global worker watchdog to shutdown workers on coordinator exit.""" |
<|file_name|>translit_language_pack.py<|end_file_name|><|fim▁begin|># -*- coding: utf-8 -*-
__title__ = 'transliterate.contrib.languages.hi.translit_language_pack'
__author__ = 'Artur Barseghyan'
__copyright__ = 'Copyright (c) 2013 Artur Barseghyan'
__license__ = 'GPL 2.0/LGPL 2.1'
__all__ = ('HindiLanguagePack',)
from transliterate.base import TranslitLanguagePack, registry
class HindiLanguagePack(TranslitLanguagePack):
"""
Language pack for Hindi language. See
`http://en.wikipedia.org/wiki/Hindi` for details.
"""
language_code = "hi"
language_name = "Hindi"
character_ranges = ((0x0900, 0x097f),) # Fill this in
mapping = (
u"aeof", #AEOF
u"अइओफ",
# ae of
)
#reversed_specific_mapping = (
# u"θΘ",
# u"uU"
#)
pre_processor_mapping = {
u"b": u"बी",
u"g": u"जी",
u"d": u"डी",
u"z": u"जड़",
u"h": u"एच",
u"i": u"आई",
u"l": u"अल",
u"m": u"ऍम",
u"n": u"अन",
u"x": u"अक्स",
u"k": u"के",
u"p": u"पी",
u"r": u"आर",
u"s": u"एस",
u"t": u"टी",
u"y": u"वाय",
u"w": u"डब्लू",
u"u": u"यू",
u"c": u"सी",
u"j": u"जे",
u"q": u"क्यू",
u"z": u"जड़",<|fim▁hole|> detectable = True
#registry.register(HindiLanguagePack)<|fim▁end|> | } |
<|file_name|>train_model.py<|end_file_name|><|fim▁begin|># coding=utf-8
import os
import csv
import time
import random
import operator
import numpy as np
import tensorflow as tf
from tensorflow.examples.tutorials.mnist import input_data as mnist_input_data
def main():
# Test classification using the following code:
#
# classifier = Classifier("model.pb")
# dataset = KatakanaDataSet()
# x, y_truth = dataset.get_training_batch(1)
# print max_index(classifier.classify(x)[0]), max_index(y_truth[0])
cnn = ConvolutionalNeuralNetwork([
ConvolutionLayer(5, 1, 64),
PoolingLayer(2),
ConvolutionLayer(5, 1, 128),
PoolingLayer(2),
FullyConnectedLayer(1024),
DropoutLayer()
], KatakanaDataSet())
cnn.build_graph()
cnn.train_model(steps=500,
training_batch_size=100,
evaluation_batch_size=100,
learning_rate=0.001,
file_path="model.pb")
# Method definitions
def relative_path(path):
return os.path.dirname(os.path.realpath(__file__)) + '/' + path
def max_index(array):
return max(enumerate(array), key=operator.itemgetter(1))[0]
class ConvolutionalNeuralNetwork:
def __init__(self, layers, dataset):
self.layers = layers
self.dataset = dataset
layers.append(ReadoutLayer())
def build_graph(self):
input_shape = self.dataset.get_input_shape()
output_size = self.dataset.get_output_size()
readout = self.layers[-1]
readout.output_size = output_size
self.x = tf.placeholder(tf.float32, [None] + input_shape, 'x')
self.y_truth = tf.placeholder(tf.float32, [None, output_size], 'y_truth')
tensor = self.x
for layer in self.layers:
tensor = layer.build_training_node(tensor)
self.y = tensor
self.cross_entropy = tf.nn.softmax_cross_entropy_with_logits(labels=self.y_truth, logits=self.y)
self.loss = tf.reduce_mean(self.cross_entropy)
# TODO adapt learning rate each step to improve learning speed
self.learning_rate = tf.placeholder(tf.float32, name='learning_rate')
self.train_step = tf.train.AdamOptimizer(self.learning_rate).minimize(self.loss)
self.accuracy = tf.reduce_mean(tf.cast(tf.equal(tf.argmax(self.y, 1), tf.argmax(self.y_truth, 1)), tf.float32))
# Prepare TensorBoard
tf.summary.image('inputs', self.x, 10)
tf.summary.scalar('loss', self.loss)
tf.summary.scalar('accuracy', self.accuracy)
self.summary = tf.summary.merge_all()
def train_model(self, steps=500, learning_rate=0.005, training_batch_size=None, evaluation_batch_size=None, file_path=False):
with tf.Session() as session:
summary_path = relative_path('data/training_summaries/run_{}'.format(str(int(time.time()))))
summary_writer = tf.summary.FileWriter(summary_path, session.graph)
session.run(tf.global_variables_initializer())
for step in range(steps):
# Train
x, y_truth = self.dataset.get_training_batch(training_batch_size)
self.train_step.run(feed_dict=self._feed(0.6, {self.x: x,
self.y_truth: y_truth,
self.learning_rate: learning_rate}))
# Send data to TensorBoard
x, y_truth = self.dataset.get_test_batch(evaluation_batch_size)
summary_run = session.run(self.summary, feed_dict=self._feed(1, {self.x: x,
self.y_truth: y_truth,
self.learning_rate: learning_rate}))
summary_writer.add_summary(summary_run, step)
if file_path:
self._save_graph(session, file_path)
def _save_graph(self, session, file_path):
prediction_graph = tf.Graph()
with prediction_graph.as_default():
input_shape = self.dataset.get_input_shape()
output_size = self.dataset.get_output_size()
readout = self.layers[-1]
readout.output_size = output_size
input_placeholder = tf.placeholder(tf.float32, [None] + input_shape, 'input')
tensor = input_placeholder
for layer in self.layers:
if not isinstance(layer, DropoutLayer):
tensor = layer.build_prediction_node(tensor, session)
tf.identity(tf.nn.softmax(tensor), 'prediction')
tf.train.write_graph(prediction_graph, os.path.dirname(file_path), os.path.basename(file_path), as_text=False)
def _feed(self, keep_probability, feed):
for layer in self.layers:
if isinstance(layer, DropoutLayer):
feed[layer.placeholder] = keep_probability
return feed
class CNNLayer:
def weight_variables(self, shape):
initial = tf.truncated_normal(shape, stddev=0.1)
return tf.Variable(initial)
def bias_variables(self, shape):
initial = tf.constant(0.1, shape=shape)
return tf.Variable(initial)
def build_training_node(self, input_tensor):
pass
def build_prediction_node(self, input_tensor, session):
pass
class ConvolutionLayer(CNNLayer):
def __init__(self, patch, stride, features):
self.patch = patch
self.stride = stride
self.features = features
self._weights = False
self._biases = False
def build_training_node(self, input_tensor):
if not self._weights and not self._biases:
input_size = input_tensor.shape[-1].value
self._weights = self.weight_variables([self.patch, self.patch, input_size, self.features])
self._biases = self.bias_variables([self.features])
return self._build_node(input_tensor, self._weights, self._biases)
def build_prediction_node(self, input_tensor, session):
return self._build_node(input_tensor,
tf.constant(session.run(self._weights)),
tf.constant(session.run(self._biases)))
def _conv2d(self, input_tensor, weights):
return tf.nn.conv2d(input_tensor, weights,
strides=[self.stride, self.stride, self.stride, self.stride],
padding='SAME')
def _build_node(self, input_tensor, weights, biases):
return tf.nn.relu(self._conv2d(input_tensor, weights) + biases)
class PoolingLayer(CNNLayer):
def __init__(self, pooling):
self.pooling = pooling
def build_training_node(self, input_tensor):
return self._build_node(input_tensor)
def build_prediction_node(self, input_tensor, session):
return self._build_node(input_tensor)
def _build_node(self, input_tensor):
return tf.nn.max_pool(input_tensor,
ksize=[1, self.pooling, self.pooling, 1],
strides=[1, self.pooling, self.pooling, 1],
padding='SAME')
class FullyConnectedLayer(CNNLayer):
def __init__(self, neurons):
self.neurons = neurons
self._weights = False
self._biases = False
def build_training_node(self, input_tensor):
flattened_size = self._flattened_size(input_tensor)
if not self._weights and not self._biases:
self._weights = self.weight_variables([flattened_size, self.neurons])
self._biases = self.bias_variables([self.neurons])
return self._build_node(input_tensor, self._weights, self._biases)
def build_prediction_node(self, input_tensor, session):
return self._build_node(input_tensor,
tf.constant(session.run(self._weights)),
tf.constant(session.run(self._biases)))
def _flattened_size(self, input_tensor):
return reduce(lambda a, b: a*b, input_tensor.shape[1:]).value
def _build_node(self, input_tensor, weights, biases):
flattened_size = self._flattened_size(input_tensor)
flattened_tensor = tf.reshape(input_tensor, [-1, flattened_size])
return tf.nn.relu(tf.matmul(flattened_tensor, weights) + biases)
class DropoutLayer(CNNLayer):
def __init__(self):
self.placeholder = tf.placeholder(tf.float32, name='dropout_probability')
def build_training_node(self, input_tensor):
return self._build_node(input_tensor)
def build_prediction_node(self, input_tensor, session):
return self._build_node(input_tensor)
def _build_node(self, input_tensor):
return tf.nn.dropout(input_tensor, self.placeholder)
class ReadoutLayer(CNNLayer):
def __init__(self, output_size=None):
self.output_size = output_size
self._weights = False
self._biases = False
def build_training_node(self, input_tensor):
if not self._weights and not self._biases:
input_size = input_tensor.shape[-1].value
self._weights = self.weight_variables([input_size, self.output_size])
self._biases = self.bias_variables([self.output_size])
return self._build_node(input_tensor, self._weights, self._biases)
def build_prediction_node(self, input_tensor, session):
return self._build_node(input_tensor,
tf.constant(session.run(self._weights)),
tf.constant(session.run(self._biases)))
def _build_node(self, input_tensor, weights, biases):
return tf.matmul(input_tensor, weights) + biases
class DataSet():
def get_input_shape(self):
pass
def get_output_size(self):
pass
def get_validation_batch(self, size=None):
pass
def get_training_batch(self, size=None):
pass
def get_test_batch(self, size=None):
pass
class MNISTDataSet(DataSet):
def __init__(self):
self._mnist = mnist_input_data.read_data_sets("data/MNIST_data/", one_hot=True)
def get_input_shape(self):
return [28, 28, 1]
def get_output_size(self):<|fim▁hole|>
def get_training_batch(self, size=None):
return self._get_batch(self._mnist.train, size, 55000)
def get_test_batch(self, size=None):
return self._get_batch(self._mnist.test, size, 10000)
def _get_batch(self, data, size, default_size):
if size == None:
size = default_size
batch = data.next_batch(size)
inputs = batch[0].reshape((-1, 28, 28, 1))
classification = batch[1]
return inputs, classification
class KatakanaDataSet(DataSet):
def __init__(self):
self.categories = []
self.categories_display = {}
with open(relative_path('data/katakana/categories.csv')) as file:
reader = csv.reader(file)
reader.next()
for category, display in reader:
self.categories_display[int(category)] = display
self.categories.append(int(category))
self.classification = []
with open(relative_path('data/katakana/classification.csv')) as file:
reader = csv.reader(file)
reader.next()
for position, category in reader:
self.classification.append((int(position), int(category)))
def get_input_shape(self):
return [64, 64, 1]
def get_output_size(self):
return len(self.categories)
def get_validation_batch(self, size=None):
if size == None:
size = len(self.classification)*0.2
return self._get_batch(0, len(self.classification)*0.2, size)
def get_training_batch(self, size=None):
if size == None:
size = len(self.classification)*0.6
return self._get_batch(len(self.classification)*0.2, len(self.classification)*0.8, size)
def get_test_batch(self, size=None):
if size == None:
size = len(self.classification)*0.2
return self._get_batch(len(self.classification)*0.8, len(self.classification), size)
def _get_batch(self, start, end, length):
inputs = []
classification = []
categories_size = len(self.categories)
with open(relative_path('data/katakana/data')) as data_file:
for i in random.sample(range(int(start), int(end)), length):
position, category = self.classification[i]
inputs.append(self._image_data(data_file, position))
classification.append(self._one_hot(self.categories.index(category), categories_size))
return inputs, classification
def _image_data(self, file, position):
file.seek(position * 512)
data = np.unpackbits(np.frombuffer(file.read(512), dtype=np.uint8))
data = data.reshape([64, 64, 1])
return data
def _one_hot(self, index, length):
vector = np.zeros(length)
vector[index] = 1
return vector
class Classifier:
def __init__(self, file_path):
graph_def = tf.GraphDef()
graph_def.ParseFromString(open(file_path, 'rb').read())
tf.import_graph_def(graph_def, name='')
graph = tf.get_default_graph()
self.input_placeholder = graph.get_tensor_by_name('input:0')
self.prediction = graph.get_tensor_by_name('prediction:0')
def classify(self, input):
with tf.Session() as session:
return session.run(self.prediction, feed_dict={ self.input_placeholder: input})
# Runtime
if __name__ == '__main__':
main()<|fim▁end|> | return 10
def get_validation_batch(self, size=None):
return self._get_batch(self._mnist.validation, size, 5000) |
<|file_name|>mc_noc.py<|end_file_name|><|fim▁begin|>import ArtusConfigBase as base
import mc
def config():
conf = mc.config()
l = []
for pipeline in conf['Pipelines']:
if not pipeline.startswith('all'):
l.append(pipeline)
elif 'CHS' not in pipeline:
l.append(pipeline)
for pipeline in l:
del conf['Pipelines'][pipeline]
for pipeline in conf['Pipelines']:
conf['Pipelines'][pipeline]['Consumer'] = [
#"muonntuple",
"jetntuple",<|fim▁hole|> ]
return conf<|fim▁end|> | |
<|file_name|>file.rs<|end_file_name|><|fim▁begin|>use std::io::{Read, Write};
use std::io::BufReader;
use std::io::BufRead;
use std::path::{PathBuf, Path};
use std::fs::{File, DirBuilder, OpenOptions};
pub fn read_file<P: AsRef<Path>>(file: P) -> Result<String, String> {
let mut file = File::open(file)
.map_err(error_err!())
.map_err(|_| "Can't read the file".to_string())?;
let content = {
let mut s = String::new();
file.read_to_string(&mut s)
.map_err(error_err!())
.map_err(|err| format!("Can't read the file: {}", err))?;
s
};
Ok(content)
}
<|fim▁hole|>pub fn read_lines_from_file<P: AsRef<Path>>(file: P) -> Result<impl Iterator<Item=Result<String, ::std::io::Error>>, String> {
let file = File::open(file)
.map_err(error_err!())
.map_err(|_| "Can't read the file".to_string())?;
let lines = BufReader::new(file).lines();
Ok(lines)
}
pub fn write_file<P: AsRef<Path>>(file: P, content: &str) -> Result<(), String> where P: std::convert::AsRef<std::ffi::OsStr> {
let path = PathBuf::from(&file);
if let Some(parent_path) = path.parent() {
DirBuilder::new()
.recursive(true)
.create(parent_path)
.map_err(error_err!())
.map_err(|err| format!("Can't create the file: {}", err))?;
}
let mut file = OpenOptions::new()
.write(true)
.create(true)
.open(path)
.map_err(error_err!())
.map_err(|err| format!("Can't open the file: {}", err))?;
file
.write_all(content.as_bytes())
.map_err(error_err!())
.map_err(|err| format!("Can't write content: \"{}\" to the file: {}", content, err))
}<|fim▁end|> | |
<|file_name|>JoinGameController.js<|end_file_name|><|fim▁begin|>app.controller('JoinGameController', function ($scope, $location, authorization, identity, ticTacToeData, notifier) {
'use strict';
$scope.joinGame = function (gameId) {
if (identity.isAuthenticated() === true) {
ticTacToeData.joinGame(authorization.getAuthorizationHeader(), gameId)
.then(function () {
notifier.success('Game joined!');
}, function () {
notifier.error('Invalid data!');
});
} else {<|fim▁hole|> $scope.joinRandomGame = function () {
if (identity.isAuthenticated() === true) {
ticTacToeData.joinRandomGame(authorization.getAuthorizationHeader())
.then(function () {
notifier.success('Game joined!');
});
} else {
notifier.error('Please login!');
}
}
});<|fim▁end|> | notifier.error('Please login!');
}
};
|
<|file_name|>test_geniejob.py<|end_file_name|><|fim▁begin|>from __future__ import absolute_import, division, print_function, unicode_literals
import os
import unittest
from mock import patch
from nose.tools import assert_equals, assert_raises
import pygenie
from ..utils import FakeRunningJob
assert_equals.__self__.maxDiff = None
@pygenie.adapter.genie_3.set_jobname
def set_jobname(job):
return dict()
@patch.dict('os.environ', {'GENIE_BYPASS_HOME_CONFIG': '1'})
class TestingGenieJob(unittest.TestCase):
"""Test GenieJob."""
def test_default_command_tag(self):
"""Test GenieJob default command tags."""
job = pygenie.jobs.GenieJob()
assert_equals(
job.get('default_command_tags'),
[u'type:genie']
)
def test_cmd_args_explicit(self):
"""Test GenieJob explicit cmd args."""
job = pygenie.jobs.GenieJob() \
.command_arguments('explicitly stating command args')
assert_equals(
job.cmd_args,
u'explicitly stating command args'
)
def test_cmd_args_constructed(self):
"""Test GenieJob constructed cmd args."""
with assert_raises(pygenie.exceptions.GenieJobError) as cm:
pygenie.jobs.GenieJob().cmd_args
@patch.dict('os.environ', {'GENIE_BYPASS_HOME_CONFIG': '1'})
class TestingGenieJobRepr(unittest.TestCase):
"""Test GenieJob repr."""
@patch('pygenie.jobs.core.is_file')
def test_repr(self, is_file):
"""Test GenieJob repr."""
is_file.return_value = True
job = pygenie.jobs.GenieJob() \
.applications('app1') \
.applications('app2') \
.archive(False) \
.cluster_tags('cluster1') \
.cluster_tags('cluster2') \
.command_arguments('genie job repr args') \
.command_tags('cmd1') \
.command_tags('cmd2') \
.dependencies('/dep1') \
.dependencies('/dep2') \
.description('description') \
.disable_archive() \
.genie_email('[email protected]') \
.genie_setup_file('/setup.sh') \
.genie_timeout(999) \
.genie_url('http://asdfasdf') \
.genie_username('jsmith') \
.group('group1') \
.job_id('geniejob_repr') \
.job_name('geniejob_repr') \
.job_version('1.1.1') \
.parameter('param1', 'pval1') \
.parameter('param2', 'pval2') \
.parameters(param3='pval3', param4='pval4') \
.post_cmd_args('post1') \
.post_cmd_args(['post2', 'post3']) \
.tags('tag1') \
.tags('tag2')
assert_equals(
str(job),
'.'.join([
'GenieJob()',
'applications("app1")',
'applications("app2")',
'archive(False)',
'cluster_tags("cluster1")',
'cluster_tags("cluster2")',
'command_arguments("genie job repr args")',
'command_tags("cmd1")',
'command_tags("cmd2")',
'dependencies("/dep1")',
'dependencies("/dep2")',
'description("description")',
'genie_email("[email protected]")',
'genie_setup_file("/setup.sh")',
'genie_timeout(999)',
'genie_url("http://asdfasdf")',
'genie_username("jsmith")',
'group("group1")',
'job_id("geniejob_repr")',
'job_name("geniejob_repr")',
'job_version("1.1.1")',
'parameter("param1", "pval1")',
'parameter("param2", "pval2")',
'parameter("param3", "pval3")',
'parameter("param4", "pval4")',
'post_cmd_args("post1")',
"post_cmd_args([u'post2', u'post3'])",
'tags("tag1")',
'tags("tag2")'
])
)
def test_genie_cpu(self):
"""Test GenieJob repr (genie_cpu)."""
job = pygenie.jobs.GenieJob() \
.job_id('123') \
.genie_username('user') \
.genie_cpu(12)
assert_equals(
'.'.join([
'GenieJob()',
'genie_cpu(12)',
'genie_username("user")',
'job_id("123")'
]),
str(job)
)
<|fim▁hole|> """Test GenieJob repr (genie_memory)."""
job = pygenie.jobs.GenieJob() \
.job_id('123') \
.genie_username('user') \
.genie_memory(7000)
assert_equals(
'.'.join([
'GenieJob()',
'genie_memory(7000)',
'genie_username("user")',
'job_id("123")'
]),
str(job)
)
@patch.dict('os.environ', {'GENIE_BYPASS_HOME_CONFIG': '1'})
class TestingGenieJobAdapters(unittest.TestCase):
"""Test adapting GenieJob to different clients."""
def setUp(self):
self.dirname = os.path.dirname(os.path.realpath(__file__))
def test_genie3_payload(self):
"""Test GenieJob payload for Genie 3."""
with patch.dict('os.environ', {'GENIE_BYPASS_HOME_CONFIG': '1'}):
genie3_conf = pygenie.conf.GenieConf() \
.load_config_file(os.path.join(self.dirname, 'genie3.ini'))
job = pygenie.jobs.GenieJob(genie3_conf) \
.applications(['applicationid1']) \
.cluster_tags('type:cluster1') \
.command_arguments('command args for geniejob') \
.command_tags('type:geniecmd') \
.dependencies(['/file1', '/file2']) \
.description('this job is to test geniejob adapter') \
.archive(False) \
.genie_cpu(3) \
.genie_email('[email protected]') \
.genie_memory(999) \
.genie_timeout(100) \
.genie_url('http://fdsafdsa') \
.genie_username('jdoe') \
.group('geniegroup1') \
.job_id('geniejob1') \
.job_name('testing_adapting_geniejob') \
.tags('tag1, tag2') \
.job_version('0.0.1alpha')
assert_equals(
pygenie.adapter.genie_3.get_payload(job),
{
'applications': ['applicationid1'],
'attachments': [],
'clusterCriterias': [
{'tags': ['type:cluster1']},
{'tags': ['type:genie']},
],
'commandArgs': 'command args for geniejob',
'commandCriteria': ['type:geniecmd'],
'cpu': 3,
'dependencies': ['/file1', '/file2'],
'description': 'this job is to test geniejob adapter',
'disableLogArchival': True,
'email': '[email protected]',
'group': 'geniegroup1',
'id': 'geniejob1',
'memory': 999,
'name': 'testing_adapting_geniejob',
'setupFile': None,
'tags': ['tag1', 'tag2'],
'timeout': 100,
'user': 'jdoe',
'version': '0.0.1alpha'
}
)
@patch.dict('os.environ', {'GENIE_BYPASS_HOME_CONFIG': '1'})
class TestingJobExecute(unittest.TestCase):
"""Test executing job."""
@patch('pygenie.jobs.core.reattach_job')
@patch('pygenie.jobs.core.generate_job_id')
@patch('pygenie.jobs.core.execute_job')
def test_job_execute(self, exec_job, gen_job_id, reattach_job):
"""Testing job execution."""
job = pygenie.jobs.HiveJob() \
.job_id('exec') \
.genie_username('exectester') \
.script('select * from db.table')
job.execute()
gen_job_id.assert_not_called()
reattach_job.assert_not_called()
exec_job.assert_called_once_with(job)
@patch('pygenie.jobs.core.reattach_job')
@patch('pygenie.jobs.core.generate_job_id')
@patch('pygenie.jobs.core.execute_job')
def test_job_execute_retry(self, exec_job, gen_job_id, reattach_job):
"""Testing job execution with retry."""
job_id = 'exec-retry'
new_job_id = '{}-5'.format(job_id)
gen_job_id.return_value = new_job_id
reattach_job.side_effect = pygenie.exceptions.GenieJobNotFoundError
job = pygenie.jobs.HiveJob() \
.job_id(job_id) \
.genie_username('exectester') \
.script('select * from db.table')
job.execute(retry=True)
gen_job_id.assert_called_once_with(job_id,
return_success=True,
conf=job._conf)
reattach_job.assert_called_once_with(new_job_id, conf=job._conf)
exec_job.assert_called_once_with(job)
assert_equals(new_job_id, job._job_id)
@patch('pygenie.jobs.core.reattach_job')
@patch('pygenie.jobs.core.generate_job_id')
@patch('pygenie.jobs.core.execute_job')
def test_job_execute_retry_force(self, exec_job, gen_job_id, reattach_job):
"""Testing job execution with force retry."""
job_id = 'exec-retry-force'
new_job_id = '{}-8'.format(job_id)
gen_job_id.return_value = new_job_id
reattach_job.side_effect = pygenie.exceptions.GenieJobNotFoundError
job = pygenie.jobs.HiveJob() \
.job_id(job_id) \
.genie_username('exectester') \
.script('select * from db.table')
job.execute(retry=True, force=True)
gen_job_id.assert_called_once_with(job_id,
return_success=False,
conf=job._conf)
reattach_job.assert_called_once_with(new_job_id, conf=job._conf)
exec_job.assert_called_once_with(job)
assert_equals(new_job_id, job._job_id)
@patch.dict('os.environ', {'GENIE_BYPASS_HOME_CONFIG': '1'})
class TestingSetJobName(unittest.TestCase):
"""Test setting job name from script."""
def test_set_job_name(self):
"""Test setting job name from script contents."""
assert_equals(
{'name': 'SELECT * FROM db.table'},
set_jobname(pygenie.jobs.PrestoJob() \
.script('SELECT * FROM db.table'))
)
def test_set_job_name_truncate(self):
"""Test setting job name from script contents (with truncate)."""
job_name = set_jobname(
pygenie.jobs.PrestoJob()\
.script(''.join([str(i) for i in range(100)]))
).get('name') or ''
assert_equals(
40,
len(job_name)
)
def test_set_job_name_newline(self):
"""Test setting job name from script contents (with newline)."""
assert_equals(
{'name': 'SELECT * FROM db.table'},
set_jobname(pygenie.jobs.PrestoJob() \
.script("SELECT\n*\nFROM\ndb.table"))
)
def test_set_job_name_parameter(self):
"""Test setting job name from script contents (with parameter)."""
assert_equals(
{'name': 'SELECT * FROM db.{table}'},
set_jobname(pygenie.jobs.PrestoJob() \
.script("SELECT * FROM db.${table}"))
)
def test_set_job_name_semicolon(self):
"""Test setting job name from script contents (with semicolon)."""
assert_equals(
{'name': 'SELECT * FROM db.table'},
set_jobname(pygenie.jobs.PrestoJob() \
.script("SELECT * FROM db.table;"))
)
def test_set_job_name_quotes(self):
"""Test setting job name from script contents (with quotes)."""
assert_equals(
{'name': 'min(values) r = foo order by date, hour'},
set_jobname(pygenie.jobs.PrestoJob() \
.script("min(\"values\") r = 'foo' order by date, hour;"))
)<|fim▁end|> | def test_genie_memory(self): |
<|file_name|>residualForHighOrderBC.cc<|end_file_name|><|fim▁begin|>#include "../../include/model/model.h"
/*
*residual for high order boundary condition
*/
template <class T, int dim>
void model<T, dim>::residualForHighOrderBC(knotSpan<dim>& cell, IGAValues<dim>& fe_values, dealii::Table<1, T >& ULocal, dealii::Table<1, T >& R)
{
//Weak dirichlet condition grad(u).n=0
unsigned int dofs_per_cell= fe_values.dofs_per_cell;
for (unsigned int faceID=0; faceID<2*dim; faceID++){
if ((cell.boundaryFlags[faceID]==(dim-1)*2+1) or (cell.boundaryFlags[faceID]==(dim-1)*2+2)){
//compute face normal (logic for computing n like this only works for cube geometries)
std::vector<double> n(dim, 0);
n[(cell.boundaryFlags[faceID]-1)/2]=std::pow(-1.0, (int)cell.boundaryFlags[faceID]%2);
//Temporary arrays
dealii::Table<3,Sacado::Fad::DFad<double> > PFace (fe_values.n_face_quadrature_points, dim, dim);
dealii::Table<4,Sacado::Fad::DFad<double> > BetaFace (fe_values.n_face_quadrature_points, dim, dim, dim);
evaluateStress(fe_values, ULocal, PFace, BetaFace,faceID);
//evaluate gradients on the faces
dealii::Table<3,Sacado::Fad::DFad<double> > uij(fe_values.n_face_quadrature_points, dim, dim); //uij.fill(0.0);
dealii::Table<4,Sacado::Fad::DFad<double> > uijk(fe_values.n_face_quadrature_points, dim, dim, dim); //uijk.fill(0.0);<|fim▁hole|> for (unsigned int k=0; k<dim; ++k){
uijk[q][i][j][k]=0.0;
}
}
}
}
//Loop over quadrature points
for (unsigned int q=0; q<fe_values.n_face_quadrature_points; ++q){
for (unsigned int d=0; d<dofs_per_cell; ++d){
unsigned int i = fe_values.system_to_component_index(d) - DOF;
for (unsigned int j=0; j<dim; ++j){
uij[q][i][j]+=ULocal[d]*fe_values.shape_grad_face(d, q, faceID)[j];
for (unsigned int k=0; k<dim; ++k){
uijk[q][i][j][k]+=ULocal[d]*fe_values.shape_grad_grad_face(d, q, faceID)[j][k];
}
}
}
}
//evaluate tensor multiplications
dealii::Table<2,Sacado::Fad::DFad<double> > uijn(fe_values.n_face_quadrature_points, dim); //uijn.fill(0.0);
dealii::Table<2,Sacado::Fad::DFad<double> > Betaijknn(fe_values.n_face_quadrature_points, dim);// Betaijknn.fill(0.0);
dealii::Table<2,double> wijn(fe_values.n_face_quadrature_points, dofs_per_cell); //wijn.fill(0.0);
dealii::Table<2,double> wijknn(fe_values.n_face_quadrature_points, dofs_per_cell); //wijknn.fill(0.0);
for (unsigned int q=0; q<fe_values.n_face_quadrature_points; ++q){
for (unsigned int i=0; i<dim; ++i){
uijn[q][i]=0.0;
Betaijknn[q][i]=0.0;
}
for(unsigned int j=0;j<dofs_per_cell;j++){
wijn[q][j]=0.0;
wijknn[q][j]=0.0;
}
}
//evaluate uijn, Betaijknn
for (unsigned int q=0; q<fe_values.n_face_quadrature_points; ++q){
double tempdirchletBC=0.0;
for (unsigned int i=0; i<dim; ++i){
for (unsigned int j=0; j<dim; ++j){
uijn[q][i]+=uij[q][i][j]*n[j];
for (unsigned int k=0; k<dim; ++k){
Betaijknn[q][i]+=BetaFace[q][i][j][k]*n[j]*n[k];
}
}
//tempdirchletBC+=std::pow(uijn[q][i].val(),2.0);
}
//dirchletBC=std::max(dirchletBC, std::pow(tempdirchletBC,0.5));
//gradun(fe_values.cell->id,q,i)= uijn[q][i].val();
}
//evaluate wijn, wijknn
for (unsigned int q=0; q<fe_values.n_face_quadrature_points; ++q){
for (unsigned int d=0; d<dofs_per_cell; ++d){
for (unsigned int j=0; j<dim; ++j){
wijn[q][d]+= fe_values.shape_grad_face(d, q, faceID)[j]*n[j];
for (unsigned int k=0; k<dim; ++k){
wijknn[q][d]+= fe_values.shape_grad_grad_face(d, q, faceID)[j][k]*n[j]*n[k];
}
}
}
}
//Add the weak dirichlet terms
for (unsigned int d=0; d<dofs_per_cell; ++d) {
unsigned int i = fe_values.system_to_component_index(d) - DOF;
if (i==dim-1){ //enforcing weak dirichlet only along dim direction
for (unsigned int q=0; q<fe_values.n_face_quadrature_points; ++q){
//-mu*l*l*w_(ij)n_j*Beta_(ijk)n_jn_k
R[d] += -wijn[q][d]*Betaijknn[q][i]*fe_values.JxW_face(q, faceID);
//-mu*l*l*gamma*wijknn*uijn //WRONG form curretnly. Not used now as there is no point trying to make an unsymmetric euqation adjoint consistent. So gamma is always set to zero.
gamma=0.0;
R[d] += -gamma*wijknn[q][d]*uijn[q][i]*fe_values.JxW_face(q, faceID);
//mu*l*l*(C/he)*wijn*uijn
R[d] += (C/he)*wijn[q][d]*uijn[q][i]*fe_values.JxW_face(q, faceID);
}
}
}
}
}
}
template class model<Sacado::Fad::DFad<double>,1>;
template class model<Sacado::Fad::DFad<double>,2>;
template class model<Sacado::Fad::DFad<double>,3>;<|fim▁end|> | for (unsigned int q=0; q<fe_values.n_face_quadrature_points; ++q){
for (unsigned int i=0; i<dim; ++i){
for (unsigned int j=0; j<dim; ++j){
uij[q][i][j]=0.0; |
<|file_name|>Displays.java<|end_file_name|><|fim▁begin|>/*
* Copyright (C) 2017 GedMarc
*
* 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/>.
*/
package com.jwebmp.core.htmlbuilder.css.displays;
import com.jwebmp.core.base.client.CSSVersions;
import com.jwebmp.core.htmlbuilder.css.CSSEnumeration;
import com.jwebmp.core.htmlbuilder.css.annotations.CSSAnnotationType;
/**
* Definition and Usage
* <p>
* The display property defines how a certain HTML element should be displayed.
* Default value: inline Inherited: no Version:<|fim▁hole|> *
* @author GedMarc
* @version 1.0
* @since 2013/01/22
*/
@CSSAnnotationType
public enum Displays
implements CSSEnumeration<Displays>
{
/**
* Default value. Displays an element as an inline element (like <span>)
*/
Inline,
/**
* Displays an element as a block element (like
* <p>
* )
*/
Block,
/**
* Displays an element as an block_level flex container. New in CSS3
*/
Flex,
/**
* Displays an element as an inline_level flex container. New in CSS3
*/
Inline_flex,
/**
* The element is displayed as an inline_level table
*/
Inline_table,
/**
* Let the element behave like a <li> element
*/
List_item,
/**
* Displays an element as either block or inline, depending on context
*/
Run_in,
/**
* Let the element behave like a <table> element
*/
Table,
/**
* Let the element behave like a <caption> element
*/
Table_caption,
/**
* Let the element behave like a <colgroup> element
*/
Table_column_group,
/**
* Let the element behave like a <thead> element
*/
Table_header_group,
/**
* Let the element behave like a <tfoot> element
*/
Table_footer_group,
/**
* Let the element behave like a <tbody> element
*/
Table_row_group,
/**
* Let the element behave like a <td> element
*/
Table_cell,
/**
* Let the element behave like a <col> element
*/
Table_column,
/**
* Let the element behave like a <tr> element
*/
Table_row,
/**
* The element will not be displayed at all (has no effect on layout)
*/
None,
/**
* Sets this property to its default value. Read about initial
*/
Initial,
/**
* Inherits this property from its parent element. Read about inherit;
*/
Inherit,
/**
* Sets this field as not set
*/
Unset;
@Override
public String getJavascriptSyntax()
{
return "style.display";
}
@Override
public CSSVersions getCSSVersion()
{
return CSSVersions.CSS1;
}
@Override
public String getValue()
{
return name();
}
@Override
public Displays getDefault()
{
return Unset;
}
@Override
public String toString()
{
return super.toString()
.toLowerCase()
.replaceAll("_", "-");
}
}<|fim▁end|> | * CSS1 JavaScript syntax: object.style.display="inline" |
<|file_name|>sort_an_array_of_composites.rs<|end_file_name|><|fim▁begin|>// http://rosettacode.org/wiki/Sort_an_array_of_composite_structures
#[derive(Debug, PartialEq)]
pub struct Element {
name: String,
value: String,
}
impl Element {
fn new(name: &str, value: &str) -> Element {
Element {
name: name.to_string(),
value: value.to_string(),
}
}
}
pub fn sort_by_name(elements: &mut Vec<Element>) {
elements.sort_by(|a, b| a.name.cmp(&b.name));
}
fn main() {
let mut values = vec![
Element::new("Iron", "Fe"),
Element::new("Cobalt", "Co"),
Element::new("Nickel", "Ni"),
Element::new("Copper", "Cu"),
Element::new("Zinc", "Zn"),
];
sort_by_name(&mut values);
println!("{:?}", values);
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn test_example() {
let mut values = vec![
Element::new("Iron", "Fe"),
Element::new("Cobalt", "Co"),
Element::new("Nickel", "Ni"),
Element::new("Copper", "Cu"),
Element::new("Zinc", "Zn"),
];
sort_by_name(&mut values);
assert_eq!(values,<|fim▁hole|> Element::new("Cobalt", "Co"),
Element::new("Copper", "Cu"),
Element::new("Iron", "Fe"),
Element::new("Nickel", "Ni"),
Element::new("Zinc", "Zn"),
]);
}
}<|fim▁end|> | vec![ |
<|file_name|>helpers.py<|end_file_name|><|fim▁begin|>#!/usr/bin/env python
# -*- coding: utf-8 -*-
from django.conf import settings
def duplicate_txn_id(ipn_obj):
"""Returns True if a record with this transaction id exists and it is not
a payment which has gone from pending to completed.<|fim▁hole|> """
query = ipn_obj._default_manager.filter(txn_id = ipn_obj.txn_id)
if ipn_obj.payment_status == "Completed":
# A payment that was pending and is now completed will have the same
# IPN transaction id, so don't flag them as duplicates because it
# means that the payment was finally successful!
query = query.exclude(payment_status = "Pending")
return query.count() > 0
def make_secret(form_instance, secret_fields=None):
"""
Returns a secret for use in a EWP form or an IPN verification based on a
selection of variables in params. Should only be used with SSL.
"""
# @@@ Moved here as temporary fix to avoid dependancy on auth.models.
from django.contrib.auth.models import get_hexdigest
# @@@ amount is mc_gross on the IPN - where should mapping logic go?
# @@@ amount / mc_gross is not nessecarily returned as it was sent - how to use it? 10.00 vs. 10.0
# @@@ the secret should be based on the invoice or custom fields as well - otherwise its always the same.
# Build the secret with fields availible in both PaymentForm and the IPN. Order matters.
if secret_fields is None:
secret_fields = ['business', 'item_name']
data = ""
for name in secret_fields:
if hasattr(form_instance, 'cleaned_data'):
if name in form_instance.cleaned_data:
data += unicode(form_instance.cleaned_data[name])
else:
# Initial data passed into the constructor overrides defaults.
if name in form_instance.initial:
data += unicode(form_instance.initial[name])
elif name in form_instance.fields and form_instance.fields[name].initial is not None:
data += unicode(form_instance.fields[name].initial)
secret = get_hexdigest('sha1', settings.SECRET_KEY, data)
return secret
def check_secret(form_instance, secret):
"""
Returns true if received `secret` matches expected secret for form_instance.
Used to verify IPN.
"""
# @@@ add invoice & custom
# secret_fields = ['business', 'item_name']
return make_secret(form_instance) == secret<|fim▁end|> | |
<|file_name|>IModelCollection.ts<|end_file_name|><|fim▁begin|>/**
* This file is a part of ComposerSymlinkLocal
*/
"use strict";
interface IModelCollection<T> extends IterableIterator<T>
{
/**
* Pushes model instance into collection
* @param modelInstance
*/
push(modelInstance : T) : void;
/**
* Pulls model instance from collection
* @param modelInstance
*/
pull(modelInstance : T) : void;
each();
<|fim▁hole|>
next(value ?: any) : IteratorResult<T>;
}
export default IModelCollection;<|fim▁end|> | toArray() : Array<T>
merge(collection : IModelCollection<T>); |
<|file_name|>handler.go<|end_file_name|><|fim▁begin|>package raft
import (
"encoding/json"
"io"
"net/http"
"net/url"
"path"
"strconv"
)
// HTTPHandler represents an HTTP endpoint for Raft to communicate over.
type HTTPHandler struct {
log *Log
}
// NewHTTPHandler returns a new instance of HTTPHandler associated with a log.
func NewHTTPHandler(log *Log) *HTTPHandler {
return &HTTPHandler{log: log}
}
// ServeHTTP handles all incoming HTTP requests.
func (h *HTTPHandler) ServeHTTP(w http.ResponseWriter, r *http.Request) {
switch path.Base(r.URL.Path) {
case "join":
h.serveJoin(w, r)
case "leave":
h.serveLeave(w, r)
case "heartbeat":
h.serveHeartbeat(w, r)
case "stream":
h.serveStream(w, r)
case "vote":
h.serveRequestVote(w, r)
case "ping":
w.WriteHeader(http.StatusOK)
default:
http.NotFound(w, r)
}
}
// serveJoin serves a Raft membership addition to the underlying log.
func (h *HTTPHandler) serveJoin(w http.ResponseWriter, r *http.Request) {
// TODO(benbjohnson): Redirect to leader.
// Parse argument.
if r.FormValue("url") == "" {
w.Header().Set("X-Raft-Error", "url required")
w.WriteHeader(http.StatusBadRequest)
return
}
// Parse URL.
u, err := url.Parse(r.FormValue("url"))
if err != nil {
w.Header().Set("X-Raft-Error", "invalid url")
w.WriteHeader(http.StatusBadRequest)
return
}
// Add peer to the log.
id, config, err := h.log.AddPeer(u)
if err != nil {
w.Header().Set("X-Raft-Error", err.Error())
w.WriteHeader(http.StatusInternalServerError)
return
}
// Return member's id in the cluster.
w.Header().Set("X-Raft-ID", strconv.FormatUint(id, 10))
w.WriteHeader(http.StatusOK)
// Write config to the body.
_ = json.NewEncoder(w).Encode(config)
}
// serveLeave removes a member from the cluster.
func (h *HTTPHandler) serveLeave(w http.ResponseWriter, r *http.Request) {
// TODO(benbjohnson): Redirect to leader.
// Parse arguments.
id, err := strconv.ParseUint(r.FormValue("id"), 10, 64)
if err != nil {
w.Header().Set("X-Raft-ID", "invalid raft id")
w.WriteHeader(http.StatusBadRequest)
return
}
// Remove a peer from the log.
if err := h.log.RemovePeer(id); err != nil {
w.Header().Set("X-Raft-Error", err.Error())
w.WriteHeader(http.StatusInternalServerError)
return
}
w.WriteHeader(http.StatusOK)
}
// serveHeartbeat serves a Raft heartbeat to the underlying log.
func (h *HTTPHandler) serveHeartbeat(w http.ResponseWriter, r *http.Request) {
var err error
var term, commitIndex, leaderID uint64
// Parse arguments.
if term, err = strconv.ParseUint(r.FormValue("term"), 10, 64); err != nil {
w.Header().Set("X-Raft-Error", "invalid term")
w.WriteHeader(http.StatusBadRequest)
return
}
if commitIndex, err = strconv.ParseUint(r.FormValue("commitIndex"), 10, 64); err != nil {
w.Header().Set("X-Raft-Error", "invalid commit index")
w.WriteHeader(http.StatusBadRequest)
return
}
if leaderID, err = strconv.ParseUint(r.FormValue("leaderID"), 10, 64); err != nil {
w.Header().Set("X-Raft-Error", "invalid leader id")
w.WriteHeader(http.StatusBadRequest)
return
}
// Execute heartbeat on the log.
currentIndex, currentTerm, err := h.log.Heartbeat(term, commitIndex, leaderID)
// Return current term and index.
w.Header().Set("X-Raft-Index", strconv.FormatUint(currentIndex, 10))
w.Header().Set("X-Raft-Term", strconv.FormatUint(currentTerm, 10))
// Write error, if applicable.
if err != nil {
w.Header().Set("X-Raft-Error", err.Error())
w.WriteHeader(http.StatusInternalServerError)
return
}
w.WriteHeader(http.StatusOK)<|fim▁hole|>}
// serveStream provides a streaming log endpoint.
func (h *HTTPHandler) serveStream(w http.ResponseWriter, r *http.Request) {
var err error
var id, index, term uint64
// Parse client's id.
if id, err = strconv.ParseUint(r.FormValue("id"), 10, 64); err != nil {
w.Header().Set("X-Raft-Error", "invalid id")
w.WriteHeader(http.StatusBadRequest)
return
}
// Parse client's current term.
if term, err = strconv.ParseUint(r.FormValue("term"), 10, 64); err != nil {
w.Header().Set("X-Raft-Error", "invalid term")
w.WriteHeader(http.StatusBadRequest)
return
}
// Parse starting index.
if s := r.FormValue("index"); s != "" {
if index, err = strconv.ParseUint(r.FormValue("index"), 10, 64); err != nil {
w.Header().Set("X-Raft-Error", "invalid index")
w.WriteHeader(http.StatusBadRequest)
return
}
}
// TODO(benbjohnson): Redirect to leader.
// Write to the response.
if err := h.log.WriteTo(w, id, term, index); err != nil && err != io.EOF {
w.Header().Set("X-Raft-Error", err.Error())
w.WriteHeader(http.StatusInternalServerError)
return
}
}
// serveRequestVote serves a vote request to the underlying log.
func (h *HTTPHandler) serveRequestVote(w http.ResponseWriter, r *http.Request) {
var err error
var term, candidateID, lastLogIndex, lastLogTerm uint64
// Parse arguments.
if term, err = strconv.ParseUint(r.FormValue("term"), 10, 64); err != nil {
w.Header().Set("X-Raft-Error", "invalid term")
w.WriteHeader(http.StatusBadRequest)
return
}
if candidateID, err = strconv.ParseUint(r.FormValue("candidateID"), 10, 64); err != nil {
w.Header().Set("X-Raft-Error", "invalid candidate id")
w.WriteHeader(http.StatusBadRequest)
return
}
if lastLogIndex, err = strconv.ParseUint(r.FormValue("lastLogIndex"), 10, 64); err != nil {
w.Header().Set("X-Raft-Error", "invalid last log index")
w.WriteHeader(http.StatusBadRequest)
return
}
if lastLogTerm, err = strconv.ParseUint(r.FormValue("lastLogTerm"), 10, 64); err != nil {
w.Header().Set("X-Raft-Error", "invalid last log term")
w.WriteHeader(http.StatusBadRequest)
return
}
// Execute heartbeat on the log.
currentTerm, err := h.log.RequestVote(term, candidateID, lastLogIndex, lastLogTerm)
// Return current term and index.
w.Header().Set("X-Raft-Term", strconv.FormatUint(currentTerm, 10))
// Write error, if applicable.
if err != nil {
w.Header().Set("X-Raft-Error", err.Error())
w.WriteHeader(http.StatusInternalServerError)
return
}
w.WriteHeader(http.StatusOK)
}<|fim▁end|> | |
<|file_name|>server.rs<|end_file_name|><|fim▁begin|>extern crate websocket;
extern crate iron;
extern crate staticfile;
extern crate mount;
use std::sync::mpsc::{channel, Sender, Receiver};
use std::{thread, time};
mod shared;
mod http_server;
mod websocket_server;
use http_server::start_http;
use websocket_server::start_ws;
use shared::*;
fn fake_emitter(sender: Sender<CoordinatorMessage>, receiver: Receiver<CoordinatorMessage>) {
thread::spawn(move|| {
loop {
sender.send(CoordinatorMessage::Timeout()).unwrap();
thread::sleep(time::Duration::from_secs(1));
}
});
thread::spawn(move|| {
let mut clients: Vec<Sender<String>> = vec![];
loop {
match receiver.recv() {
Ok(CoordinatorMessage::Timeout()) => { println!("Time to send some data!") }
Ok(CoordinatorMessage::NewClient(s)) => {
println!("A new client !");
clients.push(s);
}
Err(e) => { panic!("An error occured: {:?}", e)}
}
}
});
}<|fim▁hole|>fn main() {
let (to_coord, coord_receiver) = channel::<CoordinatorMessage>();
fake_emitter(to_coord.clone(), coord_receiver);
let _listening = start_http("0.0.0.0:8080");
start_ws("0.0.0.0:8081", to_coord);
}<|fim▁end|> | |
<|file_name|>border.rs<|end_file_name|><|fim▁begin|>// Copyright 2013-2017, The Gtk-rs Project Developers.
// See the COPYRIGHT file at the top-level directory of this distribution.
// Licensed under the MIT license, see the LICENSE file or <http://opensource.org/licenses/MIT>
use ffi;
use glib::translate::*;
use std::fmt;
use std::ops;
glib_wrapper! {
#[derive(PartialEq, Eq, PartialOrd, Ord, Hash)]
pub struct Border(Boxed<ffi::GtkBorder>);
match fn {
copy => |ptr| ffi::gtk_border_copy(mut_override(ptr)),
free => |ptr| ffi::gtk_border_free(ptr),
get_type => || ffi::gtk_border_get_type(),
}
}
impl ops::Deref for Border {
type Target = ffi::GtkBorder;
fn deref(&self) -> &Self::Target {
&(*self.0)
}
}
impl ops::DerefMut for Border {
fn deref_mut(&mut self) -> &mut Self::Target {
&mut (*self.0)
}
}
impl Border {
pub fn new() -> Border {
assert_initialized_main_thread!();
unsafe {
from_glib_full(ffi::gtk_border_new())
}
}
}
impl Default for Border {
fn default() -> Self {
Self::new()<|fim▁hole|>}
impl fmt::Debug for Border {
fn fmt(&self, fmt: &mut fmt::Formatter) -> Result<(), fmt::Error> {
fmt.debug_struct("Border")
.field("left", &self.left)
.field("right", &self.right)
.field("top", &self.top)
.field("bottom", &self.bottom)
.finish()
}
}<|fim▁end|> | } |
<|file_name|>unpark_mutex.rs<|end_file_name|><|fim▁begin|>use std::cell::UnsafeCell;
use std::sync::atomic::AtomicUsize;
use std::sync::atomic::Ordering::SeqCst;
/// A "lock" around data `D`, which employs a *helping* strategy.
///
/// Used to ensure that concurrent `unpark` invocations lead to (1) `poll` being
/// invoked on only a single thread at a time (2) `poll` being invoked at least
/// once after each `unpark` (unless the future has completed).
pub struct UnparkMutex<D> {
// The state of task execution (state machine described below)
status: AtomicUsize,
// The actual task data, accessible only in the POLLING state
inner: UnsafeCell<Option<D>>,
}
// `UnparkMutex<D>` functions in many ways like a `Mutex<D>`, except that on
// acquisition failure, the current lockholder performs the desired work --
// re-polling.
//
// As such, these impls mirror those for `Mutex<D>`. In particular, a reference
// to `UnparkMutex` can be used to gain `&mut` access to the inner data, which
// must therefore be `Send`.
unsafe impl<D: Send> Send for UnparkMutex<D> {}
unsafe impl<D: Send> Sync for UnparkMutex<D> {}
// There are four possible task states, listed below with their possible
// transitions:
// The task is blocked, waiting on an event
const WAITING: usize = 0; // --> POLLING
// The task is actively being polled by a thread; arrival of additional events
// of interest should move it to the REPOLL state
const POLLING: usize = 1; // --> WAITING, REPOLL, or COMPLETE
// The task is actively being polled, but will need to be re-polled upon
// completion to ensure that all events were observed.
const REPOLL: usize = 2; // --> POLLING
// The task has finished executing (either successfully or with an error/panic)
const COMPLETE: usize = 3; // No transitions out
impl<D> UnparkMutex<D> {
pub fn new() -> UnparkMutex<D> {
UnparkMutex {
status: AtomicUsize::new(WAITING),
inner: UnsafeCell::new(None),
}
}
/// Attempt to "notify" the mutex that a poll should occur.
///
/// An `Ok` result indicates that the `POLLING` state has been entered, and
/// the caller can proceed to poll the future. An `Err` result indicates
/// that polling is not necessary (because the task is finished or the
/// polling has been delegated).
pub fn notify(&self) -> Result<D, ()> {
let mut status = self.status.load(SeqCst);
loop {
match status {
// The task is idle, so try to run it immediately.
WAITING => {
match self.status.compare_exchange(WAITING, POLLING,
SeqCst, SeqCst) {
Ok(_) => {
let data = unsafe {
// SAFETY: we've ensured mutual exclusion via
// the status protocol; we are the only thread
// that has transitioned to the POLLING state,
// and we won't transition back to QUEUED until
// the lock is "released" by this thread. See
// the protocol diagram above.
(*self.inner.get()).take().unwrap()
};
return Ok(data);
}
Err(cur) => status = cur,
}
}
// The task is being polled, so we need to record that it should
// be *repolled* when complete.
POLLING => {
match self.status.compare_exchange(POLLING, REPOLL,
SeqCst, SeqCst) {
Ok(_) => return Err(()),
Err(cur) => status = cur,
}
}
// The task is already scheduled for polling, or is complete, so
// we've got nothing to do.
_ => return Err(()),
}
}
}
/// Alert the mutex that polling is about to begin, clearing any accumulated
/// re-poll requests.
///
/// # Safety
///
/// Callable only from the `POLLING`/`REPOLL` states, i.e. between
/// successful calls to `notify` and `wait`/`complete`.
pub unsafe fn start_poll(&self) {
self.status.store(POLLING, SeqCst);
}
/// Alert the mutex that polling completed with NotReady.
///
/// # Safety
///
/// Callable only from the `POLLING`/`REPOLL` states, i.e. between
/// successful calls to `notify` and `wait`/`complete`.
pub unsafe fn wait(&self, data: D) -> Result<(), D> {
*self.inner.get() = Some(data);
match self.status.compare_exchange(POLLING, WAITING, SeqCst, SeqCst) {
// no unparks came in while we were running
Ok(_) => Ok(()),
// guaranteed to be in REPOLL state; just clobber the
// state and run again.
Err(status) => {<|fim▁hole|> assert_eq!(status, REPOLL);
self.status.store(POLLING, SeqCst);
Err((*self.inner.get()).take().unwrap())
}
}
}
/// Alert the mutex that the task has completed execution and should not be
/// notified again.
///
/// # Safety
///
/// Callable only from the `POLLING`/`REPOLL` states, i.e. between
/// successful calls to `notify` and `wait`/`complete`.
pub unsafe fn complete(&self) {
self.status.store(COMPLETE, SeqCst);
}
}<|fim▁end|> | |
<|file_name|>ge.hpp<|end_file_name|><|fim▁begin|>//==============================================================================
// Copyright 2003 & onward LASMEA UMR 6602 CNRS/Univ. Clermont II
// Copyright 2009 & onward LRI UMR 8623 CNRS/Univ Paris Sud XI
//
// Distributed under the Boost Software License, Version 1.0.
// See accompanying file LICENSE.txt or copy at
// http://www.boost.org/LICENSE_1_0.txt<|fim▁hole|>#ifndef NT2_OPERATOR_INCLUDE_FUNCTIONS_GE_HPP_INCLUDED
#define NT2_OPERATOR_INCLUDE_FUNCTIONS_GE_HPP_INCLUDED
#include <nt2/operator/include/functions/is_greater_equal.hpp>
#endif<|fim▁end|> | //============================================================================== |
<|file_name|>SquareDistanceMapping.cpp<|end_file_name|><|fim▁begin|>/******************************************************************************
* SOFA, Simulation Open-Framework Architecture, development version *
* (c) 2006-2017 INRIA, USTL, UJF, CNRS, MGH *
* *
* This program is free software; you can redistribute it and/or modify it *
* under the terms of the GNU Lesser General Public License as published by *
* the Free Software Foundation; either version 2.1 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 Lesser General Public License *
* for more details. *
* *
* You should have received a copy of the GNU Lesser General Public License *
* along with this program. If not, see <http://www.gnu.org/licenses/>. *
*******************************************************************************
* Authors: The SOFA Team and external contributors (see Authors.txt) *
* *
* Contact information: [email protected] *
******************************************************************************/
#define SOFA_COMPONENT_MAPPING_SquareDistanceMapping_CPP
#include "SquareDistanceMapping.inl"
#include <sofa/core/ObjectFactory.h>
namespace sofa
{
namespace component
{
namespace mapping
{
SOFA_DECL_CLASS(SquareDistanceMapping)
using namespace defaulttype;
// Register in the Factory
int SquareDistanceMappingClass = core::RegisterObject("Compute square edge extensions")
#ifndef SOFA_FLOAT
.add< SquareDistanceMapping< Vec3dTypes, Vec1dTypes > >()
.add< SquareDistanceMapping< Rigid3dTypes, Vec1dTypes > >()
#endif
#ifndef SOFA_DOUBLE
.add< SquareDistanceMapping< Vec3fTypes, Vec1fTypes > >()
.add< SquareDistanceMapping< Rigid3fTypes, Vec1fTypes > >()
#endif
;
#ifndef SOFA_FLOAT
template class SOFA_MISC_MAPPING_API SquareDistanceMapping< Vec3dTypes, Vec1dTypes >;
template class SOFA_MISC_MAPPING_API SquareDistanceMapping< Rigid3dTypes, Vec1dTypes >;
#endif
#ifndef SOFA_DOUBLE
template class SOFA_MISC_MAPPING_API SquareDistanceMapping< Vec3fTypes, Vec1fTypes >;
template class SOFA_MISC_MAPPING_API SquareDistanceMapping< Rigid3fTypes, Vec1fTypes >;
#endif
//////////////////
int SquareDistanceMultiMappingClass = core::RegisterObject("Compute square edge extensions")
#ifndef SOFA_FLOAT
.add< SquareDistanceMultiMapping< Vec3dTypes, Vec1dTypes > >()
.add< SquareDistanceMultiMapping< Rigid3dTypes, Vec1dTypes > >()
#endif
#ifndef SOFA_DOUBLE
.add< SquareDistanceMultiMapping< Vec3fTypes, Vec1fTypes > >()
.add< SquareDistanceMultiMapping< Rigid3fTypes, Vec1fTypes > >()
#endif
;
#ifndef SOFA_FLOAT
template class SOFA_MISC_MAPPING_API SquareDistanceMultiMapping< Vec3dTypes, Vec1dTypes >;
template class SOFA_MISC_MAPPING_API SquareDistanceMultiMapping< Rigid3dTypes, Vec1dTypes >;
#endif
#ifndef SOFA_DOUBLE
template class SOFA_MISC_MAPPING_API SquareDistanceMultiMapping< Vec3fTypes, Vec1fTypes >;
template class SOFA_MISC_MAPPING_API SquareDistanceMultiMapping< Rigid3fTypes, Vec1fTypes >;
#endif
<|fim▁hole|>} // namespace sofa<|fim▁end|> | } // namespace mapping
} // namespace component
|
<|file_name|>AbstractErrorUnmarshaller.java<|end_file_name|><|fim▁begin|>/*
* Copyright 2011-2019 Amazon.com, Inc. or its affiliates. All Rights Reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License").
* You may not use this file except in compliance with the License.
* A copy of the License is located at
*
* http://aws.amazon.com/apache2.0
*
* or in the "license" file accompanying this file. This file 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 com.amazonaws.transform;
import java.lang.reflect.Constructor;
import com.amazonaws.AmazonServiceException;
public abstract class AbstractErrorUnmarshaller<T> implements Unmarshaller<AmazonServiceException, T> {
/**
* The type of AmazonServiceException that will be instantiated. Subclasses
* specialized for a specific type of exception can control this through the
* protected constructor.
*/
protected final Class<? extends AmazonServiceException> exceptionClass;
/**
* Constructs a new error unmarshaller that will unmarshall error responses
* into AmazonServiceException objects.
*/
public AbstractErrorUnmarshaller() {
this(AmazonServiceException.class);
}
/**
* Constructs a new error unmarshaller that will unmarshall error responses
* into objects of the specified class, extending AmazonServiceException.
*
* @param exceptionClass
* The subclass of AmazonServiceException which will be
* instantiated and populated by this class.
*/
public AbstractErrorUnmarshaller(Class<? extends AmazonServiceException> exceptionClass) {
this.exceptionClass = exceptionClass;
}
/**
* Constructs a new exception object of the type specified in this class's
* constructor and sets the specified error message.
*
* @param message
* The error message to set in the new exception object.
*
* @return A new exception object of the type specified in this class's
* constructor and sets the specified error message.
*
* @throws Exception
* If there are any problems using reflection to invoke the
* exception class's constructor.
*/
protected AmazonServiceException newException(String message) throws Exception {
Constructor<? extends AmazonServiceException> constructor = exceptionClass.getConstructor(String.class);
return constructor.newInstance(message);<|fim▁hole|>}<|fim▁end|> | }
|
<|file_name|>UInt64.py<|end_file_name|><|fim▁begin|># encoding: utf-8
# module _dbus_bindings
# from /usr/lib/python2.7/dist-packages/_dbus_bindings.so<|fim▁hole|>"""
Low-level Python bindings for libdbus. Don't use this module directly -
the public API is provided by the `dbus`, `dbus.service`, `dbus.mainloop`
and `dbus.mainloop.glib` modules, with a lower-level API provided by the
`dbus.lowlevel` module.
"""
# imports
import dbus.lowlevel as __dbus_lowlevel
from _LongBase import _LongBase
class UInt64(_LongBase):
"""
An unsigned 64-bit integer between 0 and 0xFFFF FFFF FFFF FFFF,
represented as a subtype of `long`.
This type only exists on platforms where the C compiler has suitable
64-bit types, such as C99 ``unsigned long long``.
Constructor::
dbus.UInt64(value: long[, variant_level: int]) -> UInt64
``value`` must be within the allowed range, or `OverflowError` will be
raised.
``variant_level`` must be non-negative; the default is 0.
:IVariables:
`variant_level` : int
Indicates how many nested Variant containers this object
is contained in: if a message's wire format has a variant containing a
variant containing a uint64, this is represented in Python by a
UInt64 with variant_level==2.
"""
def __init__(self, value, variant_level=None): # real signature unknown; restored from __doc__
pass
@staticmethod # known case of __new__
def __new__(S, *more): # real signature unknown; restored from __doc__
""" T.__new__(S, ...) -> a new object with type S, a subtype of T """
pass<|fim▁end|> | # by generator 1.135 |
<|file_name|>TeapotRenderer.cpp<|end_file_name|><|fim▁begin|>/*
* Copyright 2013 The Android Open Source Project
*
* 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.
*/
//--------------------------------------------------------------------------------
// TeapotRenderer.cpp
// Render a teapot
//--------------------------------------------------------------------------------
//--------------------------------------------------------------------------------
// Include files
//--------------------------------------------------------------------------------
#include "TeapotRenderer.h"
//--------------------------------------------------------------------------------
// Teapot model data
//--------------------------------------------------------------------------------
#include "teapot.inl"
MATERIAL_PARAMETERS TeapotRenderer::materials_[] = {
{ "Gold", { {0.f, 0.f, 0.f}, {1.f, 0.765557f, 0.336057f, 0.f }, { 0,0,0 } } },
{ "Copper", { {0.f, 0.f, 0.f}, {0.955008f, 0.637427f, 0.538163, 0.f }, { 0,0,0 } } },
{ "Plastic", { {0.9f, 0.f, 0.f}, {0.2f, 0.2f, 0.2f, 0.f }, { 0,0,0 } } },
};
const int32_t TeapotRenderer::NUM_MATERIALS = sizeof(TeapotRenderer::materials_)/sizeof(TeapotRenderer::materials_[0]);
//--------------------------------------------------------------------------------
// Ctor
//--------------------------------------------------------------------------------
TeapotRenderer::TeapotRenderer()
: roughness_(0.f), current_material(0)
{}
//--------------------------------------------------------------------------------
// Dtor
//--------------------------------------------------------------------------------
TeapotRenderer::~TeapotRenderer() { Unload(); }
void TeapotRenderer::Init() {
// Settings
glFrontFace(GL_CCW);
//
//
//
// SRGB test
// Enable Linear space
#if 0
glEnable(GL_FRAMEBUFFER_SRGB_EXT);
if( glIsEnabled(GL_EXT_sRGB_write_control))
{
LOGI("Enabled!!!");
}
glEnable(GL_EXT_sRGB_write_control);
if( glIsEnabled(GL_EXT_sRGB_write_control))
{
LOGI("Enabled!!!");
}
#endif
// FRAMEBUFFER_ATTACHMENT_COLOR_ENCODING
//
//
//
// Load shader
LoadShaders(&shader_param_, "Shaders/VS_ShaderPlain.vsh",
"Shaders/ShaderPlain.fsh");
// Create Index buffer
num_indices_ = sizeof(teapotIndices) / sizeof(teapotIndices[0]);
glGenBuffers(1, &ibo_);
glBindBuffer(GL_ELEMENT_ARRAY_BUFFER, ibo_);
glBufferData(GL_ELEMENT_ARRAY_BUFFER, sizeof(teapotIndices), teapotIndices,
GL_STATIC_DRAW);
glBindBuffer(GL_ELEMENT_ARRAY_BUFFER, 0);
// Create VBO
num_vertices_ = sizeof(teapotPositions) / sizeof(teapotPositions[0]) / 3;
int32_t iStride = sizeof(TEAPOT_VERTEX);
int32_t iIndex = 0;
TEAPOT_VERTEX* p = new TEAPOT_VERTEX[num_vertices_];
for (int32_t i = 0; i < num_vertices_; ++i) {
p[i].pos[0] = teapotPositions[iIndex];
p[i].pos[1] = teapotPositions[iIndex + 1];
p[i].pos[2] = teapotPositions[iIndex + 2];
p[i].normal[0] = teapotNormals[iIndex];
p[i].normal[1] = teapotNormals[iIndex + 1];
p[i].normal[2] = teapotNormals[iIndex + 2];
iIndex += 3;
}
glGenBuffers(1, &vbo_);
glBindBuffer(GL_ARRAY_BUFFER, vbo_);
glBufferData(GL_ARRAY_BUFFER, iStride * num_vertices_, p, GL_STATIC_DRAW);
glBindBuffer(GL_ARRAY_BUFFER, 0);
//Create cubemap
//CreateCubemap();
delete[] p;
UpdateViewport();
mat_model_ = ndk_helper::Mat4::Translation(0, 0, -15.f);
ndk_helper::Mat4 mat = ndk_helper::Mat4::RotationX(M_PI / 3);
mat_model_ = mat * mat_model_;
}
void TeapotRenderer::SwitchStage(const char* file_name)
{
LOGI("Loading Cubemap Textures");
if (tex_cubemap_) {
glDeleteTextures(1, &tex_cubemap_);
tex_cubemap_ = 0;
}
// Create Cubemap
glGenTextures(1, &tex_cubemap_);
glBindTexture(GL_TEXTURE_CUBE_MAP, tex_cubemap_);
glTexParameteri(GL_TEXTURE_CUBE_MAP, GL_TEXTURE_MAG_FILTER, GL_LINEAR);
glTexParameteri(GL_TEXTURE_CUBE_MAP, GL_TEXTURE_MIN_FILTER, GL_LINEAR);
glTexParameteri(GL_TEXTURE_CUBE_MAP, GL_TEXTURE_WRAP_S, GL_CLAMP_TO_EDGE);
glTexParameteri(GL_TEXTURE_CUBE_MAP, GL_TEXTURE_WRAP_T, GL_CLAMP_TO_EDGE);
glTexParameteri(GL_TEXTURE_CUBE_MAP, GL_TEXTURE_WRAP_R, GL_CLAMP_TO_EDGE);
//128x128 - 1x1 cubemaps
// Create Cubemap
glGenTextures(1, &tex_cubemap_);
glBindTexture(GL_TEXTURE_CUBE_MAP, tex_cubemap_);
glTexParameteri(GL_TEXTURE_CUBE_MAP, GL_TEXTURE_MAG_FILTER, GL_LINEAR_MIPMAP_NEAREST);
glTexParameteri(GL_TEXTURE_CUBE_MAP, GL_TEXTURE_MIN_FILTER, GL_LINEAR_MIPMAP_LINEAR);
glTexParameteri(GL_TEXTURE_CUBE_MAP, GL_TEXTURE_WRAP_S, GL_CLAMP_TO_EDGE);
glTexParameteri(GL_TEXTURE_CUBE_MAP, GL_TEXTURE_WRAP_T, GL_CLAMP_TO_EDGE);
glTexParameteri(GL_TEXTURE_CUBE_MAP, GL_TEXTURE_WRAP_R, GL_CLAMP_TO_EDGE);
glTexParameteri(GL_TEXTURE_CUBE_MAP, GL_TEXTURE_BASE_LEVEL, 0);
glTexParameteri(GL_TEXTURE_CUBE_MAP, GL_TEXTURE_MAX_LEVEL, MIPLEVELS - 1);
//128x128 - 1x1 cubemaps
for( int32_t i = 0; i < MIPLEVELS; ++i )
{
const int32_t BUFFER_SIZE = 256;
char file_name_buffer[BUFFER_SIZE];
//#define GL_TEXTURE_CUBE_MAP_POSITIVE_X 0x8515
//#define GL_TEXTURE_CUBE_MAP_NEGATIVE_X 0x8516
//#define GL_TEXTURE_CUBE_MAP_POSITIVE_Y 0x8517
//#define GL_TEXTURE_CUBE_MAP_NEGATIVE_Y 0x8518
//#define GL_TEXTURE_CUBE_MAP_POSITIVE_Z 0x8519
//#define GL_TEXTURE_CUBE_MAP_NEGATIVE_Z 0x851A
for(int32_t face = 0; face < 6; ++face)
{
snprintf(file_name_buffer, BUFFER_SIZE, file_name, i, face);
ndk_helper::JNIHelper::GetInstance()->LoadCubemapTexture(file_name_buffer,
GL_TEXTURE_CUBE_MAP_POSITIVE_X + face,
i,
false);
}
}
glGenerateMipmap(GL_TEXTURE_CUBE_MAP);
}
void TeapotRenderer::UpdateViewport() {
// Init Projection matrices
int32_t viewport[4];
glGetIntegerv(GL_VIEWPORT, viewport);
float fAspect;
const float CAM_NEAR = 5.f;
const float CAM_FAR = 10000.f;
// Set aspect ratio as wider axis becomes -1-1 to show sprite in same physical size on screen
if (viewport[2] < viewport[3]) {
fAspect = (float) viewport[2] / (float) viewport[3];
mat_projection_ =
ndk_helper::Mat4::Perspective(fAspect, 1.f, CAM_NEAR, CAM_FAR);
} else {
// Landscape orientation
fAspect = (float) viewport[3] / (float) viewport[2];
mat_projection_ =
ndk_helper::Mat4::Perspective(1.f, fAspect, CAM_NEAR, CAM_FAR);
}
}
void TeapotRenderer::Unload() {
if (vbo_) {
glDeleteBuffers(1, &vbo_);
vbo_ = 0;
}
if (ibo_) {
glDeleteBuffers(1, &ibo_);
ibo_ = 0;
}
if (tex_cubemap_) {
glDeleteTextures(1, &tex_cubemap_);
tex_cubemap_ = 0;
}
if (shader_param_.program_) {
glDeleteProgram(shader_param_.program_);
shader_param_.program_ = 0;
}
}
const float CAM_X = 0.f;
const float CAM_Y = 0.f;
const float CAM_Z = 700.f;
void TeapotRenderer::Update(const double time) {
mat_view_ = ndk_helper::Mat4::LookAt(ndk_helper::Vec3(CAM_X, CAM_Y, CAM_Z),
ndk_helper::Vec3(0.f, 0.f, 0.f),
ndk_helper::Vec3(0.f, 1.f, 0.f));
if (camera_) {
camera_->Update(time);
mat_view_ = camera_->GetTransformMatrix() * mat_view_ *
camera_->GetRotationMatrix() * mat_model_;
} else {
mat_view_ = mat_view_ * mat_model_;
}
}
void TeapotRenderer::Render() {
// Feed Projection and Model View matrices to the shaders
ndk_helper::Mat4 mat_vp = mat_projection_ * mat_view_;
// Bind the VBO
glBindBuffer(GL_ARRAY_BUFFER, vbo_);
int32_t iStride = sizeof(TEAPOT_VERTEX);
// Pass the vertex data
glVertexAttribPointer(ATTRIB_VERTEX, 3, GL_FLOAT, GL_FALSE, iStride,
BUFFER_OFFSET(0));
glEnableVertexAttribArray(ATTRIB_VERTEX);
glVertexAttribPointer(ATTRIB_NORMAL, 3, GL_FLOAT, GL_FALSE, iStride,
BUFFER_OFFSET(3 * sizeof(GLfloat)));
glEnableVertexAttribArray(ATTRIB_NORMAL);
// Bind the IB
glBindBuffer(GL_ELEMENT_ARRAY_BUFFER, ibo_);
glUseProgram(shader_param_.program_);
/*
R G B
Silver 0.971519 0.959915 0.915324
Aluminium 0.913183 0.921494 0.924524
Gold 1 0.765557 0.336057
Copper 0.955008 0.637427 0.538163
Chromium 0.549585 0.556114 0.554256
Nickel 0.659777 0.608679 0.525649
Titanium 0.541931 0.496791 0.449419
Cobalt 0.662124 0.654864 0.633732
Platinum 0.672411 0.637331 0.585456
*
*/
TEAPOT_MATERIALS material = {
{ 1.0f, 0.5f, 0.5f },
{ 1.0f, 0.765557, 0.538163, 10.f }, //Gold specular
{ 0.1f, 0.1f, 0.1f },
};
//Update uniforms
TEAPOT_MATERIALS& mat = materials_[current_material].material;
glUniform3f(shader_param_.material_diffuse_, mat.diffuse_color[0],
mat.diffuse_color[1], mat.diffuse_color[2]);
glUniform4f(shader_param_.material_specular_, mat.specular_color[0],
mat.specular_color[1],
mat.specular_color[2],
mat.specular_color[3]);
//
//using glUniform3fv here was troublesome
//
glUniform3f(shader_param_.material_ambient_, mat.ambient_color[0],
mat.ambient_color[1], mat.ambient_color[2]);
glUniformMatrix4fv(shader_param_.matrix_projection_, 1, GL_FALSE,
mat_vp.Ptr());
glUniformMatrix4fv(shader_param_.matrix_view_, 1, GL_FALSE, mat_view_.Ptr());
//Dynamic light
glUniform3f(shader_param_.light0_, 200.f, -200.f, -200.f);
glUniform3f(shader_param_.camera_pos_, CAM_X, CAM_Y, CAM_Z);
// Set cubemap
glEnable(GL_TEXTURE_CUBE_MAP);
glActiveTexture(GL_TEXTURE0);
glBindTexture(GL_TEXTURE_CUBE_MAP, tex_cubemap_);
glUniform1i(shader_param_.sampler0_, 0);
glUniform2f(shader_param_.roughness_, roughness_, MIPLEVELS-1);
glDrawElements(GL_TRIANGLES, num_indices_, GL_UNSIGNED_SHORT,
BUFFER_OFFSET(0));
glBindBuffer(GL_ARRAY_BUFFER, 0);
glBindBuffer(GL_ELEMENT_ARRAY_BUFFER, 0);
}
<|fim▁hole|> const char* strFsh) {
GLuint program;
GLuint vert_shader, frag_shader;
char* vert_shader_pathname, *frag_shader_pathname;
// Create shader program
program = glCreateProgram();
LOGI("Created Shader %d", program);
// Create and compile vertex shader
if (!ndk_helper::shader::CompileShader(&vert_shader, GL_VERTEX_SHADER,
strVsh)) {
LOGI("Failed to compile vertex shader");
glDeleteProgram(program);
return false;
}
// Create and compile fragment shader
if (!ndk_helper::shader::CompileShader(&frag_shader, GL_FRAGMENT_SHADER,
strFsh)) {
LOGI("Failed to compile fragment shader");
glDeleteProgram(program);
return false;
}
// Attach vertex shader to program
glAttachShader(program, vert_shader);
// Attach fragment shader to program
glAttachShader(program, frag_shader);
// Bind attribute locations
// this needs to be done prior to linking
glBindAttribLocation(program, ATTRIB_VERTEX, "myVertex");
glBindAttribLocation(program, ATTRIB_NORMAL, "myNormal");
glBindAttribLocation(program, ATTRIB_UV, "myUV");
// Link program
if (!ndk_helper::shader::LinkProgram(program)) {
LOGI("Failed to link program: %d", program);
if (vert_shader) {
glDeleteShader(vert_shader);
vert_shader = 0;
}
if (frag_shader) {
glDeleteShader(frag_shader);
frag_shader = 0;
}
if (program) {
glDeleteProgram(program);
}
return false;
}
// Get uniform locations
params->matrix_projection_ = glGetUniformLocation(program, "uPMatrix");
params->matrix_view_ = glGetUniformLocation(program, "uMVMatrix");
params->light0_ = glGetUniformLocation(program, "vLight0");
params->camera_pos_ = glGetUniformLocation(program, "vCamera");
params->material_diffuse_ = glGetUniformLocation(program, "vMaterialDiffuse");
params->material_ambient_ = glGetUniformLocation(program, "vMaterialAmbient");
params->material_specular_ =
glGetUniformLocation(program, "vMaterialSpecular");
params->sampler0_ = glGetUniformLocation( program, "sCubemapTexture" );
params->roughness_ = glGetUniformLocation(program, "vRoughness");
// Release vertex and fragment shaders
if (vert_shader) glDeleteShader(vert_shader);
if (frag_shader) glDeleteShader(frag_shader);
params->program_ = program;
return true;
}
bool TeapotRenderer::Bind(ndk_helper::TapCamera* camera) {
camera_ = camera;
return true;
}
//
//Material control
//
void TeapotRenderer::SwitchMaterial()
{
current_material = (current_material + 1) % NUM_MATERIALS;
}
const char* TeapotRenderer::GetMaterialName()
{
return materials_[current_material].material_name;
}<|fim▁end|> | bool TeapotRenderer::LoadShaders(SHADER_PARAMS* params, const char* strVsh, |
<|file_name|>setup.py<|end_file_name|><|fim▁begin|>from __future__ import division, absolute_import, print_function,\
unicode_literals
import os
import sys
try:
from setuptools import setup
except ImportError:
from distutils.core import setup, Extension
from distutils.core import Extension
from distutils.errors import DistutilsError
from distutils.command.build_ext import build_ext
with open(os.path.join('nanomsg','version.py')) as f:
exec(f.read())
class skippable_build_ext(build_ext):
def run(self):
try:
build_ext.run(self)
except Exception as e:
print()
print("=" * 79)
print("WARNING : CPython API extension could not be built.")
print()
print("Exception was : %r" % (e,))
print()
print(
"If you need the extensions (they may be faster than "<|fim▁hole|> print(" platforms) check you have a compiler configured with all"
" the necessary")
print(" headers and libraries.")
print("=" * 79)
print()
try:
import ctypes
if sys.platform in ('win32', 'cygwin'):
_lib = ctypes.windll.nanoconfig
else:
_lib = ctypes.cdll.LoadLibrary('libnanoconfig.so')
except OSError:
# Building without nanoconfig
cpy_extension = Extension(str('_nanomsg_cpy'),
sources=[str('_nanomsg_cpy/wrapper.c')],
libraries=[str('nanomsg')],
)
else:
# Building with nanoconfig
cpy_extension = Extension(str('_nanomsg_cpy'),
define_macros=[('WITH_NANOCONFIG', '1')],
sources=[str('_nanomsg_cpy/wrapper.c')],
libraries=[str('nanomsg'), str('nanoconfig')],
)
install_requires = []
try:
import importlib
except ImportError:
install_requires.append('importlib')
setup(
name='nanomsg',
version=__version__,
packages=[str('nanomsg'), str('_nanomsg_ctypes'), str('nanomsg_wrappers')],
ext_modules=[cpy_extension],
cmdclass = {'build_ext': skippable_build_ext},
install_requires=install_requires,
description='Python library for nanomsg.',
classifiers=[
"Development Status :: 3 - Alpha",
"Intended Audience :: Developers",
"Programming Language :: Python",
"Programming Language :: Python :: 2",
"Programming Language :: Python :: 2.6",
"Programming Language :: Python :: 2.7",
"Programming Language :: Python :: 3",
"Programming Language :: Python :: 3.2",
"Programming Language :: Python :: 3.3",
],
author='Tony Simpson',
author_email='[email protected]',
url='https://github.com/tonysimpson/nanomsg-python',
keywords=['nanomsg', 'driver'],
license='MIT',
test_suite="tests",
)<|fim▁end|> | "alternative on some"
) |
<|file_name|>time_hash_map_fill.cpp<|end_file_name|><|fim▁begin|>/*
Copyright 2005-2010 Intel Corporation. All Rights Reserved.
This file is part of Threading Building Blocks.
Threading Building Blocks is free software; you can redistribute it
and/or modify it under the terms of the GNU General Public License
version 2 as published by the Free Software Foundation.
Threading Building Blocks 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 Threading Building Blocks; if not, write to the Free Software
Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA
As a special exception, you may use this file as part of a free software
library without restriction. Specifically, if other files instantiate
templates or use macros or inline functions from this file, or you compile
this file and link it with other files to produce an executable, this
file does not by itself cause the resulting executable to be covered by
the GNU General Public License. This exception does not however
invalidate any other reasons why the executable file might be covered by
the GNU General Public License.
*/
// configuration:
// Size of final table (must be multiple of STEP_*)
int MAX_TABLE_SIZE = 2000000;
// Specify list of unique percents (5-30,100) to test against. Max 10 values
#define UNIQUE_PERCENTS PERCENT(5); PERCENT(10); PERCENT(20); PERCENT(30); PERCENT(100)
// enable/disable tests for:
#define BOX1 "CHMap"
#define BOX1TEST ValuePerSecond<Uniques<tbb::concurrent_hash_map<int,int> >, 1000000/*ns*/>
#define BOX1HEADER "tbb/concurrent_hash_map.h"
// enable/disable tests for:
#define BOX2 "CUMap"
#define BOX2TEST ValuePerSecond<Uniques<tbb::concurrent_unordered_map<int,int> >, 1000000/*ns*/><|fim▁hole|>#define BOX3TEST ValuePerSecond<Uniques<tbb::concurrent_hash_map<int,int> >, 1000000/*ns*/>
#define BOX3HEADER "tbb/concurrent_hash_map-5468.h"
#define TBB_USE_THREADING_TOOLS 0
//////////////////////////////////////////////////////////////////////////////////
#include <cstdlib>
#include <math.h>
#include "tbb/tbb_stddef.h"
#include <vector>
#include <map>
// needed by hash_maps
#include <stdexcept>
#include <iterator>
#include <algorithm> // std::swap
#include <utility> // Need std::pair
#include <cstring> // Need std::memset
#include <typeinfo>
#include "tbb/cache_aligned_allocator.h"
#include "tbb/tbb_allocator.h"
#include "tbb/spin_rw_mutex.h"
#include "tbb/aligned_space.h"
#include "tbb/atomic.h"
#include "tbb/_concurrent_unordered_internal.h"
// for test
#include "tbb/spin_mutex.h"
#include "time_framework.h"
using namespace tbb;
using namespace tbb::internal;
/////////////////////////////////////////////////////////////////////////////////////////
// Input data built for test
int *Data;
// Main test class used to run the timing tests. All overridden methods are called by the framework
template<typename TableType>
struct Uniques : TesterBase {
TableType Table;
int n_items;
// Initializes base class with number of test modes
Uniques() : TesterBase(2), Table(MaxThread*16) {
//Table->max_load_factor(1); // add stub into hash_map to uncomment it
}
~Uniques() {}
// Returns name of test mode specified by number
/*override*/ std::string get_name(int testn) {
if(testn == 1) return "find";
return "insert";
}
// Informs the class that value and threads number become known
/*override*/ void init() {
n_items = value/threads_count; // operations
}
// Informs the class that the test mode for specified thread is about to start
/*override*/ void test_prefix(int testn, int t) {
barrier->wait();
if(Verbose && !t && testn) printf("%s: inserted %u, %g%% of operations\n", tester_name, unsigned(Table.size()), 100.0*Table.size()/(value*testn));
}
// Executes test mode for a given thread. Return value is ignored when used with timing wrappers.
/*override*/ double test(int testn, int t)
{
if( testn != 1 ) { // do insertions
for(int i = testn*value+t*n_items, e = testn*value+(t+1)*n_items; i < e; i++) {
Table.insert( std::make_pair(Data[i],t) );
}
} else { // do last finds
for(int i = t*n_items, e = (t+1)*n_items; i < e; i++) {
size_t c =
Table.count( Data[i] );
ASSERT( c == 1, NULL ); // must exist
}
}
return 0;
}
};
/////////////////////////////////////////////////////////////////////////////////////////
#include <limits>
// Using BOX declarations from configuration
#include "time_sandbox.h"
int rounds = 0;
// Prepares the input data for given unique percent
void execute_percent(test_sandbox &the_test, int p) {
int input_size = MAX_TABLE_SIZE*100/p;
Data = new int[input_size];
int uniques = p==100?std::numeric_limits<int>::max() : MAX_TABLE_SIZE;
ASSERT(p==100 || p <= 30, "Function is broken for %% > 30 except for 100%%");
for(int i = 0; i < input_size; i++)
Data[i] = rand()%uniques;
for(int t = MinThread; t <= MaxThread; t++)
the_test.factory(input_size, t); // executes the tests specified in BOX-es for given 'value' and threads
the_test.report.SetRoundTitle(rounds++, "%d%%", p);
}
#define PERCENT(x) execute_percent(the_test, x)
int main(int argc, char* argv[]) {
if(argc>1) Verbose = true;
//if(argc>2) ExtraVerbose = true;
MinThread = 1; MaxThread = task_scheduler_init::default_num_threads();
ParseCommandLine( argc, argv );
if(getenv("TABLE_SIZE"))
MAX_TABLE_SIZE = atoi(getenv("TABLE_SIZE"));
ASSERT(tbb_allocator<int>::allocator_type() == tbb_allocator<int>::scalable, "expecting scalable allocator library to be loaded. Please build it by:\n\t\tmake tbbmalloc");
// Declares test processor
test_sandbox the_test("time_hash_map_fill"/*, StatisticsCollector::ByThreads*/);
srand(10101);
UNIQUE_PERCENTS; // test the percents
the_test.report.SetTitle("Operations per nanosecond");
the_test.report.SetRunInfo("Items", MAX_TABLE_SIZE);
the_test.report.Print(StatisticsCollector::HTMLFile|StatisticsCollector::ExcelXML); // Write files
return 0;
}<|fim▁end|> | #define BOX2HEADER "tbb/concurrent_unordered_map.h"
// enable/disable tests for:
//#define BOX3 "OLD" |
<|file_name|>RoomPreviewBar-test.tsx<|end_file_name|><|fim▁begin|>/*
Copyright 2021 The Matrix.org Foundation C.I.C.
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.
*/
import React from 'react';
import {
renderIntoDocument,
Simulate,
findRenderedDOMComponentWithClass,
act,
} from 'react-dom/test-utils';
import { Room, RoomMember, MatrixError, IContent } from 'matrix-js-sdk/src/matrix';
import "../../../skinned-sdk";
import { stubClient } from '../../../test-utils';
import { MatrixClientPeg } from '../../../../src/MatrixClientPeg';
import DMRoomMap from '../../../../src/utils/DMRoomMap';
import RoomPreviewBar from '../../../../src/components/views/rooms/RoomPreviewBar';
jest.mock('../../../../src/IdentityAuthClient', () => {
return jest.fn().mockImplementation(() => {
return { getAccessToken: jest.fn().mockResolvedValue('mock-token') };
});
});
jest.useRealTimers();
const createRoom = (roomId: string, userId: string): Room => {
const newRoom = new Room(
roomId,
MatrixClientPeg.get(),
userId,
{},
);
DMRoomMap.makeShared().start();
return newRoom;
};
const makeMockRoomMember = (
{ userId, isKicked, membership, content, memberContent }:
{userId?: string;
isKicked?: boolean;
membership?: 'invite' | 'ban';
content?: Partial<IContent>;
memberContent?: Partial<IContent>;
},
) => ({
userId,
rawDisplayName: `${userId} name`,
isKicked: jest.fn().mockReturnValue(!!isKicked),
getContent: jest.fn().mockReturnValue(content || {}),
membership,
events: {
member: {
getSender: jest.fn().mockReturnValue('@kicker:test.com'),
getContent: jest.fn().mockReturnValue({ reason: 'test reason', ...memberContent }),
},
},
}) as unknown as RoomMember;
describe('<RoomPreviewBar />', () => {
const roomId = 'RoomPreviewBar-test-room';
const userId = '@tester:test.com';
const inviterUserId = '@inviter:test.com';
const otherUserId = '@othertester:test.com';
const getComponent = (props = {}) => {
const defaultProps = {
room: createRoom(roomId, userId),
};
const wrapper = renderIntoDocument<React.Component>(
<RoomPreviewBar {...defaultProps} {...props} />,
) as React.Component;
return findRenderedDOMComponentWithClass(wrapper, 'mx_RoomPreviewBar') as HTMLDivElement;
};
const isSpinnerRendered = (element: Element) => !!element.querySelector('.mx_Spinner');
const getMessage = (element: Element) => element.querySelector<HTMLDivElement>('.mx_RoomPreviewBar_message');
const getActions = (element: Element) => element.querySelector<HTMLDivElement>('.mx_RoomPreviewBar_actions');
const getPrimaryActionButton = (element: Element) =>
getActions(element).querySelector('.mx_AccessibleButton_kind_primary');
const getSecondaryActionButton = (element: Element) =>
getActions(element).querySelector('.mx_AccessibleButton_kind_secondary');
beforeEach(() => {
stubClient();
MatrixClientPeg.get().getUserId = jest.fn().mockReturnValue(userId);
});
afterEach(() => {
const container = document.body.firstChild;
container && document.body.removeChild(container);
});
it('renders joining message', () => {
const component = getComponent({ joining: true });
expect(isSpinnerRendered(component)).toBeTruthy();
expect(getMessage(component).textContent).toEqual('Joining room …');
});
it('renders rejecting message', () => {
const component = getComponent({ rejecting: true });
expect(isSpinnerRendered(component)).toBeTruthy();
expect(getMessage(component).textContent).toEqual('Rejecting invite …');
});
it('renders loading message', () => {
const component = getComponent({ loading: true });
expect(isSpinnerRendered(component)).toBeTruthy();
expect(getMessage(component).textContent).toEqual('Loading …');
});
it('renders not logged in message', () => {
MatrixClientPeg.get().isGuest = jest.fn().mockReturnValue(true);
const component = getComponent({ loading: true });
expect(isSpinnerRendered(component)).toBeFalsy();
expect(getMessage(component).textContent).toEqual('Join the conversation with an account');
});
it('renders kicked message', () => {
const room = createRoom(roomId, otherUserId);
jest.spyOn(room, 'getMember').mockReturnValue(makeMockRoomMember({ isKicked: true }));
const component = getComponent({ loading: true, room });
expect(getMessage(component)).toMatchSnapshot();
});
it('renders banned message', () => {
const room = createRoom(roomId, otherUserId);
jest.spyOn(room, 'getMember').mockReturnValue(makeMockRoomMember({ membership: 'ban' }));
const component = getComponent({ loading: true, room });
expect(getMessage(component)).toMatchSnapshot();
});
describe('with an error', () => {
it('renders room not found error', () => {
const error = new MatrixError({
errcode: 'M_NOT_FOUND',
error: "Room not found",
});
const component = getComponent({ error });
expect(getMessage(component)).toMatchSnapshot();
});
it('renders other errors', () => {
const error = new MatrixError({
errcode: 'Something_else',
});
const component = getComponent({ error });
expect(getMessage(component)).toMatchSnapshot();
});
});
it('renders viewing room message when room an be previewed', () => {
const component = getComponent({ canPreview: true });
expect(getMessage(component)).toMatchSnapshot();
});
it('renders viewing room message when room can not be previewed', () => {
const component = getComponent({ canPreview: false });
expect(getMessage(component)).toMatchSnapshot();
});
describe('with an invite', () => {
const inviterName = inviterUserId;
const userMember = makeMockRoomMember({ userId });
const userMemberWithDmInvite = makeMockRoomMember({
userId, membership: 'invite', memberContent: { is_direct: true },
});<|fim▁hole|> const inviterMember = makeMockRoomMember({
userId: inviterUserId,
content: {
"reason": 'test',
'io.element.html_reason': '<h3>hello</h3>',
},
});
describe('without an invited email', () => {
describe('for a non-dm room', () => {
const mockGetMember = (id) => {
if (id === userId) return userMember;
return inviterMember;
};
const onJoinClick = jest.fn();
const onRejectClick = jest.fn();
let room;
beforeEach(() => {
room = createRoom(roomId, userId);
jest.spyOn(room, 'getMember').mockImplementation(mockGetMember);
jest.spyOn(room.currentState, 'getMember').mockImplementation(mockGetMember);
onJoinClick.mockClear();
onRejectClick.mockClear();
});
it('renders invite message', () => {
const component = getComponent({ inviterName, room });
expect(getMessage(component)).toMatchSnapshot();
});
it('renders join and reject action buttons correctly', () => {
const component = getComponent({ inviterName, room, onJoinClick, onRejectClick });
expect(getActions(component)).toMatchSnapshot();
});
it('renders reject and ignore action buttons when handler is provided', () => {
const onRejectAndIgnoreClick = jest.fn();
const component = getComponent({
inviterName, room, onJoinClick, onRejectClick, onRejectAndIgnoreClick,
});
expect(getActions(component)).toMatchSnapshot();
});
it('renders join and reject action buttons in reverse order when room can previewed', () => {
// when room is previewed action buttons are rendered left to right, with primary on the right
const component = getComponent({ inviterName, room, onJoinClick, onRejectClick, canPreview: true });
expect(getActions(component)).toMatchSnapshot();
});
it('joins room on primary button click', () => {
const component = getComponent({ inviterName, room, onJoinClick, onRejectClick });
act(() => {
Simulate.click(getPrimaryActionButton(component));
});
expect(onJoinClick).toHaveBeenCalled();
});
it('rejects invite on secondary button click', () => {
const component = getComponent({ inviterName, room, onJoinClick, onRejectClick });
act(() => {
Simulate.click(getSecondaryActionButton(component));
});
expect(onRejectClick).toHaveBeenCalled();
});
});
describe('for a dm room', () => {
const mockGetMember = (id) => {
if (id === userId) return userMemberWithDmInvite;
return inviterMember;
};
const onJoinClick = jest.fn();
const onRejectClick = jest.fn();
let room;
beforeEach(() => {
room = createRoom(roomId, userId);
jest.spyOn(room, 'getMember').mockImplementation(mockGetMember);
jest.spyOn(room.currentState, 'getMember').mockImplementation(mockGetMember);
onJoinClick.mockClear();
onRejectClick.mockClear();
});
it('renders invite message to a non-dm room', () => {
const component = getComponent({ inviterName, room });
expect(getMessage(component)).toMatchSnapshot();
});
it('renders join and reject action buttons with correct labels', () => {
const onRejectAndIgnoreClick = jest.fn();
const component = getComponent({
inviterName, room, onJoinClick, onRejectAndIgnoreClick, onRejectClick,
});
expect(getActions(component)).toMatchSnapshot();
});
});
});
describe('with an invited email', () => {
const invitedEmail = '[email protected]';
const mockThreePids = [
{ medium: 'email', address: invitedEmail },
{ medium: 'not-email', address: 'address 2' },
];
const testJoinButton = (props) => async () => {
const onJoinClick = jest.fn();
const onRejectClick = jest.fn();
const component = getComponent({ ...props, onJoinClick, onRejectClick });
await new Promise(setImmediate);
expect(getPrimaryActionButton(component)).toBeTruthy();
expect(getSecondaryActionButton(component)).toBeFalsy();
act(() => {
Simulate.click(getPrimaryActionButton(component));
});
expect(onJoinClick).toHaveBeenCalled();
};
describe('when client fails to get 3PIDs', () => {
beforeEach(() => {
MatrixClientPeg.get().getThreePids = jest.fn().mockRejectedValue({ errCode: 'TEST_ERROR' });
});
it('renders error message', async () => {
const component = getComponent({ inviterName, invitedEmail });
await new Promise(setImmediate);
expect(getMessage(component)).toMatchSnapshot();
});
it('renders join button', testJoinButton({ inviterName, invitedEmail }));
});
describe('when invitedEmail is not associated with current account', () => {
beforeEach(() => {
MatrixClientPeg.get().getThreePids = jest.fn().mockResolvedValue(
{ threepids: mockThreePids.slice(1) },
);
});
it('renders invite message with invited email', async () => {
const component = getComponent({ inviterName, invitedEmail });
await new Promise(setImmediate);
expect(getMessage(component)).toMatchSnapshot();
});
it('renders join button', testJoinButton({ inviterName, invitedEmail }));
});
describe('when client has no identity server connected', () => {
beforeEach(() => {
MatrixClientPeg.get().getThreePids = jest.fn().mockResolvedValue({ threepids: mockThreePids });
MatrixClientPeg.get().getIdentityServerUrl = jest.fn().mockReturnValue(false);
});
it('renders invite message with invited email', async () => {
const component = getComponent({ inviterName, invitedEmail });
await new Promise(setImmediate);
expect(getMessage(component)).toMatchSnapshot();
});
it('renders join button', testJoinButton({ inviterName, invitedEmail }));
});
describe('when client has an identity server connected', () => {
beforeEach(() => {
MatrixClientPeg.get().getThreePids = jest.fn().mockResolvedValue({ threepids: mockThreePids });
MatrixClientPeg.get().getIdentityServerUrl = jest.fn().mockReturnValue('identity.test');
MatrixClientPeg.get().lookupThreePid = jest.fn().mockResolvedValue('identity.test');
});
it('renders email mismatch message when invite email mxid doesnt match', async () => {
MatrixClientPeg.get().lookupThreePid = jest.fn().mockReturnValue('not userid');
const component = getComponent({ inviterName, invitedEmail });
await new Promise(setImmediate);
expect(getMessage(component)).toMatchSnapshot();
expect(MatrixClientPeg.get().lookupThreePid).toHaveBeenCalledWith(
'email', invitedEmail, undefined, 'mock-token',
);
await testJoinButton({ inviterName, invitedEmail })();
});
it('renders invite message when invite email mxid match', async () => {
MatrixClientPeg.get().lookupThreePid = jest.fn().mockReturnValue(userId);
const component = getComponent({ inviterName, invitedEmail });
await new Promise(setImmediate);
expect(getMessage(component)).toMatchSnapshot();
await testJoinButton({ inviterName, invitedEmail })();
});
});
});
});
});<|fim▁end|> | |
<|file_name|>Arasaac.js<|end_file_name|><|fim▁begin|>import React from 'react'
import PropTypes from 'prop-types'
import A from 'components/A'
const Arasaac = ({ link }) =>
link ? (
<A href={'http://www.arasaac.org'} target='_blank' alt='Arasaac'>
ARASAAC (http://www.arasaac.org)<|fim▁hole|> </A>
) : (
<A href={'http://www.arasaac.org'} target='_blank' alt='Arasaac'>
ARASAAC
</A>
)
Arasaac.propTypes = {
link: PropTypes.bool
}
export default Arasaac<|fim▁end|> | |
<|file_name|>app-routing.module.ts<|end_file_name|><|fim▁begin|>import { NgModule } from '@angular/core';
import { Routes, RouterModule } from '@angular/router';
import { PantryComponent } from './components';
import { LoginComponent } from './components';
import { UserCreationComponent } from './components'
import { HomeComponent } from './components';
import { PantryListComponent } from './components';
const routes: Routes = [
{ path: "", redirectTo: "home", pathMatch: "full"},
{ path: "home", component: HomeComponent },
{ path: "user/:userId/pantry", component: PantryListComponent},
{ path: "user/:userId/pantry/:pantryId", component: PantryComponent },
{ path: "login", component: LoginComponent },
{ path: "create-account", component: UserCreationComponent }
];
<|fim▁hole|>})
export class AppRoutingModule {
}<|fim▁end|> | @NgModule({
imports: [RouterModule.forRoot(routes)],
exports: [RouterModule] |
<|file_name|>Context.java<|end_file_name|><|fim▁begin|>package net.sf.memoranda.util;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import net.sf.memoranda.ui.AppFrame;
/**
* <p>
* Title:
* </p>
* <p>
* Description:
* </p><|fim▁hole|> * Copyright: Copyright (c) 2002
* </p>
* <p>
* Company:
* </p>
*
* @author unascribed
* @version 1.0
*/
/* $Id: Context.java,v 1.3 2004/01/30 12:17:42 alexeya Exp $ */
public class Context {
public static LoadableProperties context = new LoadableProperties();
static {
CurrentStorage.get().restoreContext();
AppFrame.addExitListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
CurrentStorage.get().storeContext();
}
});
}
public static Object get(Object key) {
return context.get(key);
}
public static void put(Object key, Object value) {
context.put(key, value);
}
}<|fim▁end|> | * <p> |
<|file_name|>ndt_randtype.py<|end_file_name|><|fim▁begin|>#
# BSD 3-Clause License
#
# Copyright (c) 2017-2018, plures
# All rights reserved.
#
# Redistribution and use in source and binary forms, with or without
# modification, are permitted provided that the following conditions are met:
#
# 1. Redistributions of source code must retain the above copyright notice,
# this list of conditions and the following disclaimer.
#
# 2. Redistributions in binary form must reproduce the above copyright notice,
# this list of conditions and the following disclaimer in the documentation
# and/or other materials provided with the distribution.<|fim▁hole|># this software without specific prior written permission.
#
# 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.
#
# Functions for generating test cases.
import sys
from itertools import accumulate, count, product
from collections import namedtuple
from random import randrange
from ndtypes import ndt, ApplySpec
from _testbuffer import get_sizeof_void_p
SIZEOF_PTR = get_sizeof_void_p()
Mem = namedtuple("Mem", "itemsize align")
# ======================================================================
# Check contiguous fixed dimensions
# ======================================================================
def c_datasize(t):
"""Check the datasize of contiguous arrays."""
datasize = t.itemsize
for v in t.shape:
datasize *= v
return datasize
# ======================================================================
# Check fixed dimensions with arbitary strides
# ======================================================================
def verify_datasize(t):
"""Verify the datasize of fixed dimensions with arbitrary strides."""
if t.itemsize == 0:
return t.datasize == 0
if t.datasize % t.itemsize:
return False
if t.ndim <= 0:
return t.ndim == 0 and not t.shape and not t.strides
if any(v < 0 for v in t.shape):
return False
if any(v % t.itemsize for v in t.strides):
return False
if 0 in t.shape:
return t.datasize == 0
imin = sum(t.strides[j]*(t.shape[j]-1) for j in range(t.ndim)
if t.strides[j] <= 0)
imax = sum(t.strides[j]*(t.shape[j]-1) for j in range(t.ndim)
if t.strides[j] > 0)
return t.datasize == (abs(imin) + imax + t.itemsize)
# ======================================================================
# Typed values
# ======================================================================
DTYPE_TEST_CASES = [
# Tuples
("()", Mem(itemsize=0, align=1)),
("(complex128)", Mem(itemsize=16, align=8)),
("(int8, int64)", Mem(itemsize=16, align=8)),
("(int8, int64, pack=1)", Mem(itemsize=9, align=1)),
("(int8, int64, pack=2)", Mem(itemsize=10, align=2)),
("(int8, int64, pack=4)", Mem(itemsize=12, align=4)),
("(int8, int64, pack=8)", Mem(itemsize=16, align=8)),
("(int8, int64, pack=16)", Mem(itemsize=32, align=16)),
("(int8, int64, align=1)", Mem(itemsize=16, align=8)),
("(int8, int64, align=2)", Mem(itemsize=16, align=8)),
("(int8, int64, align=4)", Mem(itemsize=16, align=8)),
("(int8, int64, align=8)", Mem(itemsize=16, align=8)),
("(int8, int64, align=16)", Mem(itemsize=16, align=16)),
("(int8 |align=1|, int64)", Mem(itemsize=16, align=8)),
("(int8 |align=2|, int64)", Mem(itemsize=16, align=8)),
("(int8 |align=4|, int64)", Mem(itemsize=16, align=8)),
("(int8 |align=8|, int64)", Mem(itemsize=16, align=8)),
("(int8 |align=16|, int64)", Mem(itemsize=16, align=16)),
("(uint16, (complex64))", Mem(itemsize=12, align=4)),
("(uint16, (complex64), pack=1)", Mem(itemsize=10, align=1)),
("(uint16, (complex64), pack=2)", Mem(itemsize=10, align=2)),
("(uint16, (complex64), pack=4)", Mem(itemsize=12, align=4)),
("(uint16, (complex64), pack=8)", Mem(itemsize=16, align=8)),
("(uint16, (complex64), align=1)", Mem(itemsize=12, align=4)),
("(uint16, (complex64), align=2)", Mem(itemsize=12, align=4)),
("(uint16, (complex64), align=4)", Mem(itemsize=12, align=4)),
("(uint16, (complex64), align=8)", Mem(itemsize=16, align=8)),
# References to tuples
("&(uint16, (complex64), align=1)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("(uint16, &(complex64), pack=1)", Mem(itemsize=2+SIZEOF_PTR, align=1)),
# Constructor containing references to tuples
("Some(&(uint16, (complex64), align=1))", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("Some((uint16, &(complex64), pack=1))", Mem(itemsize=2+SIZEOF_PTR, align=1)),
# Optional tuples
("?(uint16, (complex64), align=1)", Mem(itemsize=12, align=4)),
("(uint16, ?(complex64), align=1)", Mem(itemsize=12, align=4)),
("?(uint16, ?(complex64), align=1)", Mem(itemsize=12, align=4)),
("?(uint16, (complex64), align=2)", Mem(itemsize=12, align=4)),
("(uint16, ?(complex64), align=4)", Mem(itemsize=12, align=4)),
("?(uint16, ?(complex64), align=8)", Mem(itemsize=16, align=8)),
# References to optional tuples or tuples with optional subtrees
("&?(uint16, (complex64), align=1)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("&(uint16, ?(complex64), align=1)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
# Constructor containing optional tuples or tuples with optional subtrees
("Some(?(uint16, (complex64), align=1))", Mem(itemsize=12, align=4)),
("Some((uint16, ?(complex64), align=1))", Mem(itemsize=12, align=4)),
# Records
("{}", Mem(itemsize=0, align=1)),
("{x: complex128}", Mem(itemsize=16, align=8)),
("{x: int8, y: int64}", Mem(itemsize=16, align=8)),
("{x: int8, y: int64, pack=1}", Mem(itemsize=9, align=1)),
("{x: int8, y: int64, pack=2}", Mem(itemsize=10, align=2)),
("{x: int8, y: int64, pack=4}", Mem(itemsize=12, align=4)),
("{x: int8, y: int64, pack=8}", Mem(itemsize=16, align=8)),
("{x: int8, y: int64, pack=16}", Mem(itemsize=32, align=16)),
("{x: uint16, y: {z: complex128}}", Mem(itemsize=24, align=8)),
("{x: uint16, y: {z: complex128, align=16}}", Mem(itemsize=32, align=16)),
("{x: uint16, y: {z: complex128}, align=16}", Mem(itemsize=32, align=16)),
# Primitive types
("bool", Mem(itemsize=1, align=1)),
("int8", Mem(itemsize=1, align=1)),
("int16", Mem(itemsize=2, align=2)),
("int32", Mem(itemsize=4, align=4)),
("int64", Mem(itemsize=8, align=8)),
("uint8", Mem(itemsize=1, align=1)),
("uint16", Mem(itemsize=2, align=2)),
("uint32", Mem(itemsize=4, align=4)),
("uint64", Mem(itemsize=8, align=8)),
("float32", Mem(itemsize=4, align=4)),
("float64", Mem(itemsize=8, align=8)),
("complex64", Mem(itemsize=8, align=4)),
("complex128", Mem(itemsize=16, align=8)),
# Primitive optional types
("?bool", Mem(itemsize=1, align=1)),
("?int8", Mem(itemsize=1, align=1)),
("?int16", Mem(itemsize=2, align=2)),
("?int32", Mem(itemsize=4, align=4)),
("?int64", Mem(itemsize=8, align=8)),
("?uint8", Mem(itemsize=1, align=1)),
("?uint16", Mem(itemsize=2, align=2)),
("?uint32", Mem(itemsize=4, align=4)),
("?uint64", Mem(itemsize=8, align=8)),
("?float32", Mem(itemsize=4, align=4)),
("?float64", Mem(itemsize=8, align=8)),
("?complex64", Mem(itemsize=8, align=4)),
("?complex128", Mem(itemsize=16, align=8)),
# References
("&bool", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("&int8", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("&int16", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("&int32", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("&int64", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("ref(uint8)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("ref(uint16)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("ref(uint32)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("ref(uint64)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("ref(float32)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("ref(float64)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("ref(complex64)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("ref(complex128)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
# Optional references
("?&bool", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("?&int8", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("?&int16", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("?&int32", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("?&int64", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("?ref(uint8)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("?ref(uint16)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("?ref(uint32)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("?ref(uint64)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("?ref(float32)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("?ref(float64)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("?ref(complex64)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("?ref(complex128)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
# References to optional types
("&?bool", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("&?int8", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("&?int16", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("&?int32", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("&?int64", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("ref(?uint8)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("ref(?uint16)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("ref(?uint32)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("ref(?uint64)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("ref(?float32)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("ref(?float64)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("ref(?complex64)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
("ref(?complex128)", Mem(itemsize=SIZEOF_PTR, align=SIZEOF_PTR)),
# Constructors
("Some(bool)", Mem(itemsize=1, align=1)),
("Some(int8)", Mem(itemsize=1, align=1)),
("Some(int16)", Mem(itemsize=2, align=2)),
("Some(int32)", Mem(itemsize=4, align=4)),
("Some(int64)", Mem(itemsize=8, align=8)),
("Some(uint8)", Mem(itemsize=1, align=1)),
("Some(uint16)", Mem(itemsize=2, align=2)),
("Some(uint32)", Mem(itemsize=4, align=4)),
("Some(uint64)", Mem(itemsize=8, align=8)),
("Some(float32)", Mem(itemsize=4, align=4)),
("Some(float64)", Mem(itemsize=8, align=8)),
("Some(complex64)", Mem(itemsize=8, align=4)),
("Some(complex128)", Mem(itemsize=16, align=8)),
# Optional constructors
("?Some(bool)", Mem(itemsize=1, align=1)),
("?Some(int8)", Mem(itemsize=1, align=1)),
("?Some(int16)", Mem(itemsize=2, align=2)),
("?Some(int32)", Mem(itemsize=4, align=4)),
("?Some(int64)", Mem(itemsize=8, align=8)),
("?Some(uint8)", Mem(itemsize=1, align=1)),
("?Some(uint16)", Mem(itemsize=2, align=2)),
("?Some(uint32)", Mem(itemsize=4, align=4)),
("?Some(uint64)", Mem(itemsize=8, align=8)),
("?Some(float32)", Mem(itemsize=4, align=4)),
("?Some(float64)", Mem(itemsize=8, align=8)),
("?Some(complex64)", Mem(itemsize=8, align=4)),
("?Some(complex128)", Mem(itemsize=16, align=8)),
# Constructors containing optional types
("Some(?bool)", Mem(itemsize=1, align=1)),
("Some(?int8)", Mem(itemsize=1, align=1)),
("Some(?int16)", Mem(itemsize=2, align=2)),
("Some(?int32)", Mem(itemsize=4, align=4)),
("Some(?int64)", Mem(itemsize=8, align=8)),
("Some(?uint8)", Mem(itemsize=1, align=1)),
("Some(?uint16)", Mem(itemsize=2, align=2)),
("Some(?uint32)", Mem(itemsize=4, align=4)),
("Some(?uint64)", Mem(itemsize=8, align=8)),
("Some(?float32)", Mem(itemsize=4, align=4)),
("Some(?float64)", Mem(itemsize=8, align=8)),
("Some(?complex64)", Mem(itemsize=8, align=4)),
("Some(?complex128)", Mem(itemsize=16, align=8)),
]
# ======================================================================
# Broadcasting
# ======================================================================
def genindices(factor):
for i in range(4):
yield ()
for i in range(4):
yield (factor * i,)
for i in range(4):
for j in range(4):
yield (factor * i, factor * j)
for i in range(4):
for j in range(4):
for k in range(4):
yield (factor * i, factor * j, factor * k)
BROADCAST_TEST_CASES = [
dict(sig=ndt("uint8 -> float64"),
args=[ndt("uint8")],
out=None,
spec= ApplySpec(
flags = 'C|Fortran|Strided|Xnd',
outer_dims = 0,
nin = 1,
nout = 1,
nargs = 2,
types = [ndt("uint8"), ndt("float64")])),
dict(sig=ndt("... * uint8 -> ... * float64"),
args=[ndt("2 * uint8")],
out=None,
spec=ApplySpec(
flags = 'OptZ|OptC|OptS|C|Fortran|Strided|Xnd',
outer_dims = 1,
nin = 1,
nout = 1,
nargs = 2,
types = [ndt("2 * uint8"), ndt("2 * float64")])),
dict(sig=ndt("F[... * uint8] -> F[... * float64]"),
args=[ndt("!2 * 3 * uint8")],
out=None,
spec=ApplySpec(
flags = 'OptS|C|Fortran|Strided|Xnd',
outer_dims = 2,
nin = 1,
nout = 1,
nargs = 2,
types = [ndt("!2 * 3 * uint8"), ndt("!2 * 3 * float64")])),
dict(sig=ndt("... * uint8 -> ... * float64"),
args=[ndt("fixed(shape=2, step=10) * uint8")],
out=None,
spec=ApplySpec(
flags = 'OptS|C|Fortran|Strided|Xnd',
outer_dims = 1,
nin = 1,
nout = 1,
nargs = 2,
types = [ndt("fixed(shape=2, step=10) * uint8"), ndt("2 * float64")])),
dict(sig=ndt("... * N * uint8 -> ... * N * float64"),
args=[ndt("fixed(shape=2, step=10) * uint8")],
out=None,
spec=ApplySpec(
flags = 'Strided|Xnd',
outer_dims = 0,
nin = 1,
nout = 1,
nargs = 2,
types = [ndt("fixed(shape=2, step=10) * uint8"), ndt("2 * float64")])),
dict(sig=ndt("... * N * uint8 -> ... * N * float64"),
args=[ndt("2 * 3 * uint8")],
out=None,
spec=ApplySpec(
flags = 'OptZ|OptC|OptS|C|Fortran|Strided|Xnd' ,
outer_dims = 1,
nin = 1,
nout = 1,
nargs = 2,
types = [ndt("2 * 3 * uint8"), ndt("2 * 3 * float64")])),
dict(sig=ndt("... * N * M * uint8 -> ... * N * M * float64"),
args=[ndt("2 * 3 * uint8")],
out=None,
spec=ApplySpec(
flags = 'C|Strided|Xnd',
outer_dims = 0,
nin = 1,
nout = 1,
nargs = 2,
types = [ndt("2 * 3 * uint8"), ndt("2 * 3 * float64")])),
dict(sig=ndt("var... * float64 -> var... * float64"),
args=[ndt("var(offsets=[0,2]) * var(offsets=[0,4,11]) * float64")],
out=None,
spec=ApplySpec(
flags = 'Xnd',
outer_dims = 2,
nin = 1,
nout = 1,
nargs = 2,
types = [ndt("var(offsets=[0,2]) * var(offsets=[0,4,11]) * float64"),
ndt("var(offsets=[0,2]) * var(offsets=[0,4,11]) * float64")])),
]<|fim▁end|> | #
# 3. Neither the name of the copyright holder nor the names of its
# contributors may be used to endorse or promote products derived from |
<|file_name|>excerpt.py<|end_file_name|><|fim▁begin|>"""
Add an excerpt field to the page.
"""
from __future__ import absolute_import, unicode_literals
from django.db import models
from django.utils.translation import ugettext_lazy as _
from feincms import extensions
class Extension(extensions.Extension):
def handle_model(self):
self.model.add_to_class(
'excerpt',
models.TextField(
_('excerpt'),
blank=True,
help_text=_(
'Add a brief excerpt summarizing the content'
' of this page.')))
<|fim▁hole|> })<|fim▁end|> | def handle_modeladmin(self, modeladmin):
modeladmin.add_extension_options(_('Excerpt'), {
'fields': ('excerpt',),
'classes': ('collapse',), |
<|file_name|>config.py<|end_file_name|><|fim▁begin|>def can_build(env, platform):
return True
def configure(env):<|fim▁hole|>
def get_doc_classes():
return [
"NetworkedMultiplayerENet",
]
def get_doc_path():
return "doc_classes"<|fim▁end|> | pass |
<|file_name|>bot.js<|end_file_name|><|fim▁begin|>#!/usr/bin/env node
'use strict';
/*All Includes needed for the Bot Core*/
var isfile = function(name) {
require('fs').exists(name, function(exists) {
return exists;
});
};
var jsonfile = require('jsonfile');
var configfile = 'config.json';
var Event = require('./modules/Events').eventBus; // One way Events from the Main Core System
var DiscordProxy = require('./modules/DiscordProxy'); // Proxy between Core & Plugins
var Discord = require('discord.io'); // Required for the Bot to do anything with Discord
var Plugins = require('require-all')(__dirname + '/plugins');//Loads all Plugins into the Bot
var express = require('express');
var app = express();
var bodyparser = require("body-parser");
var mongoose = require('mongoose');
/*System Related Variables & Checks*/
var SYSTEM = {
CURRENT_VERSION: require('./package.json').version,
LATEST_VERSION: null,
NPM_URL: "https://registry.npmjs.org/devbot",
HOMEPAGE_URL: require('./package.json').repository.url,
BUGREPORT_URL: require('./package.json').bugs.url,
AUTHOR: require('./package.json').author.name + " <" + require('./package.json').author.email + ">",
WEB: {
IP: "127.0.0.1",
PORT: 1337,
MONGODB: "mongodb://localhost"
}
CONFIG: null
};
console.log(`
▓█████▄ ▓█████ ██▒ █▓ ▄▄▄▄ ▒█████ ▄▄▄█████▓
▒██▀ ██▌▓█ ▀▓██░ █▒▓█████▄ ▒██▒ ██▒▓ ██▒ ▓▒
░██ █▌▒███ ▓██ █▒░▒██▒ ▄██▒██░ ██▒▒ ▓██░ ▒░
░▓█▄ ▌▒▓█ ▄ ▒██ █░░▒██░█▀ ▒██ ██░░ ▓██▓ ░
░▒████▓ ░▒████▒ ▒▀█░ ░▓█ ▀█▓░ ████▓▒░ ▒██▒ ░
▒▒▓ ▒ ░░ ▒░ ░ ░ ▐░ ░▒▓███▀▒░ ▒░▒░▒░ ▒ ░░
░ ▒ ▒ ░ ░ ░ ░ ░░ ▒░▒ ░ ░ ▒ ▒░ ░
░ ░ ░ ░ ░░ ░ ░ ░ ░ ░ ▒ ░
░ ░ ░ ░ ░ ░ ░
░ ░ ░
`);
console.log("Current Version: " + SYSTEM.CURRENT_VERSION);
console.log("Created by: " SYSTEM.AUTHOR)
require("request").get(SYSTEM.NPM_URL, function (err, res, body) {
if (err) {
console.log("[ERROR] There was a Error Checking the NPM Registry for Version Information!\nBot Shutting Down.....");
process.exit();
}
console.log("[UPDATE CHECK] Checking for Update....");
var data = JSON.parse((body));
var NPM_VERSION = data['dist-tags'].latest;
if (require("semver").lt(SYSTEM.CURRENT_VERSION, NPM_VERSION)) {
console.log("[UPDATE THE BOT]: This BOT is out of date! Your version is (" + SYSTEM.CURRENT_VERSION + ") but the latest version on NPM is (" + NPM_VERSION + ")\nWhen are you going to Update HUH!");
} else {
console.log("[UPDATE CHECKED] No Updates Found!");
}
if (isfile(configfile) == false) {
console.log("[SETUP START] Seems like this is the first time the bot has been Launched. \n[CONFIG CREATION] Creating config.json and filling it up. Please wait a momment......");
var data = {
TOKEN: null,
TRIGGER: "!",
OWNER: null
};
jsonfile.writeFile(configfile,data, function(err) {
if (err) {
console.log("[ERROR] Error in creating the Config file.\n[ERROR] Please check the permissions. Application Terminating.....");
process.exit();
} else {
console.log("[SETUP COMPLETE] Seems to be all Set. Please edit the " + configfile + " adding the Discord Bot Token information.\nProcess will Close now!");
process.exit();
}<|fim▁hole|> jsonfile.readFile(configfile, function(err, data) {
if (err) {
console.log("Error in Parsing and Loading the Config file.\nPlease check the permissions.\nApplication Terminating.....");
process.exit();
} else {
SYSTEM.CONFIG = data;
if (SYSTEM.CONFIG.TOKEN == null) {
console.log("[SETUP REQUIRED] Please edit the " + configfile + " adding the Discord Bot Token information.\nProcess will Close now!");
process.exit();
} else if (SYSTEM.CONFIG.OWNER == null) {
console.log("[SETUP REQUIRED] Please edit the " + configfile + " adding the Discord Bot Owner ID.\nProcess will Close now!");
process.exit();
} else {
app.use(bodyparser.urlencoded({ extended: true }));
app.use(bodyparser.json());
var Client = new Discord.Client({
token: SYSTEM.CONFIG.TOKEN
});
DiscordProxy.addClient(Client);
DiscordProxy.registerOwner(SYSTEM.CONFIG.OWNER);
Client.on('ready', function(event) {
console.log("[DISCORD] Connected!");
Event.emit("status", true);
});
Client.on('disconnect', function(errMsg, code) {
console.log("[DISCORD] Disconnected!");
Event.emit("status", false);
Client.connect();
});
Client.on('message', function(user, userID, channelID, message, event) {
if (Client.id == userID) return;
Event.emit("message", user, userID, channelID, message, event);
var arr = message.split(" ");
if (arr[0].charAt(0) == SYSTEM.CONFIG.TRIGGER) {
Event.emit("command", arr[0].slice(1), user, userID, channelID, message);
} else if (arr[0].indexOf(Client.id.toString()) > 1) {
Event.emit("direct_command", arr[1], user, userID, channelID, message);
}
});
Client.on('presence', function(user, userID, status, game, event) {
Event.emit("presence", user, userID, status, game, event);
});
app.post("/api/webhook/:webhook/:name", function(req, res) {
console.log("[WEBHOOK RECEIVED] Received a webhook from " + req.params.webhook.toLowerCase() + " for " + req.params.name.toLowerCase());
Event.emit("webhook", req.params.webhook.toLowerCase(), req.params.name.toLowerCase(), req.headers, req.body);
res.status(200).json({ success: true });
});
app.listen(SYSTEM.WEB.IP, SYSTEM.WEB.PORT, function() {
mongoose.connect(SYSTEM.WEB.MONGODB);
Client.connect();
console.log("[BOT] API Handling System Online!");
});
}
}
});
}
});<|fim▁end|> | });
} else {
console.log("[INFORMATION] Config file found! Loading......."); |
<|file_name|>AnnotationNote.tsx<|end_file_name|><|fim▁begin|>import { createElement } from 'react'
import omit from 'lodash/omit'
import { useSpring, animated } from '@react-spring/web'
import { useTheme, useMotionConfig } from '@nivo/core'
import { NoteSvg } from './types'
export const AnnotationNote = <Datum,>({
datum,
x,
y,
note,
}: {
datum: Datum
x: number
y: number
note: NoteSvg<Datum>
}) => {<|fim▁hole|> const animatedProps = useSpring({
x,
y,
config: springConfig,
immediate: !animate,
})
if (typeof note === 'function') {
return createElement(note, { x, y, datum })
}
return (
<>
{theme.annotations.text.outlineWidth > 0 && (
<animated.text
x={animatedProps.x}
y={animatedProps.y}
style={{
...theme.annotations.text,
strokeLinejoin: 'round',
strokeWidth: theme.annotations.text.outlineWidth * 2,
stroke: theme.annotations.text.outlineColor,
}}
>
{note}
</animated.text>
)}
<animated.text
x={animatedProps.x}
y={animatedProps.y}
style={omit(theme.annotations.text, ['outlineWidth', 'outlineColor'])}
>
{note}
</animated.text>
</>
)
}<|fim▁end|> | const theme = useTheme()
const { animate, config: springConfig } = useMotionConfig()
|
<|file_name|>stemwords.py<|end_file_name|><|fim▁begin|>import sys
import re
import codecs
import snowballstemmer
def usage():
print('''usage: %s [-l <language>] [-i <input file>] [-o <output file>] [-c <character encoding>] [-p[2]] [-h]
The input file consists of a list of words to be stemmed, one per
line. Words should be in lower case, but (for English) A-Z letters
are mapped to their a-z equivalents anyway. If omitted, stdin is
used.
If -c is given, the argument is the character encoding of the input<|fim▁hole|>If -p2 is given the output file is a two column layout containing
the input words in the first column and the stemmed eqivalents in
the second column.
Otherwise, the output file consists of the stemmed words, one per
line.
-h displays this help''' % sys.argv[0])
def main():
argv = sys.argv[1:]
if len(argv) < 5:
usage()
else:
pretty = 0
input = ''
output = ''
encoding = 'utf_8'
language = 'English'
show_help = False
while len(argv):
arg = argv[0]
argv = argv[1:]
if arg == '-h':
show_help = True
break
elif arg == "-p":
pretty = 1
elif arg == "-p2":
pretty = 2
elif arg == "-l":
if len(argv) == 0:
show_help = True
break
language = argv[0]
argv = argv[1:]
elif arg == "-i":
if len(argv) == 0:
show_help = True
break
input = argv[0]
argv = argv[1:]
elif arg == "-o":
if len(argv) == 0:
show_help = True
break
output = argv[0]
argv = argv[1:]
elif arg == "-c":
if len(argv) == 0:
show_help = True
break
encoding = argv[0]
if show_help or input == '' or output == '':
usage()
else:
stemming(language, input, output, encoding, pretty)
def stemming(lang, input, output, encoding, pretty):
stemmer = snowballstemmer.stemmer(lang)
outfile = codecs.open(output, "w", encoding)
for original in codecs.open(input, "r", encoding).readlines():
original = original.strip()
# Convert only ASCII-letters to lowercase, to match C behavior
original = ''.join((lower_(c) if 'A' <= c <= 'Z' else c for c in original))
stemmed = stemmer.stemWord(original)
if pretty == 0:
if stemmed != "":
outfile.write(stemmed)
elif pretty == 1:
outfile.write(original, " -> ", stemmed)
elif pretty == 2:
outfile.write(original)
if len(original) < 30:
outfile.write(" " * (30 - len(original)))
else:
outfile.write("\n")
outfile.write(" " * 30)
outfile.write(stemmed)
outfile.write('\n')
outfile.close()
main()<|fim▁end|> | and output files. If it is omitted, the UTF-8 encoding is used.
If -p is given the output file consists of each word of the input
file followed by \"->\" followed by its stemmed equivalent. |
<|file_name|>create_labels.py<|end_file_name|><|fim▁begin|>from os import path
s1 = 'one seven three five one six two six six seven'
s2 = 'four zero two nine one eight five nine zero four'
s3 = 'one nine zero seven eight eight zero three two eight'
s4 = 'four nine one two one one eight five five one'
s5 = 'eight six three five four zero two one one two'
s6 = 'two three nine zero zero one six seven six four'
s7 = 'five two seven one six one three six seven zero'
s8 = 'nine seven four four four three five five eight seven'
s9 = 'six three eight five three nine eight five six five'
s10 = 'seven three two four zero one nine nine five zero'
digits = [s1, s2, s3, s4, s5, s6, s7, s8, s9, s10]
s31 = 'Excuse me'<|fim▁hole|>s35 = 'Nice to meet you'
s36 = 'See you'
s37 = 'I am sorry'
s38 = 'Thank you'
s39 = 'Have a good time'
s40 = 'You are welcome'
short = [s31, s32, s33, s34, s35, s36, s37, s38, s39, s40]
sentences = './splits/all.txt'
transcript_dir = '/run/media/john_tukey/download/datasets/ouluvs2/transcript_sentence/'
def get_sentence(user, sid):
with open(path.join(transcript_dir, user), 'r') as f:
contents = f.read().splitlines()
return contents[sid][:-1]
def main():
with open(sentences, 'r') as f:
contents = f.read().splitlines()
labels_dict = dict()
for line in contents:
user, sentence = line.split('_') # this looks like a neutral face. why ? <(^.^)>
key = line
sid = int(sentence[1:])
if sid <= 30:
value = digits[(sid-1)//3]
elif 30 < sid <= 60:
value = short[(sid-1)//3 - 10]
elif 60 < sid <= 70:
value = get_sentence(user, sid-61)
else:
raise Exception('Allowed sentence ids from 1 to 70')
labels_dict[key] = value
with open('labels.txt', 'w') as f:
for (k,v) in labels_dict.items():
f.write(k + ' ' + v + '\n')
if __name__ == '__main__':
main()<|fim▁end|> | s32 = 'Goodbye'
s33 = 'Hello'
s34 = 'How are you' |
<|file_name|>Department.java<|end_file_name|><|fim▁begin|>package examples.model;
import java.util.ArrayList;
import java.util.Collection;
import javax.persistence.Entity;
import javax.persistence.Id;
import javax.persistence.OneToMany;
@Entity<|fim▁hole|> private String name;
@OneToMany(mappedBy="department")
private Collection<Employee> employees;
public Department() {
employees = new ArrayList<Employee>();
}
public int getId() {
return id;
}
public String getName() {
return name;
}
public Collection<Employee> getEmployees() {
return employees;
}
public String toString() {
return "Department no: " + getId() +
", name: " + getName();
}
}<|fim▁end|> | public class Department {
@Id
private int id; |
<|file_name|>runtests.py<|end_file_name|><|fim▁begin|>#!/usr/bin/env python
import glob
import os
import sys
import unittest
import common
if len(sys.argv) > 1:
builddir = sys.argv[1]
no_import_hooks = True
else:
builddir = '..'
no_import_hooks = False
common.run_import_tests(builddir, no_import_hooks)
SKIP_FILES = ['common', 'runtests']
dir = os.path.split(os.path.abspath(__file__))[0]
os.chdir(dir)
def gettestnames():
files = [fname[:-3] for fname in glob.glob('test*.py')
if fname not in SKIP_FILES]
return files
suite = unittest.TestSuite()
loader = unittest.TestLoader()
for name in gettestnames():<|fim▁hole|><|fim▁end|> | suite.addTest(loader.loadTestsFromName(name))
testRunner = unittest.TextTestRunner()
testRunner.run(suite) |
<|file_name|>first_person.rs<|end_file_name|><|fim▁begin|>#![allow(dead_code)]
//! A first person camera.
use input::{ Button, GenericEvent };
use vecmath::traits::{ Float, Radians };
use Camera;
bitflags!(pub struct Keys: u8 {
const MOVE_FORWARD = 0b00000001;
const MOVE_BACKWARD = 0b00000010;
const STRAFE_LEFT = 0b00000100;
const STRAFE_RIGHT = 0b00001000;
const FLY_UP = 0b00010000;
const FLY_DOWN = 0b00100000;
});
/// First person camera settings.
pub struct FirstPersonSettings<T=f32> {
/// Which button to press to move forward.
pub move_forward_button: Button,
/// Which button to press to move backward.
pub move_backward_button: Button,
/// Which button to press to strafe left.
pub strafe_left_button: Button,
/// Which button to press to strafe right.
pub strafe_right_button: Button,
/// Which button to press to fly up.
pub fly_up_button: Button,
/// Which button to press to fly down.
pub fly_down_button: Button,
/// Which button to press to move faster.
pub move_faster_button: Button,
/// The horizontal movement speed.
///
/// This is measured in units per second.
pub speed_horizontal: T,
/// The vertical movement speed.
///
/// This is measured in units per second.
pub speed_vertical: T,
/// The horizontal mouse sensitivity.
///
/// This is a multiplier applied to horizontal mouse movements.
pub mouse_sensitivity_horizontal: T,
/// The vertical mouse sensitivity.
///
/// This is a multiplier applied to vertical mouse movements.
pub mouse_sensitivity_vertical: T,
}<|fim▁hole|> where T: Float
{
/// Creates new first person camera settings with wasd defaults.
pub fn keyboard_wasd() -> FirstPersonSettings<T> {
use input::Button::Keyboard;
use input::Key;
FirstPersonSettings {
move_forward_button: Keyboard(Key::W),
move_backward_button: Keyboard(Key::S),
strafe_left_button: Keyboard(Key::A),
strafe_right_button: Keyboard(Key::D),
fly_up_button: Keyboard(Key::Space),
fly_down_button: Keyboard(Key::LShift),
move_faster_button: Keyboard(Key::LCtrl),
speed_horizontal: T::one(),
speed_vertical: T::one(),
mouse_sensitivity_horizontal: T::one(),
mouse_sensitivity_vertical: T::one(),
}
}
/// Creates a new first person camera settings with esdf defaults.
pub fn keyboard_esdf() -> FirstPersonSettings<T> {
use input::Button::Keyboard;
use input::Key;
FirstPersonSettings {
move_forward_button: Keyboard(Key::E),
move_backward_button: Keyboard(Key::D),
strafe_left_button: Keyboard(Key::S),
strafe_right_button: Keyboard(Key::F),
fly_up_button: Keyboard(Key::Space),
fly_down_button: Keyboard(Key::Z),
move_faster_button: Keyboard(Key::LShift),
speed_horizontal: T::one(),
speed_vertical: T::one(),
mouse_sensitivity_horizontal: T::one(),
mouse_sensitivity_vertical: T::one(),
}
}
/// Creates new first person camera settings with zqsd defaults (azerty keyboard layout).
pub fn keyboard_zqsd() -> FirstPersonSettings<T> {
use input::Button::Keyboard;
use input::Key;
FirstPersonSettings {
move_forward_button: Keyboard(Key::Z),
move_backward_button: Keyboard(Key::S),
strafe_left_button: Keyboard(Key::Q),
strafe_right_button: Keyboard(Key::D),
fly_up_button: Keyboard(Key::Space),
fly_down_button: Keyboard(Key::LShift),
move_faster_button: Keyboard(Key::LCtrl),
speed_horizontal: T::one(),
speed_vertical: T::one(),
mouse_sensitivity_horizontal: T::one(),
mouse_sensitivity_vertical: T::one(),
}
}
}
/// Models a flying first person camera.
pub struct FirstPerson<T=f32> {
/// The first person camera settings.
pub settings: FirstPersonSettings<T>,
/// The yaw angle (in radians).
pub yaw: T,
/// The pitch angle (in radians).
pub pitch: T,
/// The direction we are heading.
pub direction: [T; 3],
/// The position of the camera.
pub position: [T; 3],
/// The velocity we are moving in the direction.
pub velocity: T,
/// The keys that are pressed.
keys: Keys,
}
impl<T> FirstPerson<T>
where T: Float
{
/// Creates a new first person camera.
pub fn new(
position: [T; 3],
settings: FirstPersonSettings<T>
) -> FirstPerson<T> {
let _0: T = T::zero();
FirstPerson {
settings: settings,
yaw: _0,
pitch: _0,
keys: Keys::empty(),
direction: [_0, _0, _0],
position: position,
velocity: T::one(),
}
}
/// Computes camera.
pub fn camera(&self, dt: f64) -> Camera<T> {
let dt = T::from_f64(dt);
let dh = dt * self.velocity * self.settings.speed_horizontal;
let (dx, dy, dz) = (self.direction[0], self.direction[1], self.direction[2]);
let (s, c) = (self.yaw.sin(), self.yaw.cos());
let mut camera = Camera::new([
self.position[0] + (s * dx - c * dz) * dh,
self.position[1] + dy * dt * self.settings.speed_vertical,
self.position[2] + (s * dz + c * dx) * dh
]);
camera.set_yaw_pitch(self.yaw, self.pitch);
camera
}
/// Handles game event and updates camera.
pub fn event<E>(&mut self, e: &E) where E: GenericEvent {
e.update(|args| {
let cam = self.camera(args.dt);
self.position = cam.position;
});
let &mut FirstPerson {
ref mut yaw,
ref mut pitch,
ref mut keys,
ref mut direction,
ref mut velocity,
ref settings,
..
} = self;
let pi: T = Radians::_180();
let _0 = T::zero();
let _1 = T::one();
let _2 = _1 + _1;
let _3 = _2 + _1;
let _4 = _3 + _1;
let _360 = T::from_isize(360);
let sqrt2 = _2.sqrt();
e.mouse_relative(|dx, dy| {
let dx = T::from_f64(dx) * settings.mouse_sensitivity_horizontal;
let dy = T::from_f64(dy) * settings.mouse_sensitivity_vertical;
*yaw = (*yaw - dx / _360 * pi / _4) % (_2 * pi);
*pitch = *pitch + dy / _360 * pi / _4;
*pitch = (*pitch).min(pi / _2).max(-pi / _2);
});
e.press(|button| {
let (dx, dy, dz) = (direction[0], direction[1], direction[2]);
let sgn = |x: T| if x == _0 { _0 } else { x.signum() };
let mut set = |k, x: T, y: T, z: T| {
let (x, z) = (sgn(x), sgn(z));
let (x, z) = if x != _0 && z != _0 {
(x / sqrt2, z / sqrt2)
} else {
(x, z)
};
*direction = [x, y, z];
keys.insert(k);
};
match button {
x if x == settings.move_forward_button =>
set(MOVE_FORWARD, -_1, dy, dz),
x if x == settings.move_backward_button =>
set(MOVE_BACKWARD, _1, dy, dz),
x if x == settings.strafe_left_button =>
set(STRAFE_LEFT, dx, dy, _1),
x if x == settings.strafe_right_button =>
set(STRAFE_RIGHT, dx, dy, -_1),
x if x == settings.fly_up_button =>
set(FLY_UP, dx, _1, dz),
x if x == settings.fly_down_button =>
set(FLY_DOWN, dx, -_1, dz),
x if x == settings.move_faster_button => *velocity = _2,
_ => {}
}
});
e.release(|button| {
let (dx, dy, dz) = (direction[0], direction[1], direction[2]);
let sgn = |x: T| if x == _0 { _0 } else { x.signum() };
let mut set = |x: T, y: T, z: T| {
let (x, z) = (sgn(x), sgn(z));
let (x, z) = if x != _0 && z != _0 {
(x / sqrt2, z / sqrt2)
} else {
(x, z)
};
*direction = [x, y, z];
};
let mut release = |key, rev_key, rev_val| {
keys.remove(key);
if keys.contains(rev_key) { rev_val } else { _0 }
};
match button {
x if x == settings.move_forward_button =>
set(release(MOVE_FORWARD, MOVE_BACKWARD, _1), dy, dz),
x if x == settings.move_backward_button =>
set(release(MOVE_BACKWARD, MOVE_FORWARD, -_1), dy, dz),
x if x == settings.strafe_left_button =>
set(dx, dy, release(STRAFE_LEFT, STRAFE_RIGHT, -_1)),
x if x == settings.strafe_right_button =>
set(dx, dy, release(STRAFE_RIGHT, STRAFE_LEFT, _1)),
x if x == settings.fly_up_button =>
set(dx, release(FLY_UP, FLY_DOWN, -_1), dz),
x if x == settings.fly_down_button =>
set(dx, release(FLY_DOWN, FLY_UP, _1), dz),
x if x == settings.move_faster_button => *velocity = _1,
_ => {}
}
});
}
}<|fim▁end|> |
impl<T> FirstPersonSettings<T> |
<|file_name|>UserErrorMetadata.java<|end_file_name|><|fim▁begin|>package com.noeasy.money.exception;
public class UserErrorMetadata extends BaseErrorMetadata {
public static final UserErrorMetadata USER_EXIST = new UserErrorMetadata(101, "User exit");
public static final UserErrorMetadata NULL_USER_BEAN = new UserErrorMetadata(102, "Userbean is null");
protected UserErrorMetadata(int pErrorCode, String pErrorMesage) {
super(pErrorCode, pErrorMesage);
}
<|fim▁hole|><|fim▁end|> | } |
<|file_name|>glue.rs<|end_file_name|><|fim▁begin|>// Copyright 2012-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
// 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.
//!
//
// Code relating to taking, dropping, etc as well as type descriptors.
use back::abi;
use back::link::*;
use llvm::{ValueRef, True, get_param};
use llvm;
use middle::lang_items::ExchangeFreeFnLangItem;
use middle::subst;
use middle::subst::{Subst, Substs};
use trans::adt;
use trans::base::*;
use trans::build::*;
use trans::callee;
use trans::cleanup;
use trans::cleanup::CleanupMethods;
use trans::common::*;
use trans::datum;
use trans::debuginfo;
use trans::expr;
use trans::machine::*;
use trans::tvec;
use trans::type_::Type;
use trans::type_of::{type_of, sizing_type_of, align_of};
use middle::ty::{mod, Ty};
use util::ppaux::{ty_to_short_str, Repr};
use util::ppaux;
use arena::TypedArena;
use std::c_str::ToCStr;
use libc::c_uint;
use syntax::ast;
use syntax::parse::token;
pub fn trans_exchange_free_dyn<'blk, 'tcx>(cx: Block<'blk, 'tcx>, v: ValueRef,
size: ValueRef, align: ValueRef)
-> Block<'blk, 'tcx> {
let _icx = push_ctxt("trans_exchange_free");
let ccx = cx.ccx();
callee::trans_lang_call(cx,
langcall(cx, None, "", ExchangeFreeFnLangItem),
&[PointerCast(cx, v, Type::i8p(ccx)), size, align],
Some(expr::Ignore)).bcx
}
pub fn trans_exchange_free<'blk, 'tcx>(cx: Block<'blk, 'tcx>, v: ValueRef,
size: u64, align: u32) -> Block<'blk, 'tcx> {
trans_exchange_free_dyn(cx, v, C_uint(cx.ccx(), size),
C_uint(cx.ccx(), align))
}
pub fn trans_exchange_free_ty<'blk, 'tcx>(bcx: Block<'blk, 'tcx>, ptr: ValueRef,
content_ty: Ty<'tcx>) -> Block<'blk, 'tcx> {
assert!(ty::type_is_sized(bcx.ccx().tcx(), content_ty));
let sizing_type = sizing_type_of(bcx.ccx(), content_ty);
let content_size = llsize_of_alloc(bcx.ccx(), sizing_type);
// `Box<ZeroSizeType>` does not allocate.
if content_size != 0 {
let content_align = align_of(bcx.ccx(), content_ty);
trans_exchange_free(bcx, ptr, content_size, content_align)
} else {
bcx
}
}
pub fn get_drop_glue_type<'a, 'tcx>(ccx: &CrateContext<'a, 'tcx>,
t: Ty<'tcx>) -> Ty<'tcx> {
let tcx = ccx.tcx();
// Even if there is no dtor for t, there might be one deeper down and we
// might need to pass in the vtable ptr.
if !ty::type_is_sized(tcx, t) {
return t
}
if !ty::type_needs_drop(tcx, t) {
return ty::mk_i8();
}
match t.sty {
ty::ty_uniq(typ) if !ty::type_needs_drop(tcx, typ)
&& ty::type_is_sized(tcx, typ) => {
let llty = sizing_type_of(ccx, typ);
// `Box<ZeroSizeType>` does not allocate.
if llsize_of_alloc(ccx, llty) == 0 {
ty::mk_i8()
} else {
t
}
}
_ => t
}
}
pub fn drop_ty<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
v: ValueRef,
t: Ty<'tcx>,
source_location: Option<NodeInfo>)
-> Block<'blk, 'tcx> {
// NB: v is an *alias* of type t here, not a direct value.
debug!("drop_ty(t={})", t.repr(bcx.tcx()));
let _icx = push_ctxt("drop_ty");
if ty::type_needs_drop(bcx.tcx(), t) {
let ccx = bcx.ccx();
let glue = get_drop_glue(ccx, t);
let glue_type = get_drop_glue_type(ccx, t);
let ptr = if glue_type != t {
PointerCast(bcx, v, type_of(ccx, glue_type).ptr_to())
} else {
v
};
match source_location {
Some(sl) => debuginfo::set_source_location(bcx.fcx, sl.id, sl.span),
None => debuginfo::clear_source_location(bcx.fcx)
};
Call(bcx, glue, &[ptr], None);
}
bcx
}
pub fn drop_ty_immediate<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
v: ValueRef,
t: Ty<'tcx>,
source_location: Option<NodeInfo>)
-> Block<'blk, 'tcx> {
let _icx = push_ctxt("drop_ty_immediate");
let vp = alloca(bcx, type_of(bcx.ccx(), t), "");
Store(bcx, v, vp);
drop_ty(bcx, vp, t, source_location)
}
pub fn get_drop_glue<'a, 'tcx>(ccx: &CrateContext<'a, 'tcx>, t: Ty<'tcx>) -> ValueRef {
debug!("make drop glue for {}", ppaux::ty_to_string(ccx.tcx(), t));
let t = get_drop_glue_type(ccx, t);
debug!("drop glue type {}", ppaux::ty_to_string(ccx.tcx(), t));
match ccx.drop_glues().borrow().get(&t) {
Some(&glue) => return glue,
_ => { }
}
let llty = if ty::type_is_sized(ccx.tcx(), t) {
type_of(ccx, t).ptr_to()
} else {
type_of(ccx, ty::mk_uniq(ccx.tcx(), t)).ptr_to()
};
let llfnty = Type::glue_fn(ccx, llty);
let (glue, new_sym) = match ccx.available_drop_glues().borrow().get(&t) {
Some(old_sym) => {
let glue = decl_cdecl_fn(ccx, old_sym.as_slice(), llfnty, ty::mk_nil(ccx.tcx()));
(glue, None)
},
None => {
let (sym, glue) = declare_generic_glue(ccx, t, llfnty, "drop");
(glue, Some(sym))
},
};
ccx.drop_glues().borrow_mut().insert(t, glue);
// To avoid infinite recursion, don't `make_drop_glue` until after we've
// added the entry to the `drop_glues` cache.
match new_sym {
Some(sym) => {
ccx.available_drop_glues().borrow_mut().insert(t, sym);
// We're creating a new drop glue, so also generate a body.
make_generic_glue(ccx, t, glue, make_drop_glue, "drop");
},
None => {},
}
glue
}
fn trans_struct_drop_flag<'blk, 'tcx>(mut bcx: Block<'blk, 'tcx>,
t: Ty<'tcx>,
v0: ValueRef,
dtor_did: ast::DefId,
class_did: ast::DefId,
substs: &subst::Substs<'tcx>)
-> Block<'blk, 'tcx> {
let repr = adt::represent_type(bcx.ccx(), t);
let struct_data = if ty::type_is_sized(bcx.tcx(), t) {
v0
} else {
let llval = GEPi(bcx, v0, &[0, abi::slice_elt_base]);
Load(bcx, llval)
};
let drop_flag = unpack_datum!(bcx, adt::trans_drop_flag_ptr(bcx, &*repr, struct_data));
with_cond(bcx, load_ty(bcx, drop_flag.val, ty::mk_bool()), |cx| {
trans_struct_drop(cx, t, v0, dtor_did, class_did, substs)
})
}
fn trans_struct_drop<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
t: Ty<'tcx>,
v0: ValueRef,
dtor_did: ast::DefId,
class_did: ast::DefId,
substs: &subst::Substs<'tcx>)
-> Block<'blk, 'tcx> {
let repr = adt::represent_type(bcx.ccx(), t);
// Find and call the actual destructor
let dtor_addr = get_res_dtor(bcx.ccx(), dtor_did, t,
class_did, substs);
<|fim▁hole|> let ty = Type::from_ref(llvm::LLVMTypeOf(dtor_addr));
ty.element_type().func_params()
};
let fty = ty::lookup_item_type(bcx.tcx(), dtor_did).ty.subst(bcx.tcx(), substs);
let self_ty = match fty.sty {
ty::ty_bare_fn(ref f) => {
assert!(f.sig.inputs.len() == 1);
f.sig.inputs[0]
}
_ => bcx.sess().bug(format!("Expected function type, found {}",
bcx.ty_to_string(fty)).as_slice())
};
let (struct_data, info) = if ty::type_is_sized(bcx.tcx(), t) {
(v0, None)
} else {
let data = GEPi(bcx, v0, &[0, abi::slice_elt_base]);
let info = GEPi(bcx, v0, &[0, abi::slice_elt_len]);
(Load(bcx, data), Some(Load(bcx, info)))
};
adt::fold_variants(bcx, &*repr, struct_data, |variant_cx, st, value| {
// Be sure to put all of the fields into a scope so we can use an invoke
// instruction to call the user destructor but still call the field
// destructors if the user destructor panics.
let field_scope = variant_cx.fcx.push_custom_cleanup_scope();
// Class dtors have no explicit args, so the params should
// just consist of the environment (self).
assert_eq!(params.len(), 1);
let self_arg = if ty::type_is_fat_ptr(bcx.tcx(), self_ty) {
// The dtor expects a fat pointer, so make one, even if we have to fake it.
let boxed_ty = ty::mk_open(bcx.tcx(), t);
let scratch = datum::rvalue_scratch_datum(bcx, boxed_ty, "__fat_ptr_drop_self");
Store(bcx, value, GEPi(bcx, scratch.val, &[0, abi::slice_elt_base]));
Store(bcx,
// If we just had a thin pointer, make a fat pointer by sticking
// null where we put the unsizing info. This works because t
// is a sized type, so we will only unpack the fat pointer, never
// use the fake info.
info.unwrap_or(C_null(Type::i8p(bcx.ccx()))),
GEPi(bcx, scratch.val, &[0, abi::slice_elt_len]));
PointerCast(variant_cx, scratch.val, params[0])
} else {
PointerCast(variant_cx, value, params[0])
};
let args = vec!(self_arg);
// Add all the fields as a value which needs to be cleaned at the end of
// this scope. Iterate in reverse order so a Drop impl doesn't reverse
// the order in which fields get dropped.
for (i, ty) in st.fields.iter().enumerate().rev() {
let llfld_a = adt::struct_field_ptr(variant_cx, &*st, value, i, false);
let val = if ty::type_is_sized(bcx.tcx(), *ty) {
llfld_a
} else {
let boxed_ty = ty::mk_open(bcx.tcx(), *ty);
let scratch = datum::rvalue_scratch_datum(bcx, boxed_ty, "__fat_ptr_drop_field");
Store(bcx, llfld_a, GEPi(bcx, scratch.val, &[0, abi::slice_elt_base]));
Store(bcx, info.unwrap(), GEPi(bcx, scratch.val, &[0, abi::slice_elt_len]));
scratch.val
};
variant_cx.fcx.schedule_drop_mem(cleanup::CustomScope(field_scope),
val, *ty);
}
let dtor_ty = ty::mk_ctor_fn(bcx.tcx(),
&[get_drop_glue_type(bcx.ccx(), t)],
ty::mk_nil(bcx.tcx()));
let (_, variant_cx) = invoke(variant_cx, dtor_addr, args, dtor_ty, None, false);
variant_cx.fcx.pop_and_trans_custom_cleanup_scope(variant_cx, field_scope);
variant_cx
})
}
fn size_and_align_of_dst<'blk, 'tcx>(bcx: Block<'blk, 'tcx>, t: Ty<'tcx>, info: ValueRef)
-> (ValueRef, ValueRef) {
debug!("calculate size of DST: {}; with lost info: {}",
bcx.ty_to_string(t), bcx.val_to_string(info));
if ty::type_is_sized(bcx.tcx(), t) {
let sizing_type = sizing_type_of(bcx.ccx(), t);
let size = C_uint(bcx.ccx(), llsize_of_alloc(bcx.ccx(), sizing_type));
let align = C_uint(bcx.ccx(), align_of(bcx.ccx(), t));
return (size, align);
}
match t.sty {
ty::ty_struct(id, ref substs) => {
let ccx = bcx.ccx();
// First get the size of all statically known fields.
// Don't use type_of::sizing_type_of because that expects t to be sized.
assert!(!ty::type_is_simd(bcx.tcx(), t));
let repr = adt::represent_type(ccx, t);
let sizing_type = adt::sizing_type_of(ccx, &*repr, true);
let sized_size = C_uint(ccx, llsize_of_alloc(ccx, sizing_type));
let sized_align = C_uint(ccx, llalign_of_min(ccx, sizing_type));
// Recurse to get the size of the dynamically sized field (must be
// the last field).
let fields = ty::struct_fields(bcx.tcx(), id, substs);
let last_field = fields[fields.len()-1];
let field_ty = last_field.mt.ty;
let (unsized_size, unsized_align) = size_and_align_of_dst(bcx, field_ty, info);
// Return the sum of sizes and max of aligns.
let size = Add(bcx, sized_size, unsized_size);
let align = Select(bcx,
ICmp(bcx, llvm::IntULT, sized_align, unsized_align),
sized_align,
unsized_align);
(size, align)
}
ty::ty_trait(..) => {
// info points to the vtable and the second entry in the vtable is the
// dynamic size of the object.
let info = PointerCast(bcx, info, Type::int(bcx.ccx()).ptr_to());
let size_ptr = GEPi(bcx, info, &[1u]);
let align_ptr = GEPi(bcx, info, &[2u]);
(Load(bcx, size_ptr), Load(bcx, align_ptr))
}
ty::ty_vec(unit_ty, None) => {
// The info in this case is the length of the vec, so the size is that
// times the unit size.
let llunit_ty = sizing_type_of(bcx.ccx(), unit_ty);
let unit_size = llsize_of_alloc(bcx.ccx(), llunit_ty);
(Mul(bcx, info, C_uint(bcx.ccx(), unit_size)), C_uint(bcx.ccx(), 8u))
}
_ => bcx.sess().bug(format!("Unexpected unsized type, found {}",
bcx.ty_to_string(t)).as_slice())
}
}
fn make_drop_glue<'blk, 'tcx>(bcx: Block<'blk, 'tcx>, v0: ValueRef, t: Ty<'tcx>)
-> Block<'blk, 'tcx> {
// NB: v0 is an *alias* of type t here, not a direct value.
let _icx = push_ctxt("make_drop_glue");
match t.sty {
ty::ty_uniq(content_ty) => {
match content_ty.sty {
ty::ty_vec(ty, None) => {
tvec::make_drop_glue_unboxed(bcx, v0, ty, true)
}
ty::ty_str => {
let unit_ty = ty::sequence_element_type(bcx.tcx(), content_ty);
tvec::make_drop_glue_unboxed(bcx, v0, unit_ty, true)
}
ty::ty_trait(..) => {
let lluniquevalue = GEPi(bcx, v0, &[0, abi::trt_field_box]);
// Only drop the value when it is non-null
let concrete_ptr = Load(bcx, lluniquevalue);
with_cond(bcx, IsNotNull(bcx, concrete_ptr), |bcx| {
let dtor_ptr = Load(bcx, GEPi(bcx, v0, &[0, abi::trt_field_vtable]));
let dtor = Load(bcx, dtor_ptr);
Call(bcx,
dtor,
&[PointerCast(bcx, lluniquevalue, Type::i8p(bcx.ccx()))],
None);
bcx
})
}
ty::ty_struct(..) if !ty::type_is_sized(bcx.tcx(), content_ty) => {
let llval = GEPi(bcx, v0, &[0, abi::slice_elt_base]);
let llbox = Load(bcx, llval);
let not_null = IsNotNull(bcx, llbox);
with_cond(bcx, not_null, |bcx| {
let bcx = drop_ty(bcx, v0, content_ty, None);
let info = GEPi(bcx, v0, &[0, abi::slice_elt_len]);
let info = Load(bcx, info);
let (llsize, llalign) = size_and_align_of_dst(bcx, content_ty, info);
trans_exchange_free_dyn(bcx, llbox, llsize, llalign)
})
}
_ => {
assert!(ty::type_is_sized(bcx.tcx(), content_ty));
let llval = v0;
let llbox = Load(bcx, llval);
let not_null = IsNotNull(bcx, llbox);
with_cond(bcx, not_null, |bcx| {
let bcx = drop_ty(bcx, llbox, content_ty, None);
trans_exchange_free_ty(bcx, llbox, content_ty)
})
}
}
}
ty::ty_struct(did, ref substs) | ty::ty_enum(did, ref substs) => {
let tcx = bcx.tcx();
match ty::ty_dtor(tcx, did) {
ty::TraitDtor(dtor, true) => {
// FIXME(16758) Since the struct is unsized, it is hard to
// find the drop flag (which is at the end of the struct).
// Lets just ignore the flag and pretend everything will be
// OK.
if ty::type_is_sized(bcx.tcx(), t) {
trans_struct_drop_flag(bcx, t, v0, dtor, did, substs)
} else {
// Give the user a heads up that we are doing something
// stupid and dangerous.
bcx.sess().warn(format!("Ignoring drop flag in destructor for {}\
because the struct is unsized. See issue\
#16758",
bcx.ty_to_string(t)).as_slice());
trans_struct_drop(bcx, t, v0, dtor, did, substs)
}
}
ty::TraitDtor(dtor, false) => {
trans_struct_drop(bcx, t, v0, dtor, did, substs)
}
ty::NoDtor => {
// No dtor? Just the default case
iter_structural_ty(bcx, v0, t, |bb, vv, tt| drop_ty(bb, vv, tt, None))
}
}
}
ty::ty_unboxed_closure(..) => iter_structural_ty(bcx,
v0,
t,
|bb, vv, tt| drop_ty(bb, vv, tt, None)),
ty::ty_closure(ref f) if f.store == ty::UniqTraitStore => {
let box_cell_v = GEPi(bcx, v0, &[0u, abi::fn_field_box]);
let env = Load(bcx, box_cell_v);
let env_ptr_ty = Type::at_box(bcx.ccx(), Type::i8(bcx.ccx())).ptr_to();
let env = PointerCast(bcx, env, env_ptr_ty);
with_cond(bcx, IsNotNull(bcx, env), |bcx| {
let dtor_ptr = GEPi(bcx, env, &[0u, abi::box_field_drop_glue]);
let dtor = Load(bcx, dtor_ptr);
Call(bcx, dtor, &[PointerCast(bcx, box_cell_v, Type::i8p(bcx.ccx()))], None);
bcx
})
}
ty::ty_trait(..) => {
// No need to do a null check here (as opposed to the Box<trait case
// above), because this happens for a trait field in an unsized
// struct. If anything is null, it is the whole struct and we won't
// get here.
let lluniquevalue = GEPi(bcx, v0, &[0, abi::trt_field_box]);
let dtor_ptr = Load(bcx, GEPi(bcx, v0, &[0, abi::trt_field_vtable]));
let dtor = Load(bcx, dtor_ptr);
Call(bcx,
dtor,
&[PointerCast(bcx, Load(bcx, lluniquevalue), Type::i8p(bcx.ccx()))],
None);
bcx
}
ty::ty_vec(ty, None) => tvec::make_drop_glue_unboxed(bcx, v0, ty, false),
_ => {
assert!(ty::type_is_sized(bcx.tcx(), t));
if ty::type_needs_drop(bcx.tcx(), t) &&
ty::type_is_structural(t) {
iter_structural_ty(bcx, v0, t, |bb, vv, tt| drop_ty(bb, vv, tt, None))
} else {
bcx
}
}
}
}
// Generates the declaration for (but doesn't emit) a type descriptor.
pub fn declare_tydesc<'a, 'tcx>(ccx: &CrateContext<'a, 'tcx>, t: Ty<'tcx>)
-> tydesc_info<'tcx> {
// If emit_tydescs already ran, then we shouldn't be creating any new
// tydescs.
assert!(!ccx.finished_tydescs().get());
let llty = type_of(ccx, t);
if ccx.sess().count_type_sizes() {
println!("{}\t{}", llsize_of_real(ccx, llty),
ppaux::ty_to_string(ccx.tcx(), t));
}
let llsize = llsize_of(ccx, llty);
let llalign = llalign_of(ccx, llty);
let name = mangle_internal_name_by_type_and_seq(ccx, t, "tydesc");
debug!("+++ declare_tydesc {} {}", ppaux::ty_to_string(ccx.tcx(), t), name);
let gvar = name.as_slice().with_c_str(|buf| {
unsafe {
llvm::LLVMAddGlobal(ccx.llmod(), ccx.tydesc_type().to_ref(), buf)
}
});
note_unique_llvm_symbol(ccx, name);
let ty_name = token::intern_and_get_ident(
ppaux::ty_to_string(ccx.tcx(), t).as_slice());
let ty_name = C_str_slice(ccx, ty_name);
debug!("--- declare_tydesc {}", ppaux::ty_to_string(ccx.tcx(), t));
tydesc_info {
ty: t,
tydesc: gvar,
size: llsize,
align: llalign,
name: ty_name,
}
}
fn declare_generic_glue<'a, 'tcx>(ccx: &CrateContext<'a, 'tcx>, t: Ty<'tcx>,
llfnty: Type, name: &str) -> (String, ValueRef) {
let _icx = push_ctxt("declare_generic_glue");
let fn_nm = mangle_internal_name_by_type_and_seq(
ccx,
t,
format!("glue_{}", name).as_slice());
let llfn = decl_cdecl_fn(ccx, fn_nm.as_slice(), llfnty, ty::mk_nil(ccx.tcx()));
note_unique_llvm_symbol(ccx, fn_nm.clone());
return (fn_nm, llfn);
}
fn make_generic_glue<'a, 'tcx>(ccx: &CrateContext<'a, 'tcx>,
t: Ty<'tcx>,
llfn: ValueRef,
helper: for<'blk> |Block<'blk, 'tcx>, ValueRef, Ty<'tcx>|
-> Block<'blk, 'tcx>,
name: &str)
-> ValueRef {
let _icx = push_ctxt("make_generic_glue");
let glue_name = format!("glue {} {}", name, ty_to_short_str(ccx.tcx(), t));
let _s = StatRecorder::new(ccx, glue_name);
let arena = TypedArena::new();
let empty_param_substs = Substs::trans_empty();
let fcx = new_fn_ctxt(ccx, llfn, ast::DUMMY_NODE_ID, false,
ty::FnConverging(ty::mk_nil(ccx.tcx())),
&empty_param_substs, None, &arena);
let bcx = init_function(&fcx, false, ty::FnConverging(ty::mk_nil(ccx.tcx())));
update_linkage(ccx, llfn, None, OriginalTranslation);
ccx.stats().n_glues_created.set(ccx.stats().n_glues_created.get() + 1u);
// All glue functions take values passed *by alias*; this is a
// requirement since in many contexts glue is invoked indirectly and
// the caller has no idea if it's dealing with something that can be
// passed by value.
//
// llfn is expected be declared to take a parameter of the appropriate
// type, so we don't need to explicitly cast the function parameter.
let llrawptr0 = get_param(llfn, fcx.arg_pos(0) as c_uint);
let bcx = helper(bcx, llrawptr0, t);
finish_fn(&fcx, bcx, ty::FnConverging(ty::mk_nil(ccx.tcx())));
llfn
}
pub fn emit_tydescs(ccx: &CrateContext) {
let _icx = push_ctxt("emit_tydescs");
// As of this point, allow no more tydescs to be created.
ccx.finished_tydescs().set(true);
let glue_fn_ty = Type::generic_glue_fn(ccx).ptr_to();
for (_, ti) in ccx.tydescs().borrow().iter() {
// Each of the glue functions needs to be cast to a generic type
// before being put into the tydesc because we only have a singleton
// tydesc type. Then we'll recast each function to its real type when
// calling it.
let drop_glue = unsafe {
llvm::LLVMConstPointerCast(get_drop_glue(ccx, ti.ty), glue_fn_ty.to_ref())
};
ccx.stats().n_real_glues.set(ccx.stats().n_real_glues.get() + 1);
let tydesc = C_named_struct(ccx.tydesc_type(),
&[ti.size, // size
ti.align, // align
drop_glue, // drop_glue
ti.name]); // name
unsafe {
let gvar = ti.tydesc;
llvm::LLVMSetInitializer(gvar, tydesc);
llvm::LLVMSetGlobalConstant(gvar, True);
llvm::SetLinkage(gvar, llvm::InternalLinkage);
}
};
}<|fim▁end|> | // The first argument is the "self" argument for drop
let params = unsafe { |
<|file_name|>HttpUtil.java<|end_file_name|><|fim▁begin|>package com.sectong.util;
import org.apache.log4j.Logger;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.io.OutputStreamWriter;
import java.net.URL;
import java.net.URLConnection;
public class HttpUtil {<|fim▁hole|> private static Logger logger = Logger.getLogger(HttpUtil.class);
private final static int CONNECT_TIMEOUT = 5000; // in milliseconds
private final static String DEFAULT_ENCODING = "UTF-8";
public static String postData(String urlStr, String data){
return postData(urlStr, data, null);
}
public static String postData(String urlStr, String data, String contentType){
BufferedReader reader = null;
try {
URL url = new URL(urlStr);
URLConnection conn = url.openConnection();
conn.setDoOutput(true);
conn.setConnectTimeout(CONNECT_TIMEOUT);
conn.setReadTimeout(CONNECT_TIMEOUT);
if(contentType != null)
conn.setRequestProperty("content-type", contentType);
OutputStreamWriter writer = new OutputStreamWriter(conn.getOutputStream(), DEFAULT_ENCODING);
if(data == null)
data = "";
writer.write(data);
writer.flush();
writer.close();
reader = new BufferedReader(new InputStreamReader(conn.getInputStream(), DEFAULT_ENCODING));
StringBuilder sb = new StringBuilder();
String line = null;
while ((line = reader.readLine()) != null) {
sb.append(line);
sb.append("\r\n");
}
return sb.toString();
} catch (IOException e) {
logger.error("Error connecting to " + urlStr + ": " + e.getMessage());
} finally {
try {
if (reader != null)
reader.close();
} catch (IOException e) {
}
}
return null;
}
}<|fim▁end|> | |
<|file_name|>text.py<|end_file_name|><|fim▁begin|>__author__ = 'ysahn'
import logging
import json
import os
import glob
import collections
from mako.lookup import TemplateLookup
from mako.template import Template
from taskmator.task.core import Task
class TransformTask(Task):
"""
Class that transform a json into code using a template
Uses mako as template engine for transformation<|fim▁hole|> logger = logging.getLogger(__name__)
ATTR_TEMPLATE_DIR = u'template_dir'
ATTR_TEMPLATES = u'templates'
ATTR_SRC_DIR = u'src_dir'
ATTR_SRC_FILES = u'src_files'
ATTR_DEST_DIR = u'dest_dir'
ATTR_FILE_PREFIX = u'file_prefix'
ATTR_FILE_EXT = u'file_ext'
__VALID_ATTRS = [ATTR_TEMPLATE_DIR, ATTR_TEMPLATES, ATTR_SRC_DIR, ATTR_SRC_FILES,
ATTR_DEST_DIR, ATTR_FILE_PREFIX, ATTR_FILE_EXT]
def __init__(self, name, parent=None):
"""
Constructor
"""
super(TransformTask, self).__init__(name, parent)
self.template_dir = None
self.templates = collections.OrderedDict()
def setAttribute(self, attrKey, attrVal):
if (attrKey in self.__VALID_ATTRS):
self.attribs[attrKey] = attrVal
else:
super(TransformTask, self).setAttribute(attrKey, attrVal)
def init(self):
super(TransformTask, self).init()
template_dir = self._normalize_dir(self.getAttribute(self.ATTR_TEMPLATE_DIR, './'), './')
template_names = self.getAttribute(self.ATTR_TEMPLATES)
if not template_names:
raise ("Attribute '" + self.ATTR_TEMPLATES + "' is required")
if (isinstance(template_names, basestring)):
template_names = [template_names]
tpl_lookup = TemplateLookup(directories=[template_dir])
for template_name in template_names:
template_paths = glob.glob(template_dir + template_name + '.tpl')
for template_path in template_paths:
atemplate = Template(filename=template_path, lookup=tpl_lookup)
self.templates[template_path] = atemplate
def executeInternal(self, execution_context):
"""
@type execution_context: ExecutionContext
"""
self.logger.info("Executing " + str(self))
src_dir = self._normalize_dir(self.getAttribute(self.ATTR_SRC_DIR, './'), './')
file_patterns = self.getAttribute(self.ATTR_SRC_FILES, '*.json')
file_patterns = file_patterns if file_patterns else '*.json'
# Convert to an array
if (isinstance(file_patterns, basestring)):
file_patterns = [file_patterns]
outputs = {}
for file_pattern in file_patterns:
file_paths = glob.glob(src_dir + file_pattern)
for file_path in file_paths:
model = self._load_model(file_path)
fname = self._get_filaname(file_path, False)
for tpl_path, tpl in self.templates.iteritems():
tpl_name = self._get_filaname(tpl_path, False)
outputs[fname + '.' + tpl_name] = self._transform(tpl, model, self.getParams())
# write to a file
dest_dir = self._normalize_dir(self.getAttribute(self.ATTR_DEST_DIR, './'), './')
file_ext = '.' + self.getAttribute(self.ATTR_FILE_EXT)
for name, output in outputs.iteritems():
self._write(output, dest_dir + name + file_ext)
return (Task.CODE_OK, outputs)
# Private methods
def _normalize_dir(self, dir, default):
dir = dir if dir else default
dir = dir if dir.startswith('/') else os.getcwd() + '/' + dir
return dir if dir.endswith('/') else dir + '/'
def _load_model(self, model_uri):
file = open(model_uri, "r")
file_content = file.read()
model = json.loads(file_content, object_pairs_hook=collections.OrderedDict)
return model
def _transform(self, thetemplate, model, params):
return thetemplate.render_unicode(model=model, params=params)
def _get_filaname(self, file_path, include_ext = True):
"""
Returns the filename
@param file_path: string The path
@param include_ext: boolean Whether or not to include extension
@return: string
"""
retval = file_path
last_sep_pos = file_path.rfind('/')
if (last_sep_pos > -1):
retval = file_path[last_sep_pos+1:]
if (not include_ext):
last_dot_pos = retval.rfind('.')
if (last_dot_pos > -1):
retval = retval[:last_dot_pos]
return retval
def _write(self, data, dest_path):
self._normalize_dir(dest_path, './')
with open(dest_path, "w") as text_file:
text_file.write(data)<|fim▁end|> | """
|
<|file_name|>BlogRepository.java<|end_file_name|><|fim▁begin|>package com.therealdanvega.blog.repository;
import com.therealdanvega.blog.domain.Blog;
import org.springframework.data.jpa.repository.*;
import java.util.List;
/**
* Spring Data JPA repository for the Blog entity.
*/
@SuppressWarnings("unused")
public interface BlogRepository extends JpaRepository<Blog,Long> {<|fim▁hole|>
}<|fim▁end|> |
@Query("select blog from Blog blog where blog.user.login = ?#{principal.username}")
List<Blog> findByUserIsCurrentUser(); |
<|file_name|>test_ghmm.py<|end_file_name|><|fim▁begin|>from __future__ import print_function, division
import warnings
from itertools import permutations
import hmmlearn.hmm
import numpy as np
import pickle
import tempfile
from sklearn.pipeline import Pipeline
from msmbuilder.example_datasets import AlanineDipeptide
from msmbuilder.featurizer import SuperposeFeaturizer
from msmbuilder.hmm import GaussianHMM
rs = np.random.RandomState(42)
def test_ala2():
# creates a 4-state HMM on the ALA2 data. Nothing fancy, just makes
# sure the code runs without erroring out
trajectories = AlanineDipeptide().get_cached().trajectories
topology = trajectories[0].topology
indices = topology.select('symbol C or symbol O or symbol N')
featurizer = SuperposeFeaturizer(indices, trajectories[0][0])
sequences = featurizer.transform(trajectories)
hmm = GaussianHMM(n_states=4, n_init=3, random_state=rs)
hmm.fit(sequences)
assert len(hmm.timescales_ == 3)
assert np.any(hmm.timescales_ > 50)
def create_timeseries(means, vars, transmat):
"""Construct a random timeseries based on a specified Markov model."""
with warnings.catch_warnings():
warnings.filterwarnings("ignore", category=DeprecationWarning)
model = hmmlearn.hmm.GaussianHMM(n_components=len(means),
random_state=rs)
model.startprob_ = np.ones_like(means) / len(means)
model.means_ = means
model.covars_ = vars
model.transmat_ = transmat
X, Y = model.sample(1000)
return X
def validate_timeseries(means, vars, transmat, model,
valuetol=1e-3, transmattol=1e-3):
"""Whether our model matches the one used to create the timeseries."""
numStates = len(means)
assert len(model.means_) == numStates
assert (model.transmat_ >= 0.0).all()
assert (model.transmat_ <= 1.0).all()
totalProbability = sum(model.transmat_.T)
assert (abs(totalProbability - 1.0) < 1e-5).all()
# The states may have come out in a different order,
# so we need to test all possible permutations.
for order in permutations(range(len(means))):
match = True
for i in range(numStates):
if abs(means[i] - model.means_[order[i]]) > valuetol:
match = False
break
if abs(vars[i] - model.vars_[order[i]]) > valuetol:
match = False
break
for j in range(numStates):
diff = transmat[i, j] - model.transmat_[order[i], order[j]]
if abs(diff) > transmattol:
match = False
break
if match:
# It matches.
return
# No permutation matched.
assert False
def test_2_state():
transmat = np.array([[0.7, 0.3], [0.4, 0.6]])
means = np.array([[0.0], [5.0]])
vars = np.array([[1.0], [1.0]])
X = [create_timeseries(means, vars, transmat) for i in range(10)]
# For each value of various options,
# create a 2 state HMM and see if it is correct.
class two_state_tester(object):
def __init__(self, init_algo, reversible_type):
self.init_algo = init_algo
self.reversible_type = reversible_type
self.description = ("{}.test_3_state_{}_{}"
.format(__name__, init_algo, reversible_type))
def __call__(self, *args, **kwargs):
model = GaussianHMM(n_states=2, init_algo=self.init_algo,
reversible_type=self.reversible_type,
thresh=1e-4, n_iter=30, random_state=rs)
model.fit(X)
validate_timeseries(means, vars, transmat, model, 0.1, 0.05)
assert abs(model.fit_logprob_[-1] - model.score(X)) < 0.5
for init_algo in ('kmeans', 'GMM'):
for reversible_type in ('mle', 'transpose'):
yield two_state_tester(init_algo, reversible_type)
def test_3_state():
transmat = np.array([[0.2, 0.3, 0.5], [0.4, 0.4, 0.2], [0.8, 0.2, 0.0]])
means = np.array([[0.0], [10.0], [5.0]])
vars = np.array([[1.0], [2.0], [0.3]])
X = [create_timeseries(means, vars, transmat) for i in range(20)]
# For each value of various options,
# create a 3 state HMM and see if it is correct.
class three_state_tester(object):
def __init__(self, init_algo, reversible_type):<|fim▁hole|> self.init_algo = init_algo
self.reversible_type = reversible_type
self.description = ("{}.test_2_state_{}_{}"
.format(__name__, init_algo, reversible_type))
def __call__(self, *args, **kwargs):
model = GaussianHMM(n_states=3, init_algo=self.init_algo,
reversible_type=self.reversible_type,
thresh=1e-4, n_iter=30, random_state=rs)
model.fit(X)
validate_timeseries(means, vars, transmat, model, 0.1, 0.1)
assert abs(model.fit_logprob_[-1] - model.score(X)) < 0.5
for init_algo in ('kmeans', 'GMM'):
for reversible_type in ('mle', 'transpose'):
yield three_state_tester(init_algo, reversible_type)
def test_pipeline():
trajs = AlanineDipeptide().get_cached().trajectories
topology = trajs[0].topology
indices = topology.select('backbone')
p = Pipeline([
('diheds', SuperposeFeaturizer(indices, trajs[0][0])),
('hmm', GaussianHMM(n_states=4))
])
predict = p.fit_predict(trajs)
p.named_steps['hmm'].summarize()
def test_pickle():
"""Test pickling an HMM"""
trajectories = AlanineDipeptide().get_cached().trajectories
topology = trajectories[0].topology
indices = topology.select('symbol C or symbol O or symbol N')
featurizer = SuperposeFeaturizer(indices, trajectories[0][0])
sequences = featurizer.transform(trajectories)
hmm = GaussianHMM(n_states=4, n_init=3, random_state=rs)
hmm.fit(sequences)
logprob, hidden = hmm.predict(sequences)
with tempfile.TemporaryFile() as savefile:
pickle.dump(hmm, savefile)
savefile.seek(0, 0)
hmm2 = pickle.load(savefile)
logprob2, hidden2 = hmm2.predict(sequences)
assert(logprob == logprob2)<|fim▁end|> | |
<|file_name|>server_new.js<|end_file_name|><|fim▁begin|>/*
Copyright (c) 2011, Claus Augusti <[email protected]>
All rights reserved.
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.
* Neither the name of the <organization> nor the
names of its contributors may be used to endorse or promote products
derived from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED 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 <COPYRIGHT HOLDER> 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.
*/
"use strict";
/**
* Main server.
* Handles a very simple kind of dependency injection, to be refactored to some service
* registry ting.
*
*/
var mod_connect = require('connect')
, mod_sys = require('sys')
, mod_path = require('path')
, mod_resourceservice = null
, mod_resourcemanager = null
, mod_componentcontainer = null
, componentcontainer = null
, mod_cache = require('./cache.js')
, mod_socketio = require('./socketio.js')
, mod_socketmothership = require('./socket_mothership')
, mod_session_store = require('./session_store')
, socket_client = null
, mod_frontcontroller = null
, mod_fs = require('fs')
, cache = null
, redisclient = null
, errorHandler = null
, sessionParser = null
, logger = require('./logger.js').getLogger(mod_path.basename(module.filename))
module.exports = function (options, callback) {
// [TBD] dynamic configServer service (requires dependency management first)
var configServer = null,
configModules = null;
if (!options.conf) {
logger.error('error reading server configuration');
process.exit();
}
configServer = options.conf;
if(!configServer.default_language){
throw logger.error("You must define a default locale e.g. 'en_US' !");
}
configServer.server.serverRoot = mod_path.resolve(configServer.server.serverRoot);
configServer.server.documentRoot = mod_path.resolve(configServer.server.documentRoot);
configServer.server.componentPath = mod_path.resolve(configServer.server.componentPath);
//make server configuration global
global.Server = {
conf : configServer,
UUID : '',
root : configServer.server.serverRoot
};
logger.info('server configuration loaded');
configureServer(configServer);
function configureServer (configServer) {
mod_cache.configure(configServer);
mod_resourcemanager = require('./resourcemanager.js')(configServer, mod_cache);
mod_componentcontainer = require('./componentcontainer.js');
componentcontainer = new mod_componentcontainer.ComponentContainer(mod_resourcemanager);
mod_resourceservice = require('./resourceservice.js')(configServer, mod_resourcemanager, mod_cache, componentcontainer);
mod_frontcontroller = require('./frontcontroller.js')(mod_resourcemanager, componentcontainer);
sessionParser = require('./sessionParser');
errorHandler = require('./errorHandler.js')({
showStack : true,
showMessage : true,
dumpExceptions : false
});
if (configServer.remotecontrol) {
logger.info('setting up remote control');
redisclient = require('./redisclient.js');
redisclient.init(mod_tagmanager);
}
createServer(configServer);
logger.info('server started on port ' + configServer.server.port + ', ' + new Date());
callback();
}
function createServer(configServer) {
//connect to mothership
if (Server.conf.mothership && Server.conf.mothership.connect){
mod_socketmothership.init({
components : componentcontainer.componentMap
});
socket_client = mod_socketmothership.client;
};
var sessionStore = new mod_session_store(socket_client);
var server = mod_connect.createServer(
mod_connect.logger('dev')
, mod_connect.favicon()
, mod_connect.cookieParser()
, mod_connect.session({ key : 'rain.sid', store : sessionStore,
secret: 'let it rain baby ;)',
cookie: {path: "/", httpOnly: false}})
, mod_connect.bodyParser()<|fim▁hole|> app.get(/^\/[^\/]+\/([^\/]*)\/controller\/(.*)$/, mod_frontcontroller.handleControllerRequest);
app.put(/^\/[^\/]\/([^\/]*)\/controller\/(.*)$/, mod_frontcontroller.handleControllerRequest);
app.post(/^\/[^\/]\/([^\/]*)\/controller\/(.*)$/, mod_frontcontroller.handleControllerRequest);
app.delete(/^\/[^\/]\/([^\.]*)\/controller\/(.*)$/, mod_frontcontroller.handleControllerRequest);
app.get(/^\/resources(.*)$/, mod_resourceservice.handleRequest);
//app.get(/instances\/(.*)/, mod_instances.handleInstanceRequest);
}
)
, mod_connect.static(configServer.server.documentRoot)
, sessionParser()
, mod_frontcontroller.handleResourceNotFound
, errorHandler
);
if (configServer.websockets) {
logger.info('starting websockets');
var io = require('socket.io').listen(server);
mod_socketio.init(io);
}
server.listen(configServer.server.port);
};
}
// process.on('SIGINT', function () {
// process.exit();
// });<|fim▁end|> | , mod_connect.query()
, mod_connect.router(function (app) {
app.get(/^\/.+\/([^\/]*)(\/htdocs\/.*\.html)$/, mod_frontcontroller.handleViewRequest); |
<|file_name|>blinds.py<|end_file_name|><|fim▁begin|># OpenShot Video Editor is a program that creates, modifies, and edits video files.
# Copyright (C) 2009 Jonathan Thomas
#
# This file is part of OpenShot Video Editor (http://launchpad.net/openshot/).
#
# OpenShot Video Editor 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.
#
# OpenShot Video Editor 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 OpenShot Video Editor. If not, see <http://www.gnu.org/licenses/>.
# Import Blender's python API. This only works when the script is being
# run from the context of Blender. Blender contains it's own version of Python
# with this library pre-installed.
import bpy
# Load a font
def load_font(font_path):
""" Load a new TTF font into Blender, and return the font object """
# get the original list of fonts (before we add a new one)
original_fonts = bpy.data.fonts.keys()
# load new font
bpy.ops.font.open(filepath=font_path)
# get the new list of fonts (after we added a new one)
for font_name in bpy.data.fonts.keys():
if font_name not in original_fonts:
return bpy.data.fonts[font_name]
# no new font was added
return None
# Debug Info:
# ./blender -b test.blend -P demo.py
# -b = background mode
# -P = run a Python script within the context of the project file
# Init all of the variables needed by this script. Because Blender executes
# this script, OpenShot will inject a dictionary of the required parameters
# before this script is executed.
params = {
'title' : 'Oh Yeah! OpenShot!',
'extrude' : 0.1,
'bevel_depth' : 0.02,
'spacemode' : 'CENTER',
'text_size' : 1.5,
'width' : 1.0,
'fontname' : 'Bfont',
'color' : [0.8,0.8,0.8],
'alpha' : 1.0,
'alpha_mode' : 'TRANSPARENT',
'output_path' : '/tmp/',
'fps' : 24,
'quality' : 90,
'file_format' : 'PNG',
'color_mode' : 'RGBA',
'horizon_color' : [0.57, 0.57, 0.57],
'resolution_x' : 1920,
'resolution_y' : 1080,
'resolution_percentage' : 100,
'start_frame' : 20,
'end_frame' : 25,
'animation' : True,
}
<|fim▁hole|>#INJECT_PARAMS_HERE
# The remainder of this script will modify the current Blender .blend project
# file, and adjust the settings. The .blend file is specified in the XML file
# that defines this template in OpenShot.
#----------------------------------------------------------------------------
# Modify Text / Curve settings
#print (bpy.data.curves.keys())
text_object = bpy.data.curves["Title"]
text_object.extrude = params["extrude"]
text_object.bevel_depth = params["bevel_depth"]
text_object.body = params["title"]
text_object.align = params["spacemode"]
text_object.size = params["text_size"]
text_object.space_character = params["width"]
# Get font object
font = None
if params["fontname"] != "Bfont":
# Add font so it's available to Blender
font = load_font(params["fontname"])
else:
# Get default font
font = bpy.data.fonts["Bfont"]
text_object.font = font
text_object = bpy.data.curves["Subtitle"]
text_object.extrude = params["extrude"]
text_object.bevel_depth = params["bevel_depth"]
text_object.body = params["sub_title"]
text_object.align = params["spacemode"]
text_object.size = params["text_size"]
text_object.space_character = params["width"]
# set the font
text_object.font = font
# Change the material settings (color, alpha, etc...)
material_object = bpy.data.materials["Text"]
material_object.diffuse_color = params["diffuse_color"]
material_object.specular_color = params["specular_color"]
material_object.specular_intensity = params["specular_intensity"]
material_object.alpha = params["alpha"]
# Set the render options. It is important that these are set
# to the same values as the current OpenShot project. These
# params are automatically set by OpenShot
bpy.context.scene.render.filepath = params["output_path"]
bpy.context.scene.render.fps = params["fps"]
#bpy.context.scene.render.quality = params["quality"]
try:
bpy.context.scene.render.file_format = params["file_format"]
bpy.context.scene.render.color_mode = params["color_mode"]
except:
bpy.context.scene.render.image_settings.file_format = params["file_format"]
bpy.context.scene.render.image_settings.color_mode = params["color_mode"]
try:
bpy.context.scene.render.alpha_mode = params["alpha_mode"]
except:
pass
bpy.data.worlds[0].horizon_color = params["horizon_color"]
bpy.context.scene.render.resolution_x = params["resolution_x"]
bpy.context.scene.render.resolution_y = params["resolution_y"]
bpy.context.scene.render.resolution_percentage = params["resolution_percentage"]
bpy.context.scene.frame_start = params["start_frame"]
bpy.context.scene.frame_end = params["end_frame"]
# Animation Speed (use Blender's time remapping to slow or speed up animation)
animation_speed = int(params["animation_speed"]) # time remapping multiplier
new_length = int(params["end_frame"]) * animation_speed # new length (in frames)
bpy.context.scene.frame_end = new_length
bpy.context.scene.render.frame_map_old = 1
bpy.context.scene.render.frame_map_new = animation_speed
if params["start_frame"] == params["end_frame"]:
bpy.context.scene.frame_start = params["end_frame"]
bpy.context.scene.frame_end = params["end_frame"]
# Render the current animation to the params["output_path"] folder
bpy.ops.render.render(animation=params["animation"])<|fim▁end|> | |
<|file_name|>bezier.rs<|end_file_name|><|fim▁begin|>//! https://en.wikipedia.org/wiki/B%C3%A9zier_curve
use turtle::{Turtle, Point};
struct CubicBezier {
point0: Point,
point1: Point,
point2: Point,
point3: Point,
}
impl CubicBezier {
/// Returns the value of this curve at the given point
pub fn at(&self, t: f64) -> Point {
let &Self {point0, point1, point2, point3} = self;
// Copying the formula from here verbatim:
// https://en.wikipedia.org/wiki/B%C3%A9zier_curve#Cubic_B%C3%A9zier_curves
(1.0 - t).powi(3) * point0
+ 3.0*(1.0 - t)*(1.0 - t)*t*point1
+ 3.0*(1.0 - t)*t*t*point2
+ t.powi(3)*point3
}
}<|fim▁hole|> let curve = CubicBezier {
point0: Point {x: -200.0, y: -100.0},
point1: Point {x: -100.0, y: 400.0},
point2: Point {x: 100.0, y: -500.0},
point3: Point {x: 300.0, y: 200.0},
};
let start = curve.at(0.0);
turtle.pen_up();
turtle.go_to(start);
turtle.pen_down();
let samples = 100;
for i in 0..samples {
let t = i as f64 / samples as f64;
let point = curve.at(t);
turtle.go_to(point);
}
}<|fim▁end|> |
fn main() {
let mut turtle = Turtle::new();
|
<|file_name|>app.controller.js<|end_file_name|><|fim▁begin|>/*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.<|fim▁hole|> *
* 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.
*/
'use strict';
angular.module('zeppelinWebApp').controller('MainCtrl', function($scope, $rootScope, $window) {
$scope.looknfeel = 'default';
var init = function() {
$scope.asIframe = (($window.location.href.indexOf('asIframe') > -1) ? true : false);
};
init();
$rootScope.$on('setIframe', function(event, data) {
if (!event.defaultPrevented) {
$scope.asIframe = data;
event.preventDefault();
}
});
$rootScope.$on('setLookAndFeel', function(event, data) {
if (!event.defaultPrevented && data && data !== '' && data !== $scope.looknfeel) {
$scope.looknfeel = data;
event.preventDefault();
}
});
// Set The lookAndFeel to default on every page
$rootScope.$on('$routeChangeStart', function(event, next, current) {
$rootScope.$broadcast('setLookAndFeel', 'default');
});
BootstrapDialog.defaultOptions.onshown = function() {
angular.element('#' + this.id).find('.btn:last').focus();
};
// Remove BootstrapDialog animation
BootstrapDialog.configDefaultOptions({animate: false});
});<|fim▁end|> | * You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0 |
<|file_name|>_cartesian_eigs1.py<|end_file_name|><|fim▁begin|>from pycp2k.inputsection import InputSection
from ._each421 import _each421
<|fim▁hole|> self.Section_parameters = None
self.Add_last = None
self.Common_iteration_levels = None
self.Filename = None
self.Log_print_key = None
self.Backup_copies = None
self.EACH = _each421()
self._name = "CARTESIAN_EIGS"
self._keywords = {'Log_print_key': 'LOG_PRINT_KEY', 'Filename': 'FILENAME', 'Add_last': 'ADD_LAST', 'Common_iteration_levels': 'COMMON_ITERATION_LEVELS', 'Backup_copies': 'BACKUP_COPIES'}
self._subsections = {'EACH': 'EACH'}
self._attributes = ['Section_parameters']<|fim▁end|> |
class _cartesian_eigs1(InputSection):
def __init__(self):
InputSection.__init__(self) |
<|file_name|>users.client.routes.js<|end_file_name|><|fim▁begin|>(function () {
'use strict';
// Setting up route
angular
.module('app.users')
.run(appRun);
// appRun.$inject = ['$stateProvider'];
/* @ngInject */
function appRun(routerHelper) {
routerHelper.configureStates(getStates());
}
function getStates() {
return [
{
state: 'profile',
config: {
url: '/settings/profile',
controller: 'SettingsController',
controllerAs: 'vm',
templateUrl: 'modules/users/views/settings/edit-profile.client.view.html'
}
},
{
state: 'password',
config: {
url: '/settings/password',
controller: 'SettingsController',
controllerAs: 'vm',
templateUrl: 'modules/users/views/settings/change-password.client.view.html'
}
},
{
state: 'accounts',
config: {
url: '/settings/accounts',
controller: 'SettingsController',
controllerAs: 'vm',
templateUrl: 'modules/users/views/settings/social-accounts.client.view.html'
}
},
{
state: 'signup',
config: {
url: '/signup',
controller: 'AuthenticationController',
controllerAs: 'vm',
templateUrl: 'modules/users/views/authentication/signup.client.view.html'
}
},
{
state: 'signin',
config: {
url: '/signin',
controller: 'AuthenticationController',
controllerAs: 'vm',
templateUrl: 'modules/users/views/authentication/signin.client.view.html'
}
},
{
state: 'forgot',
config: {
url: '/password/forgot',
controller: 'PasswordController',
controllerAs: 'vm',
templateUrl: 'modules/users/views/password/forgot-password.client.view.html'
}
},
{
state: 'reset-invalid',
config: {
url: '/password/reset/invalid',
controller: 'PasswordController',
controllerAs: 'vm',
templateUrl: 'modules/users/views/password/reset-password-invalid.client.view.html'
}
},
{
state: 'reset-success',
config: {
url: '/password/reset/success',
controller: 'PasswordController',
controllerAs: 'vm',
templateUrl: 'modules/users/views/password/reset-password-success.client.view.html'
}
},
{
state: 'reset',
config: {
url: '/password/reset/:token',
controller: 'PasswordController',
controllerAs: 'vm',
templateUrl: 'modules/users/views/password/reset-password.client.view.html'
<|fim▁hole|> }
}
];
}
})();<|fim▁end|> | |
<|file_name|>createObject.ts<|end_file_name|><|fim▁begin|>export function createObject(keys: string[], values: any[]) {<|fim▁hole|><|fim▁end|> | return keys.reduce((result, key, i) => ((result[key] = values[i]), result), {} as any);
} |
<|file_name|>xorg_driver.py<|end_file_name|><|fim▁begin|><|fim▁hole|><|fim▁end|> | ../../../../share/pyshared/jockey/xorg_driver.py |
<|file_name|>build.py<|end_file_name|><|fim▁begin|>from tasks.cache import cache_issues
from tasks.cache import cache_pulls
from tasks.cache import cache_commits
from tasks.cache import oldest_issues
from tasks.cache import oldest_pulls
from tasks.cache import least_issues
from tasks.cache import least_pulls<|fim▁hole|>
#add top issue closer
#base stuff
#cache_issues()
#cache_pulls()
#cache_commits()
# filters / views
#oldest_issues()
#oldest_pulls()
#least_issues()
#least_pulls()
#issues_closed_since(start=0, days=7)
#issues_closed_since(start=7, days=14)
issues_opened_since(start=0, days=7)
issues_opened_since(start=7, days=14)
#unassigned_pulls()<|fim▁end|> | from tasks.cache import issues_closed_since
from tasks.cache import issues_opened_since
from tasks.cache import unassigned_pulls |
<|file_name|>urh_rc.py<|end_file_name|><|fim▁begin|># -*- coding: utf-8 -*-
# Resource object code
#
# Created by: The Resource Compiler for PyQt5 (Qt v5.9.2)
#
# WARNING! All changes made in this file will be lost!
from PyQt5 import QtCore
qt_resource_data = b"\
\x00\x00\x07\x27\
\x00\
\x00\x1a\x8b\x78\x9c\xe5\x58\xdd\x8f\xdb\x36\x12\x7f\xdf\xbf\x82\
\x55\x1f\xd2\x43\x2d\x8a\xa4\x3e\x28\x69\xed\x2d\xd0\xa4\x69\xf2\
\x50\xa0\x68\xd2\x14\xb8\x37\xad\x44\xdb\xba\xe8\xc3\x90\xe4\xb5\
\x9d\xbf\xfe\x86\xd4\x07\x29\xdb\x1b\x5f\x0e\xc5\x3d\xdc\x0a\xbb\
\x58\x71\x38\xc3\x99\xe1\x0c\x7f\x3f\x6a\x97\x3f\x1d\xcb\x02\x3d\
\x89\xa6\xcd\xeb\x6a\x65\x51\x4c\x2c\x24\xaa\xb4\xce\xf2\x6a\xb3\
\xb2\xfe\xfc\xf8\xd6\x0e\x2d\xd4\x76\x49\x95\x25\x45\x5d\x89\x95\
\x55\xd5\xd6\x4f\x0f\x77\xcb\xef\x6c\x1b\xbd\x6e\x44\xd2\x89\x0c\
\x1d\xf2\x6e\x8b\xde\x57\x9f\xdb\x34\xd9\x09\xf4\xc3\xb6\xeb\x76\
\xb1\xe3\x1c\x0e\x07\x9c\x0f\x42\x5c\x37\x1b\xe7\x1f\xc8\xb6\x1f\
\xee\xee\x96\xed\xd3\xe6\x0e\x21\x04\x7e\xab\x36\xce\xd2\x95\x35\
\x18\xec\xf6\x4d\xa1\x14\xb3\xd4\x11\x85\x28\x45\xd5\xb5\x0e\xc5\
\xd4\xb1\xb4\x7a\xaa\xd5\x53\xe9\x3d\x7f\x12\x69\x5d\x96\x75\xd5\
\x2a\xcb\xaa\xfd\xde\x50\x6e\xb2\xf5\xa4\x2d\xa3\x39\xb8\x4a\x89\
\x46\x51\xe4\x10\xe6\x30\x66\x83\x86\xdd\x9e\xaa\x2e\x39\xda\x73\
\x53\x88\xf1\x9a\x29\x23\x84\x38\x30\xa7\x35\xff\x33\xad\xb8\x85\
\x0d\xdd\xc1\xef\xa4\x3e\x0a\x70\x5b\xef\x9b\x54\xac\xc1\x4e\xe0\
\x4a\x74\xce\x9b\x8f\x6f\xa6\x49\x9b\xe0\xac\xcb\x8c\x65\xc6\xfd\
\x9c\x79\x9d\x6d\x72\x95\x94\xa2\xdd\x25\xa9\x68\x9d\x51\xae\xec\
\x0f\x79\xd6\x6d\xa1\xbe\xc1\xee\xa8\xc6\x5b\x91\x6f\xb6\x9d\x21\
\x78\xca\xc5\xe1\xe7\xfa\xb8\xb2\x08\x22\x88\x06\xf0\xd3\x8b\x75\
\x67\x50\x25\xc8\xb3\x95\xf5\xe1\xd3\xaf\x7f\xd4\x75\xd7\x8f\x07\
\x2f\xf1\xa4\x49\x70\xc4\x30\x45\x8d\x9a\x1e\x53\x89\xb3\x3a\x95\
\xb1\xad\xac\x4c\xf4\xdd\x85\xc7\x1d\x9a\x56\x10\xc7\x5d\xdd\x74\
\xf6\x3a\x2f\x44\xaf\xea\x6c\xeb\x52\x38\xff\xaa\x85\xf3\xeb\xfb\
\x8f\xce\xbe\xd9\x3a\x59\xd2\x25\x4e\x9e\x42\xbd\x1d\x73\x1d\xbc\
\xab\xae\xaf\x75\xcc\x76\xb0\xe7\x91\x87\xc3\x10\xaa\x1e\x5d\xd5\
\x39\x9d\xe9\x3c\x80\xd2\x72\x8a\x5b\x46\x92\xc9\xcd\x91\xa6\x7d\
\xfa\x8f\x49\xdb\x6f\x2a\x42\xbb\x64\x03\x61\x14\x75\xb3\xb2\xbe\
\x5f\xab\x67\x98\x78\xac\x9b\x4c\x34\xe3\x54\xa0\x9e\xd9\x54\x0d\
\x45\xca\xbb\x53\x7f\xe4\x86\xb5\xc7\xc0\xe4\xaa\xd3\x3c\xb9\x3e\
\xdf\x6e\x93\xac\x3e\xac\x2c\x76\x3e\xf9\xa5\xae\x4b\x59\xd7\x73\
\x79\x0a\xb5\x65\x38\xf4\x5c\xee\x5f\x4c\x81\x1b\x06\x7e\x02\x76\
\x31\x05\x65\xdb\xcb\x93\x68\xef\xab\xbc\x83\x6e\x1f\xba\xc5\x34\
\xde\x37\x8d\x54\x28\x92\x93\x80\x5c\xd5\x9f\x31\xa8\x76\x5b\x1f\
\x36\x8d\xdc\xb3\x75\x52\x4c\x9b\x36\x99\x1e\xf2\x0a\x72\xb0\xc7\
\xde\x8c\xd8\x45\xa6\x83\xc6\xd4\xad\xd4\xa3\xcf\xa8\xc8\xce\x7d\
\x66\xea\xf4\xfc\x54\x99\x1c\xf3\x32\xff\x22\x20\xc2\x8b\x85\x65\
\xe0\xf6\xe3\xa3\x3c\x13\x5d\xb3\x17\x66\x4a\xfb\x3c\x13\xed\x98\
\x14\x72\x54\xc7\x64\x62\xdd\xea\x1e\x91\x23\xd7\x1d\xe7\x4a\xd1\
\x25\xb2\x75\xf5\xfc\x28\x71\x03\xd5\x6f\xa0\x03\x58\x14\xff\xf1\
\xe6\x6d\x3f\x82\x71\x9a\xc6\x7f\xd5\xcd\xe7\x61\x08\x8f\x54\x48\
\x1e\xeb\x3d\xec\x83\xf5\x30\x89\x97\x59\x1a\x03\x7a\x94\x49\xf7\
\x90\x97\xd0\x17\x12\x78\x7e\x04\xb4\x58\x3a\x7a\x62\xa6\xdc\x9d\
\x76\x42\x2f\xda\x2f\xdb\x88\x1e\x86\xae\x62\x71\x96\x96\xb9\x34\
\x72\x3e\x74\x79\x51\xbc\x97\x4e\x86\xbc\x8c\x45\xf3\xae\x10\x5a\
\xb8\x74\x86\xe8\x87\xdc\x1c\x23\xb9\xa5\x33\xe6\xae\x46\x1b\xbd\
\x27\xaa\x75\xae\x94\xa1\xde\xef\xca\x3a\x13\x83\xc2\xf9\x7c\x91\
\x3c\x8a\x62\x65\xfd\xf2\x28\x2a\x81\xe8\xb4\x9b\x22\xed\xc6\x08\
\xe5\xda\x72\xcc\xc7\xb6\x34\xe0\x10\xd3\x70\x3a\x0f\x1a\x15\x01\
\xbf\x98\x96\x1a\xad\x85\x10\x34\x13\x9f\x06\x6d\x77\x2a\x20\xae\
\xb6\x6b\xea\xcf\xa2\xef\xe3\x98\x60\x9f\x7b\xbe\x47\xf8\x54\x7d\
\x67\x33\xcb\xf4\x56\x62\xd9\xd9\x21\xba\x9e\x29\x1b\x33\xdd\x8c\
\xc1\x24\x4d\x9e\xd8\x83\x0e\x25\xf4\x3c\xc8\x75\x0d\x87\x54\xbd\
\xc7\x95\x6c\x8b\xe2\x5e\x49\x9e\xa4\x59\xd5\xcd\x64\x07\xb5\x0d\
\x71\x40\xc8\xfd\x60\xd5\x88\x2e\xdd\xce\x74\x5a\x38\x35\x71\xb8\
\x3b\xde\x17\x79\x25\x86\x03\x1a\x53\xcc\xfc\x7e\x7a\x9d\x94\x79\
\x71\x8a\x5f\x7d\x50\x7d\x85\x5e\x43\x9a\xe8\xf7\xa6\x7e\x75\x6f\
\x8f\xe9\xd8\xfd\x32\x3b\x91\xe6\xeb\x3c\x05\x2a\xaf\xab\x0b\x75\
\xf4\x41\x94\xb9\xfd\x73\x5d\x64\xaf\xee\x0b\xd1\x75\xa2\xb1\x25\
\xb9\x01\xea\xc7\x04\x5c\x1f\x00\x49\x67\x02\xa0\x8e\x22\x1e\x80\
\x58\x0d\xec\x01\x46\x63\x7a\xdf\x17\x09\x72\xa8\x84\x65\x76\x46\
\x27\x8e\x9d\x4f\xa7\x13\xb5\xdc\x25\xdd\x56\x9f\x0f\x50\xf8\x0d\
\x11\xec\xba\x9e\x0b\x0f\x5d\x04\x58\x02\x28\x7a\x87\x3c\x1c\x04\
\x1e\xd0\x45\x88\x3e\x21\x1f\x53\x2f\x92\x42\x17\xbb\x91\x0f\x48\
\xef\x83\x10\xfa\x80\x11\x1a\x04\x21\x87\x09\x86\x19\x8d\x24\x07\
\xa0\xd7\x88\x62\xee\x33\xc9\x34\x0b\x82\x43\xa2\x54\x80\x6e\x31\
\x0b\x03\xe9\x02\x84\x51\x10\x4a\xa1\x2f\x97\xe0\x81\xd4\xe4\x0b\
\x60\x89\x28\x0c\x5d\x57\xae\xcc\x30\x09\x95\x06\x2c\x0c\x8b\x45\
\x44\xda\x99\x61\xe8\x78\xd1\x3f\x2d\x9d\xcb\x7f\xdd\x08\xd1\xcd\
\x46\x88\xb0\xab\x1e\xc2\x64\x15\xfe\xc6\x06\x78\x27\x92\xa7\xd3\
\xab\xa9\xb0\x70\xb3\x22\x46\x46\xb2\x7e\xb2\x5e\x70\xde\x98\x81\
\x49\x97\x35\x2c\x51\x88\x09\xa3\xae\xef\x46\x50\x42\x5f\x6e\x53\
\x0a\x7b\xe7\x46\x44\x16\x65\x41\x60\x4f\xfb\x04\xe8\xc2\x86\xad\
\xe6\xea\xdd\x14\xba\x72\xff\x55\x01\xc9\xc2\x86\x02\x30\x1f\xe4\
\x0c\xc1\x0d\x2d\xf2\x98\xac\xb8\x52\xe9\x5f\x5d\x64\xcf\x2d\x27\
\xb1\xe9\x71\xd2\x61\xb2\xb8\x74\x70\x69\x48\x0d\x43\xb2\x18\x5d\
\xc2\xfb\xe0\x31\x58\xe8\x98\x66\x46\x83\xec\x0b\x2a\x65\xac\xd0\
\x58\x10\x67\x2a\x23\xf5\x22\x6f\xf4\x0d\x8b\xd0\x7e\x00\xaf\x6e\
\x24\xaf\xc4\xd1\x4c\x4a\x71\xd8\x5f\x5a\xfa\x35\x3c\xee\xf5\x03\
\xec\x31\x35\x49\xc9\x30\x36\x2d\x26\x61\xef\x89\x83\x27\xad\x20\
\x9b\xd2\x34\x30\xf4\x17\xa3\x03\xae\xc2\x54\xd1\x44\x0b\x1d\x82\
\x3d\xb3\x1a\x84\x53\x7e\xb4\xd7\x87\x1c\x65\x74\x51\x7f\x88\xe0\
\xbd\x0f\x99\xcb\x0c\x99\xda\x13\x3e\x17\x0e\xaf\x72\x11\x30\xf4\
\xf8\xb8\x07\xae\xaa\x85\xa7\x55\x54\x00\x17\x86\x4a\xaa\xfd\x69\
\xf9\x42\xfb\x9b\x09\x47\x33\xb2\x90\xee\x42\x34\x7a\x72\x17\x46\
\x2c\x17\xfa\x1c\x7d\x79\x29\x47\xd8\xbb\x71\x84\x29\x05\x48\xe5\
\xc4\x9b\x50\x78\x0b\x28\x0c\x01\xcb\x4d\x32\xd0\x8f\x7a\xd8\x07\
\xa8\xe4\x67\x20\xbc\x95\xc7\x8f\x72\x85\xc0\x0c\xce\x90\xcf\x49\
\x38\x43\x60\x06\x4d\x18\xc9\xd5\x0d\x04\x06\x97\x80\xc0\x52\x53\
\x03\xf0\x93\x6c\xe2\x50\xd5\x1d\x16\x85\xf3\x45\xe7\xf8\xab\x1c\
\x79\x7e\xf0\x72\x0a\x17\x4c\x85\x1b\xee\x3a\xcf\x5d\x4b\x08\x25\
\xff\x8b\x6b\xc9\x6c\x47\xfe\x3f\xee\x27\x36\xf9\xca\x0d\xa5\x44\
\xb2\x77\x43\x02\xdd\xb7\xa0\x3e\xe6\x24\xe2\xcf\xd0\x1b\xd3\xf4\
\x66\xca\x46\xd6\x30\xc8\xcd\xd3\xdc\x16\x4c\x24\xc6\x4d\x7e\x32\
\x84\xa3\x2b\x3e\xe3\xb5\x70\x22\xb6\x99\x70\x32\xd3\xac\x36\x91\
\x9a\x1f\x4e\x0c\x86\xe6\x26\xbd\xec\x39\x52\xe3\x26\xa9\xf1\x9e\
\xd4\xd8\x4c\x32\x12\x87\xc1\x67\x7c\x4e\x67\x1c\xcd\xd5\x47\x99\
\xa6\xcd\x9b\x64\xc6\x0d\x2e\xeb\xe9\x61\x22\xac\x6b\x24\x66\x70\
\x18\x7b\x86\xbe\x02\x4d\x5f\x73\xd9\x48\xc8\x3d\x79\x85\x9a\xb8\
\xdc\x69\x76\xc6\x3f\x33\xe1\x15\xda\xe2\x23\x6d\xf1\xb9\x6c\x30\
\x3a\x27\x2d\x6f\xa1\x43\x38\xd7\x7e\x41\xc8\x17\xdd\xa0\x2c\x1f\
\x98\xc2\xe5\x6e\x10\xc9\x73\xe9\x47\x9c\x6b\xce\x0a\x28\x30\x89\
\xec\xe4\x50\xde\xe3\x23\x38\x14\x3e\xe1\x84\x02\x8f\x44\x38\x08\
\x89\x1b\xc8\xef\x06\x0e\x9d\x12\x81\x78\x6c\xf6\x60\x2a\x95\xaa\
\xb8\xaa\xa2\xaa\x85\x6a\x01\x8a\x03\x75\x8a\xa4\x82\xcf\x55\x2d\
\x35\x59\xa9\xd5\x3c\x37\x82\x68\xe4\x37\x0b\xb0\xa4\x2b\x71\xe2\
\x9d\x8e\xf1\xc5\x7c\x2c\xc0\xe7\xde\x8d\x9b\x86\x8b\x03\x4e\xb8\
\xcf\x2f\xe1\x94\x6b\x34\xf5\x2e\xc1\xd4\xbb\x81\xa5\xfc\x0a\x94\
\x7a\xd7\x90\xd4\x04\xd2\x2b\x30\xfa\x35\x10\xe5\x97\x10\x7a\x1b\
\x40\x4d\xfc\xbc\x80\xcf\x6f\x43\xcf\x4b\xf0\x34\x3e\x04\xf8\x1c\
\x3a\xf9\xb7\x20\x27\xbf\x01\x9c\x9e\xc6\x4d\x7e\x09\x9b\xfc\xab\
\xa8\x79\x05\x34\xf9\x35\xcc\x34\x21\xf3\x0a\x62\x3e\x0f\x98\x97\
\x78\xf9\xf2\xe0\xd2\x77\xcf\x2f\x8a\xea\xcf\x52\xfe\xcf\xf2\xe1\
\xee\xdf\xfd\xc3\x1d\x1c\
\x00\x00\x0d\x5e\
\x3c\
\x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\
\x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x55\x54\x46\
\x2d\x38\x22\x20\x73\x74\x61\x6e\x64\x61\x6c\x6f\x6e\x65\x3d\x22\
\x6e\x6f\x22\x3f\x3e\x0a\x3c\x21\x2d\x2d\x20\x43\x72\x65\x61\x74\
\x65\x64\x20\x77\x69\x74\x68\x20\x49\x6e\x6b\x73\x63\x61\x70\x65\
\x20\x28\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x2e\x6f\x72\x67\x2f\x29\x20\x2d\x2d\x3e\x0a\
\x0a\x3c\x73\x76\x67\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x64\
\x63\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x70\x75\x72\x6c\x2e\x6f\
\x72\x67\x2f\x64\x63\x2f\x65\x6c\x65\x6d\x65\x6e\x74\x73\x2f\x31\
\x2e\x31\x2f\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x63\x63\
\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x63\x72\x65\x61\x74\x69\x76\
\x65\x63\x6f\x6d\x6d\x6f\x6e\x73\x2e\x6f\x72\x67\x2f\x6e\x73\x23\
\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x72\x64\x66\x3d\x22\
\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\
\x67\x2f\x31\x39\x39\x39\x2f\x30\x32\x2f\x32\x32\x2d\x72\x64\x66\
\x2d\x73\x79\x6e\x74\x61\x78\x2d\x6e\x73\x23\x22\x0a\x20\x20\x20\
\x78\x6d\x6c\x6e\x73\x3a\x73\x76\x67\x3d\x22\x68\x74\x74\x70\x3a\
\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x32\x30\x30\
\x30\x2f\x73\x76\x67\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3d\
\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\
\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x0a\x20\x20\x20\
\x78\x6d\x6c\x6e\x73\x3a\x73\x6f\x64\x69\x70\x6f\x64\x69\x3d\x22\
\x68\x74\x74\x70\x3a\x2f\x2f\x73\x6f\x64\x69\x70\x6f\x64\x69\x2e\
\x73\x6f\x75\x72\x63\x65\x66\x6f\x72\x67\x65\x2e\x6e\x65\x74\x2f\
\x44\x54\x44\x2f\x73\x6f\x64\x69\x70\x6f\x64\x69\x2d\x30\x2e\x64\
\x74\x64\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\
\x77\x2e\x69\x6e\x6b\x73\x63\x61\x70\x65\x2e\x6f\x72\x67\x2f\x6e\
\x61\x6d\x65\x73\x70\x61\x63\x65\x73\x2f\x69\x6e\x6b\x73\x63\x61\
\x70\x65\x22\x0a\x20\x20\x20\x77\x69\x64\x74\x68\x3d\x22\x31\x36\
\x70\x78\x22\x0a\x20\x20\x20\x68\x65\x69\x67\x68\x74\x3d\x22\x31\
\x36\x70\x78\x22\x0a\x20\x20\x20\x76\x69\x65\x77\x42\x6f\x78\x3d\
\x22\x30\x20\x30\x20\x31\x36\x20\x31\x36\x22\x0a\x20\x20\x20\x76\
\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x0a\x20\x20\x20\
\x69\x64\x3d\x22\x53\x56\x47\x52\x6f\x6f\x74\x22\x0a\x20\x20\x20\
\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x76\x65\x72\x73\x69\x6f\x6e\
\x3d\x22\x30\x2e\x39\x32\x2e\x31\x20\x72\x22\x0a\x20\x20\x20\x73\
\x6f\x64\x69\x70\x6f\x64\x69\x3a\x64\x6f\x63\x6e\x61\x6d\x65\x3d\
\x22\x6c\x6f\x63\x6b\x2e\x73\x76\x67\x22\x3e\x0a\x20\x20\x3c\x73\
\x6f\x64\x69\x70\x6f\x64\x69\x3a\x6e\x61\x6d\x65\x64\x76\x69\x65\
\x77\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x62\x61\x73\x65\x22\
\x0a\x20\x20\x20\x20\x20\x70\x61\x67\x65\x63\x6f\x6c\x6f\x72\x3d\
\x22\x23\x66\x66\x66\x66\x66\x66\x22\x0a\x20\x20\x20\x20\x20\x62\
\x6f\x72\x64\x65\x72\x63\x6f\x6c\x6f\x72\x3d\x22\x23\x36\x36\x36\
\x36\x36\x36\x22\x0a\x20\x20\x20\x20\x20\x62\x6f\x72\x64\x65\x72\
\x6f\x70\x61\x63\x69\x74\x79\x3d\x22\x31\x2e\x30\x22\x0a\x20\x20\
\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x70\x61\x67\x65\
\x6f\x70\x61\x63\x69\x74\x79\x3d\x22\x30\x2e\x30\x22\x0a\x20\x20\
\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x70\x61\x67\x65\
\x73\x68\x61\x64\x6f\x77\x3d\x22\x32\x22\x0a\x20\x20\x20\x20\x20\
\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x7a\x6f\x6f\x6d\x3d\x22\x33\
\x32\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\
\x3a\x63\x78\x3d\x22\x32\x2e\x34\x33\x38\x35\x38\x34\x22\x0a\x20\
\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x63\x79\x3d\
\x22\x38\x2e\x34\x36\x32\x32\x30\x35\x39\x22\x0a\x20\x20\x20\x20\
\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x64\x6f\x63\x75\x6d\x65\
\x6e\x74\x2d\x75\x6e\x69\x74\x73\x3d\x22\x70\x78\x22\x0a\x20\x20\
\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x63\x75\x72\x72\
\x65\x6e\x74\x2d\x6c\x61\x79\x65\x72\x3d\x22\x6c\x61\x79\x65\x72\
\x31\x22\x0a\x20\x20\x20\x20\x20\x73\x68\x6f\x77\x67\x72\x69\x64\
\x3d\x22\x66\x61\x6c\x73\x65\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\
\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x77\x69\
\x64\x74\x68\x3d\x22\x31\x34\x34\x30\x22\x0a\x20\x20\x20\x20\x20\
\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\
\x68\x65\x69\x67\x68\x74\x3d\x22\x38\x34\x34\x22\x0a\x20\x20\x20\
\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\
\x77\x2d\x78\x3d\x22\x30\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x79\x3d\x22\
\x30\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\
\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x6d\x61\x78\x69\x6d\x69\x7a\x65\
\x64\x3d\x22\x31\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\
\x61\x70\x65\x3a\x67\x72\x69\x64\x2d\x62\x62\x6f\x78\x3d\x22\x74\
\x72\x75\x65\x22\x20\x2f\x3e\x0a\x20\x20\x3c\x64\x65\x66\x73\x0a\
\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x64\x65\x66\x73\x31\x30\x22\
\x20\x2f\x3e\x0a\x20\x20\x3c\x6d\x65\x74\x61\x64\x61\x74\x61\x0a\
\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x6d\x65\x74\x61\x64\x61\x74\
\x61\x31\x33\x22\x3e\x0a\x20\x20\x20\x20\x3c\x72\x64\x66\x3a\x52\
\x44\x46\x3e\x0a\x20\x20\x20\x20\x20\x20\x3c\x63\x63\x3a\x57\x6f\
\x72\x6b\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x72\x64\x66\x3a\
\x61\x62\x6f\x75\x74\x3d\x22\x22\x3e\x0a\x20\x20\x20\x20\x20\x20\
\x20\x20\x3c\x64\x63\x3a\x66\x6f\x72\x6d\x61\x74\x3e\x69\x6d\x61\
\x67\x65\x2f\x73\x76\x67\x2b\x78\x6d\x6c\x3c\x2f\x64\x63\x3a\x66\
\x6f\x72\x6d\x61\x74\x3e\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x3c\
\x64\x63\x3a\x74\x79\x70\x65\x0a\x20\x20\x20\x20\x20\x20\x20\x20\
\x20\x20\x20\x72\x64\x66\x3a\x72\x65\x73\x6f\x75\x72\x63\x65\x3d\
\x22\x68\x74\x74\x70\x3a\x2f\x2f\x70\x75\x72\x6c\x2e\x6f\x72\x67\
\x2f\x64\x63\x2f\x64\x63\x6d\x69\x74\x79\x70\x65\x2f\x53\x74\x69\
\x6c\x6c\x49\x6d\x61\x67\x65\x22\x20\x2f\x3e\x0a\x20\x20\x20\x20\
\x20\x20\x20\x20\x3c\x64\x63\x3a\x74\x69\x74\x6c\x65\x20\x2f\x3e\
\x0a\x20\x20\x20\x20\x20\x20\x3c\x2f\x63\x63\x3a\x57\x6f\x72\x6b\
\x3e\x0a\x20\x20\x20\x20\x3c\x2f\x72\x64\x66\x3a\x52\x44\x46\x3e\
\x0a\x20\x20\x3c\x2f\x6d\x65\x74\x61\x64\x61\x74\x61\x3e\x0a\x20\
\x20\x3c\x67\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\
\x65\x3a\x67\x72\x6f\x75\x70\x6d\x6f\x64\x65\x3d\x22\x6c\x61\x79\
\x65\x72\x22\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x6c\x61\x79\
\x65\x72\x33\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\
\x70\x65\x3a\x6c\x61\x62\x65\x6c\x3d\x22\x45\x62\x65\x6e\x65\x20\
\x33\x22\x20\x2f\x3e\x0a\x20\x20\x3c\x67\x0a\x20\x20\x20\x20\x20\
\x69\x64\x3d\x22\x6c\x61\x79\x65\x72\x31\x22\x0a\x20\x20\x20\x20\
\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x67\x72\x6f\x75\x70\x6d\
\x6f\x64\x65\x3d\x22\x6c\x61\x79\x65\x72\x22\x0a\x20\x20\x20\x20\
\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x6c\x61\x62\x65\x6c\x3d\
\x22\x45\x62\x65\x6e\x65\x20\x31\x22\x3e\x0a\x20\x20\x20\x20\x3c\
\x72\x65\x63\x74\x0a\x20\x20\x20\x20\x20\x20\x20\x73\x74\x79\x6c\
\x65\x3d\x22\x66\x69\x6c\x6c\x3a\x23\x30\x30\x35\x35\x64\x34\x3b\
\x66\x69\x6c\x6c\x2d\x6f\x70\x61\x63\x69\x74\x79\x3a\x31\x3b\x73\
\x74\x72\x6f\x6b\x65\x2d\x77\x69\x64\x74\x68\x3a\x31\x2e\x32\x39\
\x35\x35\x32\x35\x30\x37\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x69\
\x64\x3d\x22\x72\x65\x63\x74\x32\x36\x22\x0a\x20\x20\x20\x20\x20\
\x20\x20\x77\x69\x64\x74\x68\x3d\x22\x31\x33\x2e\x31\x38\x37\x35\
\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x68\x65\x69\x67\x68\x74\x3d\
\x22\x39\x2e\x34\x31\x30\x39\x36\x32\x31\x22\x0a\x20\x20\x20\x20\
\x20\x20\x20\x78\x3d\x22\x31\x2e\x35\x33\x31\x32\x35\x22\x0a\x20\
\x20\x20\x20\x20\x20\x20\x79\x3d\x22\x36\x2e\x31\x38\x32\x37\x38\
\x37\x39\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x72\x79\x3d\x22\x31\
\x2e\x36\x36\x38\x39\x33\x39\x22\x20\x2f\x3e\x0a\x20\x20\x20\x20\
\x3c\x70\x61\x74\x68\x0a\x20\x20\x20\x20\x20\x20\x20\x73\x74\x79\
\x6c\x65\x3d\x22\x66\x69\x6c\x6c\x3a\x6e\x6f\x6e\x65\x3b\x66\x69\
\x6c\x6c\x2d\x6f\x70\x61\x63\x69\x74\x79\x3a\x31\x3b\x73\x74\x72\
\x6f\x6b\x65\x3a\x23\x30\x30\x35\x35\x64\x34\x3b\x73\x74\x72\x6f\
\x6b\x65\x2d\x77\x69\x64\x74\x68\x3a\x32\x2e\x33\x37\x38\x39\x39\
\x39\x39\x35\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x6d\x69\x74\x65\x72\
\x6c\x69\x6d\x69\x74\x3a\x34\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x64\
\x61\x73\x68\x61\x72\x72\x61\x79\x3a\x6e\x6f\x6e\x65\x3b\x73\x74\
\x72\x6f\x6b\x65\x2d\x6f\x70\x61\x63\x69\x74\x79\x3a\x31\x22\x0a\
\x20\x20\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x70\x61\x74\x68\x39\
\x35\x35\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x73\x6f\x64\x69\x70\
\x6f\x64\x69\x3a\x74\x79\x70\x65\x3d\x22\x61\x72\x63\x22\x0a\x20\
\x20\x20\x20\x20\x20\x20\x73\x6f\x64\x69\x70\x6f\x64\x69\x3a\x63\
\x78\x3d\x22\x38\x2e\x30\x39\x34\x36\x31\x30\x32\x22\x0a\x20\x20\
\x20\x20\x20\x20\x20\x73\x6f\x64\x69\x70\x6f\x64\x69\x3a\x63\x79\
\x3d\x22\x34\x2e\x39\x32\x34\x30\x31\x34\x31\x22\x0a\x20\x20\x20\
\x20\x20\x20\x20\x73\x6f\x64\x69\x70\x6f\x64\x69\x3a\x72\x78\x3d\
\x22\x34\x2e\x30\x37\x31\x38\x34\x32\x32\x22\x0a\x20\x20\x20\x20\
\x20\x20\x20\x73\x6f\x64\x69\x70\x6f\x64\x69\x3a\x72\x79\x3d\x22\
\x33\x2e\x31\x31\x34\x36\x30\x38\x38\x22\x0a\x20\x20\x20\x20\x20\
\x20\x20\x73\x6f\x64\x69\x70\x6f\x64\x69\x3a\x73\x74\x61\x72\x74\
\x3d\x22\x33\x2e\x31\x33\x33\x34\x36\x30\x35\x22\x0a\x20\x20\x20\
\x20\x20\x20\x20\x73\x6f\x64\x69\x70\x6f\x64\x69\x3a\x65\x6e\x64\
\x3d\x22\x33\x2e\x31\x33\x32\x38\x32\x33\x31\x22\x0a\x20\x20\x20\
\x20\x20\x20\x20\x64\x3d\x22\x4d\x20\x34\x2e\x30\x32\x32\x39\x30\
\x32\x37\x2c\x34\x2e\x39\x34\x39\x33\x34\x32\x33\x20\x41\x20\x34\
\x2e\x30\x37\x31\x38\x34\x32\x32\x2c\x33\x2e\x31\x31\x34\x36\x30\
\x38\x38\x20\x30\x20\x30\x20\x31\x20\x38\x2e\x30\x36\x30\x38\x34\
\x38\x39\x2c\x31\x2e\x38\x30\x39\x35\x31\x32\x34\x20\x34\x2e\x30\
\x37\x31\x38\x34\x32\x32\x2c\x33\x2e\x31\x31\x34\x36\x30\x38\x38\
\x20\x30\x20\x30\x20\x31\x20\x31\x32\x2e\x31\x36\x36\x33\x30\x37\
\x2c\x34\x2e\x38\x39\x37\x36\x39\x33\x33\x20\x34\x2e\x30\x37\x31\
\x38\x34\x32\x32\x2c\x33\x2e\x31\x31\x34\x36\x30\x38\x38\x20\x30\
\x20\x30\x20\x31\x20\x38\x2e\x31\x32\x39\x36\x36\x39\x32\x2c\x38\
\x2e\x30\x33\x38\x35\x30\x37\x34\x20\x34\x2e\x30\x37\x31\x38\x34\
\x32\x32\x2c\x33\x2e\x31\x31\x34\x36\x30\x38\x38\x20\x30\x20\x30\
\x20\x31\x20\x34\x2e\x30\x32\x32\x39\x32\x34\x36\x2c\x34\x2e\x39\
\x35\x31\x33\x32\x37\x35\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x73\
\x6f\x64\x69\x70\x6f\x64\x69\x3a\x6f\x70\x65\x6e\x3d\x22\x74\x72\
\x75\x65\x22\x20\x2f\x3e\x0a\x20\x20\x3c\x2f\x67\x3e\x0a\x20\x20\
\x3c\x67\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\
\x3a\x67\x72\x6f\x75\x70\x6d\x6f\x64\x65\x3d\x22\x6c\x61\x79\x65\
\x72\x22\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x6c\x61\x79\x65\
\x72\x32\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\
\x65\x3a\x6c\x61\x62\x65\x6c\x3d\x22\x45\x62\x65\x6e\x65\x20\x32\
\x22\x3e\x0a\x20\x20\x20\x20\x3c\x70\x61\x74\x68\x0a\x20\x20\x20\
\x20\x20\x20\x20\x73\x74\x79\x6c\x65\x3d\x22\x66\x69\x6c\x6c\x3a\
\x23\x66\x66\x66\x66\x66\x66\x3b\x66\x69\x6c\x6c\x2d\x6f\x70\x61\
\x63\x69\x74\x79\x3a\x31\x3b\x73\x74\x72\x6f\x6b\x65\x3a\x6e\x6f\
\x6e\x65\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x77\x69\x64\x74\x68\x3a\
\x31\x2e\x35\x30\x34\x32\x37\x37\x31\x31\x3b\x73\x74\x72\x6f\x6b\
\x65\x2d\x6f\x70\x61\x63\x69\x74\x79\x3a\x31\x22\x0a\x20\x20\x20\
\x20\x20\x20\x20\x69\x64\x3d\x22\x70\x61\x74\x68\x38\x35\x33\x22\
\x0a\x20\x20\x20\x20\x20\x20\x20\x73\x6f\x64\x69\x70\x6f\x64\x69\
\x3a\x74\x79\x70\x65\x3d\x22\x61\x72\x63\x22\x0a\x20\x20\x20\x20\
\x20\x20\x20\x73\x6f\x64\x69\x70\x6f\x64\x69\x3a\x63\x78\x3d\x22\
\x38\x2e\x30\x37\x34\x32\x39\x31\x32\x22\x0a\x20\x20\x20\x20\x20\
\x20\x20\x73\x6f\x64\x69\x70\x6f\x64\x69\x3a\x63\x79\x3d\x22\x38\
\x2e\x38\x34\x33\x35\x38\x32\x32\x22\x0a\x20\x20\x20\x20\x20\x20\
\x20\x73\x6f\x64\x69\x70\x6f\x64\x69\x3a\x72\x78\x3d\x22\x31\x2e\
\x38\x31\x35\x38\x36\x37\x39\x22\x0a\x20\x20\x20\x20\x20\x20\x20\
\x73\x6f\x64\x69\x70\x6f\x64\x69\x3a\x72\x79\x3d\x22\x31\x2e\x37\
\x31\x35\x38\x39\x33\x39\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x73\
\x6f\x64\x69\x70\x6f\x64\x69\x3a\x73\x74\x61\x72\x74\x3d\x22\x33\
\x2e\x31\x34\x31\x35\x39\x32\x37\x22\x0a\x20\x20\x20\x20\x20\x20\
\x20\x73\x6f\x64\x69\x70\x6f\x64\x69\x3a\x65\x6e\x64\x3d\x22\x32\
\x2e\x38\x32\x30\x34\x36\x30\x33\x22\x0a\x20\x20\x20\x20\x20\x20\
\x20\x64\x3d\x22\x4d\x20\x36\x2e\x32\x35\x38\x34\x32\x33\x33\x2c\
\x38\x2e\x38\x34\x33\x35\x38\x32\x31\x20\x41\x20\x31\x2e\x38\x31\
\x35\x38\x36\x37\x39\x2c\x31\x2e\x37\x31\x35\x38\x39\x33\x39\x20\
\x30\x20\x30\x20\x31\x20\x37\x2e\x39\x32\x38\x36\x36\x34\x34\x2c\
\x37\x2e\x31\x33\x33\x32\x31\x35\x31\x20\x31\x2e\x38\x31\x35\x38\
\x36\x37\x39\x2c\x31\x2e\x37\x31\x35\x38\x39\x33\x39\x20\x30\x20\
\x30\x20\x31\x20\x39\x2e\x38\x36\x36\x38\x30\x31\x35\x2c\x38\x2e\
\x35\x36\x39\x32\x35\x20\x31\x2e\x38\x31\x35\x38\x36\x37\x39\x2c\
\x31\x2e\x37\x31\x35\x38\x39\x33\x39\x20\x30\x20\x30\x20\x31\x20\
\x38\x2e\x35\x30\x37\x34\x32\x35\x36\x2c\x31\x30\x2e\x35\x30\x39\
\x39\x34\x38\x20\x31\x2e\x38\x31\x35\x38\x36\x37\x39\x2c\x31\x2e\
\x37\x31\x35\x38\x39\x33\x39\x20\x30\x20\x30\x20\x31\x20\x36\x2e\
\x33\x35\x31\x32\x35\x33\x2c\x39\x2e\x33\x38\x35\x31\x38\x39\x22\
\x0a\x20\x20\x20\x20\x20\x20\x20\x73\x6f\x64\x69\x70\x6f\x64\x69\
\x3a\x6f\x70\x65\x6e\x3d\x22\x74\x72\x75\x65\x22\x20\x2f\x3e\x0a\
\x20\x20\x20\x20\x3c\x72\x65\x63\x74\x0a\x20\x20\x20\x20\x20\x20\
\x20\x73\x74\x79\x6c\x65\x3d\x22\x66\x69\x6c\x6c\x3a\x23\x66\x66\
\x66\x66\x66\x66\x3b\x66\x69\x6c\x6c\x2d\x6f\x70\x61\x63\x69\x74\
\x79\x3a\x31\x3b\x73\x74\x72\x6f\x6b\x65\x3a\x6e\x6f\x6e\x65\x3b\
\x73\x74\x72\x6f\x6b\x65\x2d\x77\x69\x64\x74\x68\x3a\x30\x2e\x37\
\x39\x33\x36\x35\x33\x37\x33\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x6f\
\x70\x61\x63\x69\x74\x79\x3a\x31\x22\x0a\x20\x20\x20\x20\x20\x20\
\x20\x69\x64\x3d\x22\x72\x65\x63\x74\x31\x36\x38\x35\x22\x0a\x20\
\x20\x20\x20\x20\x20\x20\x77\x69\x64\x74\x68\x3d\x22\x31\x2e\x32\
\x34\x38\x38\x33\x35\x34\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x68\
\x65\x69\x67\x68\x74\x3d\x22\x34\x2e\x30\x38\x34\x32\x31\x34\x32\
\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x78\x3d\x22\x37\x2e\x34\x39\
\x31\x34\x36\x32\x32\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x79\x3d\
\x22\x31\x30\x2e\x33\x34\x34\x30\x30\x36\x22\x20\x2f\x3e\x0a\x20\
\x20\x3c\x2f\x67\x3e\x0a\x3c\x2f\x73\x76\x67\x3e\x0a\
\x00\x00\x0a\xe9\
\x3c\
\x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\
\x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x55\x54\x46\
\x2d\x38\x22\x20\x73\x74\x61\x6e\x64\x61\x6c\x6f\x6e\x65\x3d\x22\
\x6e\x6f\x22\x3f\x3e\x0a\x3c\x21\x2d\x2d\x20\x43\x72\x65\x61\x74\
\x65\x64\x20\x77\x69\x74\x68\x20\x49\x6e\x6b\x73\x63\x61\x70\x65\
\x20\x28\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x2e\x6f\x72\x67\x2f\x29\x20\x2d\x2d\x3e\x0a\
\x0a\x3c\x73\x76\x67\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x64\
\x63\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x70\x75\x72\x6c\x2e\x6f\
\x72\x67\x2f\x64\x63\x2f\x65\x6c\x65\x6d\x65\x6e\x74\x73\x2f\x31\
\x2e\x31\x2f\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x63\x63\
\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x63\x72\x65\x61\x74\x69\x76\
\x65\x63\x6f\x6d\x6d\x6f\x6e\x73\x2e\x6f\x72\x67\x2f\x6e\x73\x23\
\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x72\x64\x66\x3d\x22\
\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\
\x67\x2f\x31\x39\x39\x39\x2f\x30\x32\x2f\x32\x32\x2d\x72\x64\x66\
\x2d\x73\x79\x6e\x74\x61\x78\x2d\x6e\x73\x23\x22\x0a\x20\x20\x20\
\x78\x6d\x6c\x6e\x73\x3a\x73\x76\x67\x3d\x22\x68\x74\x74\x70\x3a\
\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x32\x30\x30\
\x30\x2f\x73\x76\x67\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3d\
\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\
\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x0a\x20\x20\x20\
\x78\x6d\x6c\x6e\x73\x3a\x73\x6f\x64\x69\x70\x6f\x64\x69\x3d\x22\
\x68\x74\x74\x70\x3a\x2f\x2f\x73\x6f\x64\x69\x70\x6f\x64\x69\x2e\
\x73\x6f\x75\x72\x63\x65\x66\x6f\x72\x67\x65\x2e\x6e\x65\x74\x2f\
\x44\x54\x44\x2f\x73\x6f\x64\x69\x70\x6f\x64\x69\x2d\x30\x2e\x64\
\x74\x64\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\
\x77\x2e\x69\x6e\x6b\x73\x63\x61\x70\x65\x2e\x6f\x72\x67\x2f\x6e\
\x61\x6d\x65\x73\x70\x61\x63\x65\x73\x2f\x69\x6e\x6b\x73\x63\x61\
\x70\x65\x22\x0a\x20\x20\x20\x77\x69\x64\x74\x68\x3d\x22\x33\x32\
\x70\x78\x22\x0a\x20\x20\x20\x68\x65\x69\x67\x68\x74\x3d\x22\x33\
\x32\x70\x78\x22\x0a\x20\x20\x20\x76\x69\x65\x77\x42\x6f\x78\x3d\
\x22\x30\x20\x30\x20\x33\x32\x20\x33\x32\x22\x0a\x20\x20\x20\x76\
\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x0a\x20\x20\x20\
\x69\x64\x3d\x22\x53\x56\x47\x52\x6f\x6f\x74\x22\x0a\x20\x20\x20\
\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x76\x65\x72\x73\x69\x6f\x6e\
\x3d\x22\x30\x2e\x39\x32\x2e\x31\x20\x72\x22\x0a\x20\x20\x20\x73\
\x6f\x64\x69\x70\x6f\x64\x69\x3a\x64\x6f\x63\x6e\x61\x6d\x65\x3d\
\x22\x65\x71\x75\x61\x6c\x73\x2e\x73\x76\x67\x22\x3e\x0a\x20\x20\
\x3c\x73\x6f\x64\x69\x70\x6f\x64\x69\x3a\x6e\x61\x6d\x65\x64\x76\
\x69\x65\x77\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x62\x61\x73\
\x65\x22\x0a\x20\x20\x20\x20\x20\x70\x61\x67\x65\x63\x6f\x6c\x6f\
\x72\x3d\x22\x23\x66\x66\x66\x66\x66\x66\x22\x0a\x20\x20\x20\x20\
\x20\x62\x6f\x72\x64\x65\x72\x63\x6f\x6c\x6f\x72\x3d\x22\x23\x36\
\x36\x36\x36\x36\x36\x22\x0a\x20\x20\x20\x20\x20\x62\x6f\x72\x64\
\x65\x72\x6f\x70\x61\x63\x69\x74\x79\x3d\x22\x31\x2e\x30\x22\x0a\
\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x70\x61\
\x67\x65\x6f\x70\x61\x63\x69\x74\x79\x3d\x22\x30\x2e\x30\x22\x0a\
\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x70\x61\
\x67\x65\x73\x68\x61\x64\x6f\x77\x3d\x22\x32\x22\x0a\x20\x20\x20\
\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x7a\x6f\x6f\x6d\x3d\
\x22\x31\x36\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\
\x70\x65\x3a\x63\x78\x3d\x22\x2d\x37\x2e\x38\x33\x34\x30\x30\x32\
\x33\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\
\x3a\x63\x79\x3d\x22\x39\x2e\x38\x31\x32\x35\x22\x0a\x20\x20\x20\
\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x64\x6f\x63\x75\x6d\
\x65\x6e\x74\x2d\x75\x6e\x69\x74\x73\x3d\x22\x70\x78\x22\x0a\x20\
\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x63\x75\x72\
\x72\x65\x6e\x74\x2d\x6c\x61\x79\x65\x72\x3d\x22\x6c\x61\x79\x65\
\x72\x31\x22\x0a\x20\x20\x20\x20\x20\x73\x68\x6f\x77\x67\x72\x69\
\x64\x3d\x22\x66\x61\x6c\x73\x65\x22\x0a\x20\x20\x20\x20\x20\x69\
\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x77\
\x69\x64\x74\x68\x3d\x22\x31\x39\x32\x30\x22\x0a\x20\x20\x20\x20\
\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\
\x2d\x68\x65\x69\x67\x68\x74\x3d\x22\x31\x31\x34\x31\x22\x0a\x20\
\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\
\x64\x6f\x77\x2d\x78\x3d\x22\x30\x22\x0a\x20\x20\x20\x20\x20\x69\
\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x79\
\x3d\x22\x30\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\
\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x6d\x61\x78\x69\x6d\x69\
\x7a\x65\x64\x3d\x22\x31\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x3a\x67\x72\x69\x64\x2d\x62\x62\x6f\x78\x3d\
\x22\x74\x72\x75\x65\x22\x20\x2f\x3e\x0a\x20\x20\x3c\x64\x65\x66\
\x73\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x64\x65\x66\x73\x34\
\x34\x38\x35\x22\x20\x2f\x3e\x0a\x20\x20\x3c\x6d\x65\x74\x61\x64\
\x61\x74\x61\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x6d\x65\x74\
\x61\x64\x61\x74\x61\x34\x34\x38\x38\x22\x3e\x0a\x20\x20\x20\x20\
\x3c\x72\x64\x66\x3a\x52\x44\x46\x3e\x0a\x20\x20\x20\x20\x20\x20\
\x3c\x63\x63\x3a\x57\x6f\x72\x6b\x0a\x20\x20\x20\x20\x20\x20\x20\
\x20\x20\x72\x64\x66\x3a\x61\x62\x6f\x75\x74\x3d\x22\x22\x3e\x0a\
\x20\x20\x20\x20\x20\x20\x20\x20\x3c\x64\x63\x3a\x66\x6f\x72\x6d\
\x61\x74\x3e\x69\x6d\x61\x67\x65\x2f\x73\x76\x67\x2b\x78\x6d\x6c\
\x3c\x2f\x64\x63\x3a\x66\x6f\x72\x6d\x61\x74\x3e\x0a\x20\x20\x20\
\x20\x20\x20\x20\x20\x3c\x64\x63\x3a\x74\x79\x70\x65\x0a\x20\x20\
\x20\x20\x20\x20\x20\x20\x20\x20\x20\x72\x64\x66\x3a\x72\x65\x73\
\x6f\x75\x72\x63\x65\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x70\x75\
\x72\x6c\x2e\x6f\x72\x67\x2f\x64\x63\x2f\x64\x63\x6d\x69\x74\x79\
\x70\x65\x2f\x53\x74\x69\x6c\x6c\x49\x6d\x61\x67\x65\x22\x20\x2f\
\x3e\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x3c\x64\x63\x3a\x74\x69\
\x74\x6c\x65\x20\x2f\x3e\x0a\x20\x20\x20\x20\x20\x20\x3c\x2f\x63\
\x63\x3a\x57\x6f\x72\x6b\x3e\x0a\x20\x20\x20\x20\x3c\x2f\x72\x64\
\x66\x3a\x52\x44\x46\x3e\x0a\x20\x20\x3c\x2f\x6d\x65\x74\x61\x64\
\x61\x74\x61\x3e\x0a\x20\x20\x3c\x67\x0a\x20\x20\x20\x20\x20\x69\
\x64\x3d\x22\x6c\x61\x79\x65\x72\x31\x22\x0a\x20\x20\x20\x20\x20\
\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x67\x72\x6f\x75\x70\x6d\x6f\
\x64\x65\x3d\x22\x6c\x61\x79\x65\x72\x22\x0a\x20\x20\x20\x20\x20\
\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x6c\x61\x62\x65\x6c\x3d\x22\
\x45\x62\x65\x6e\x65\x20\x31\x22\x3e\x0a\x20\x20\x20\x20\x3c\x74\
\x65\x78\x74\x0a\x20\x20\x20\x20\x20\x20\x20\x78\x6d\x6c\x3a\x73\
\x70\x61\x63\x65\x3d\x22\x70\x72\x65\x73\x65\x72\x76\x65\x22\x0a\
\x20\x20\x20\x20\x20\x20\x20\x73\x74\x79\x6c\x65\x3d\x22\x66\x6f\
\x6e\x74\x2d\x73\x74\x79\x6c\x65\x3a\x6e\x6f\x72\x6d\x61\x6c\x3b\
\x66\x6f\x6e\x74\x2d\x76\x61\x72\x69\x61\x6e\x74\x3a\x6e\x6f\x72\
\x6d\x61\x6c\x3b\x66\x6f\x6e\x74\x2d\x77\x65\x69\x67\x68\x74\x3a\
\x6e\x6f\x72\x6d\x61\x6c\x3b\x66\x6f\x6e\x74\x2d\x73\x74\x72\x65\
\x74\x63\x68\x3a\x6e\x6f\x72\x6d\x61\x6c\x3b\x66\x6f\x6e\x74\x2d\
\x73\x69\x7a\x65\x3a\x38\x70\x78\x3b\x6c\x69\x6e\x65\x2d\x68\x65\
\x69\x67\x68\x74\x3a\x31\x2e\x32\x35\x3b\x66\x6f\x6e\x74\x2d\x66\
\x61\x6d\x69\x6c\x79\x3a\x27\x53\x6f\x75\x72\x63\x65\x20\x43\x6f\
\x64\x65\x20\x50\x72\x6f\x27\x3b\x2d\x69\x6e\x6b\x73\x63\x61\x70\
\x65\x2d\x66\x6f\x6e\x74\x2d\x73\x70\x65\x63\x69\x66\x69\x63\x61\
\x74\x69\x6f\x6e\x3a\x27\x53\x6f\x75\x72\x63\x65\x20\x43\x6f\x64\
\x65\x20\x50\x72\x6f\x27\x3b\x6c\x65\x74\x74\x65\x72\x2d\x73\x70\
\x61\x63\x69\x6e\x67\x3a\x30\x70\x78\x3b\x77\x6f\x72\x64\x2d\x73\
\x70\x61\x63\x69\x6e\x67\x3a\x30\x70\x78\x3b\x66\x69\x6c\x6c\x3a\
\x23\x30\x30\x30\x30\x30\x30\x3b\x66\x69\x6c\x6c\x2d\x6f\x70\x61\
\x63\x69\x74\x79\x3a\x31\x3b\x73\x74\x72\x6f\x6b\x65\x3a\x6e\x6f\
\x6e\x65\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x78\x3d\x22\x38\x2e\
\x33\x37\x35\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x79\x3d\x22\x37\
\x2e\x38\x37\x35\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x69\x64\x3d\
\x22\x74\x65\x78\x74\x35\x30\x39\x31\x22\x3e\x3c\x74\x73\x70\x61\
\x6e\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x73\x6f\x64\x69\x70\
\x6f\x64\x69\x3a\x72\x6f\x6c\x65\x3d\x22\x6c\x69\x6e\x65\x22\x0a\
\x20\x20\x20\x20\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x74\x73\x70\
\x61\x6e\x35\x30\x38\x39\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\
\x20\x78\x3d\x22\x38\x2e\x33\x37\x35\x22\x0a\x20\x20\x20\x20\x20\
\x20\x20\x20\x20\x79\x3d\x22\x31\x34\x2e\x38\x37\x35\x22\x20\x2f\
\x3e\x3c\x2f\x74\x65\x78\x74\x3e\x0a\x20\x20\x20\x20\x3c\x67\x0a\
\x20\x20\x20\x20\x20\x20\x20\x74\x72\x61\x6e\x73\x66\x6f\x72\x6d\
\x3d\x22\x74\x72\x61\x6e\x73\x6c\x61\x74\x65\x28\x2d\x32\x2e\x38\
\x30\x34\x36\x38\x37\x36\x2c\x2d\x30\x2e\x30\x35\x32\x37\x33\x34\
\x33\x29\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x61\x72\x69\x61\x2d\
\x6c\x61\x62\x65\x6c\x3d\x22\x20\xe2\x89\x9f\x22\x0a\x20\x20\x20\
\x20\x20\x20\x20\x73\x74\x79\x6c\x65\x3d\x22\x66\x6f\x6e\x74\x2d\
\x73\x74\x79\x6c\x65\x3a\x6e\x6f\x72\x6d\x61\x6c\x3b\x66\x6f\x6e\
\x74\x2d\x76\x61\x72\x69\x61\x6e\x74\x3a\x6e\x6f\x72\x6d\x61\x6c\
\x3b\x66\x6f\x6e\x74\x2d\x77\x65\x69\x67\x68\x74\x3a\x39\x30\x30\
\x3b\x66\x6f\x6e\x74\x2d\x73\x74\x72\x65\x74\x63\x68\x3a\x6e\x6f\
\x72\x6d\x61\x6c\x3b\x66\x6f\x6e\x74\x2d\x73\x69\x7a\x65\x3a\x34\
\x30\x70\x78\x3b\x6c\x69\x6e\x65\x2d\x68\x65\x69\x67\x68\x74\x3a\
\x31\x2e\x32\x35\x3b\x66\x6f\x6e\x74\x2d\x66\x61\x6d\x69\x6c\x79\
\x3a\x27\x53\x6f\x75\x72\x63\x65\x20\x43\x6f\x64\x65\x20\x50\x72\
\x6f\x27\x3b\x2d\x69\x6e\x6b\x73\x63\x61\x70\x65\x2d\x66\x6f\x6e\
\x74\x2d\x73\x70\x65\x63\x69\x66\x69\x63\x61\x74\x69\x6f\x6e\x3a\
\x27\x53\x6f\x75\x72\x63\x65\x20\x43\x6f\x64\x65\x20\x50\x72\x6f\
\x20\x48\x65\x61\x76\x79\x27\x3b\x6c\x65\x74\x74\x65\x72\x2d\x73\
\x70\x61\x63\x69\x6e\x67\x3a\x30\x70\x78\x3b\x77\x6f\x72\x64\x2d\
\x73\x70\x61\x63\x69\x6e\x67\x3a\x30\x70\x78\x3b\x66\x69\x6c\x6c\
\x3a\x23\x30\x30\x35\x35\x64\x34\x3b\x66\x69\x6c\x6c\x2d\x6f\x70\
\x61\x63\x69\x74\x79\x3a\x31\x3b\x73\x74\x72\x6f\x6b\x65\x3a\x6e\
\x6f\x6e\x65\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x69\x64\x3d\x22\
\x74\x65\x78\x74\x35\x30\x34\x36\x22\x20\x2f\x3e\x0a\x20\x20\x20\
\x20\x3c\x70\x61\x74\x68\x0a\x20\x20\x20\x20\x20\x20\x20\x69\x64\
\x3d\x22\x70\x61\x74\x68\x35\x36\x38\x37\x22\x0a\x20\x20\x20\x20\
\x20\x20\x20\x73\x74\x79\x6c\x65\x3d\x22\x66\x69\x6c\x6c\x3a\x23\
\x30\x30\x35\x35\x64\x34\x3b\x66\x69\x6c\x6c\x2d\x6f\x70\x61\x63\
\x69\x74\x79\x3a\x31\x3b\x73\x74\x72\x6f\x6b\x65\x3a\x6e\x6f\x6e\
\x65\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x77\x69\x64\x74\x68\x3a\x30\
\x2e\x39\x34\x34\x38\x38\x31\x39\x32\x3b\x73\x74\x72\x6f\x6b\x65\
\x2d\x6d\x69\x74\x65\x72\x6c\x69\x6d\x69\x74\x3a\x34\x3b\x73\x74\
\x72\x6f\x6b\x65\x2d\x64\x61\x73\x68\x61\x72\x72\x61\x79\x3a\x6e\
\x6f\x6e\x65\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x6f\x70\x61\x63\x69\
\x74\x79\x3a\x31\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x64\x3d\x22\
\x4d\x20\x33\x2e\x31\x30\x35\x34\x36\x38\x37\x2c\x31\x38\x2e\x31\
\x31\x39\x31\x34\x31\x20\x48\x20\x32\x38\x2e\x31\x34\x34\x35\x33\
\x31\x20\x76\x20\x34\x2e\x36\x32\x38\x39\x30\x36\x20\x48\x20\x33\
\x2e\x31\x30\x35\x34\x36\x38\x37\x20\x5a\x20\x6d\x20\x30\x2c\x2d\
\x38\x2e\x38\x38\x36\x37\x31\x39\x20\x48\x20\x32\x38\x2e\x31\x34\
\x34\x35\x33\x31\x20\x76\x20\x34\x2e\x35\x38\x39\x38\x34\x34\x20\
\x48\x20\x33\x2e\x31\x30\x35\x34\x36\x38\x37\x20\x5a\x22\x0a\x20\
\x20\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x63\
\x6f\x6e\x6e\x65\x63\x74\x6f\x72\x2d\x63\x75\x72\x76\x61\x74\x75\
\x72\x65\x3d\x22\x30\x22\x20\x2f\x3e\x0a\x20\x20\x3c\x2f\x67\x3e\
\x0a\x3c\x2f\x73\x76\x67\x3e\x0a\
\x00\x00\x16\x45\
\x3c\
\x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\
\x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x55\x54\x46\
\x2d\x38\x22\x20\x73\x74\x61\x6e\x64\x61\x6c\x6f\x6e\x65\x3d\x22\
\x6e\x6f\x22\x3f\x3e\x0a\x3c\x21\x2d\x2d\x20\x43\x72\x65\x61\x74\
\x65\x64\x20\x77\x69\x74\x68\x20\x49\x6e\x6b\x73\x63\x61\x70\x65\
\x20\x28\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x2e\x6f\x72\x67\x2f\x29\x20\x2d\x2d\x3e\x0a\
\x0a\x3c\x73\x76\x67\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x6f\
\x73\x62\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x6f\
\x70\x65\x6e\x73\x77\x61\x74\x63\x68\x62\x6f\x6f\x6b\x2e\x6f\x72\
\x67\x2f\x75\x72\x69\x2f\x32\x30\x30\x39\x2f\x6f\x73\x62\x22\x0a\
\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x64\x63\x3d\x22\x68\x74\x74\
\x70\x3a\x2f\x2f\x70\x75\x72\x6c\x2e\x6f\x72\x67\x2f\x64\x63\x2f\
\x65\x6c\x65\x6d\x65\x6e\x74\x73\x2f\x31\x2e\x31\x2f\x22\x0a\x20\
\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x63\x63\x3d\x22\x68\x74\x74\x70\
\x3a\x2f\x2f\x63\x72\x65\x61\x74\x69\x76\x65\x63\x6f\x6d\x6d\x6f\
\x6e\x73\x2e\x6f\x72\x67\x2f\x6e\x73\x23\x22\x0a\x20\x20\x20\x78\
\x6d\x6c\x6e\x73\x3a\x72\x64\x66\x3d\x22\x68\x74\x74\x70\x3a\x2f\
\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\x39\
\x2f\x30\x32\x2f\x32\x32\x2d\x72\x64\x66\x2d\x73\x79\x6e\x74\x61\
\x78\x2d\x6e\x73\x23\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\
\x73\x76\x67\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\
\x77\x33\x2e\x6f\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\
\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3d\x22\x68\x74\x74\x70\x3a\
\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x32\x30\x30\
\x30\x2f\x73\x76\x67\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\
\x73\x6f\x64\x69\x70\x6f\x64\x69\x3d\x22\x68\x74\x74\x70\x3a\x2f\
\x2f\x73\x6f\x64\x69\x70\x6f\x64\x69\x2e\x73\x6f\x75\x72\x63\x65\
\x66\x6f\x72\x67\x65\x2e\x6e\x65\x74\x2f\x44\x54\x44\x2f\x73\x6f\
\x64\x69\x70\x6f\x64\x69\x2d\x30\x2e\x64\x74\x64\x22\x0a\x20\x20\
\x20\x78\x6d\x6c\x6e\x73\x3a\x69\x6e\x6b\x73\x63\x61\x70\x65\x3d\
\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x69\x6e\x6b\x73\
\x63\x61\x70\x65\x2e\x6f\x72\x67\x2f\x6e\x61\x6d\x65\x73\x70\x61\
\x63\x65\x73\x2f\x69\x6e\x6b\x73\x63\x61\x70\x65\x22\x0a\x20\x20\
\x20\x77\x69\x64\x74\x68\x3d\x22\x31\x36\x70\x78\x22\x0a\x20\x20\
\x20\x68\x65\x69\x67\x68\x74\x3d\x22\x31\x36\x70\x78\x22\x0a\x20\
\x20\x20\x76\x69\x65\x77\x42\x6f\x78\x3d\x22\x30\x20\x30\x20\x31\
\x36\x20\x31\x36\x22\x0a\x20\x20\x20\x76\x65\x72\x73\x69\x6f\x6e\
\x3d\x22\x31\x2e\x31\x22\x0a\x20\x20\x20\x69\x64\x3d\x22\x53\x56\
\x47\x52\x6f\x6f\x74\x22\x0a\x20\x20\x20\x73\x6f\x64\x69\x70\x6f\
\x64\x69\x3a\x64\x6f\x63\x6e\x61\x6d\x65\x3d\x22\x73\x6e\x69\x66\
\x66\x65\x72\x2e\x73\x76\x67\x22\x0a\x20\x20\x20\x69\x6e\x6b\x73\
\x63\x61\x70\x65\x3a\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x30\x2e\
\x39\x32\x2e\x31\x20\x72\x22\x3e\x0a\x20\x20\x3c\x73\x6f\x64\x69\
\x70\x6f\x64\x69\x3a\x6e\x61\x6d\x65\x64\x76\x69\x65\x77\x0a\x20\
\x20\x20\x20\x20\x69\x64\x3d\x22\x62\x61\x73\x65\x22\x0a\x20\x20\
\x20\x20\x20\x70\x61\x67\x65\x63\x6f\x6c\x6f\x72\x3d\x22\x23\x66\
\x66\x66\x66\x66\x66\x22\x0a\x20\x20\x20\x20\x20\x62\x6f\x72\x64\
\x65\x72\x63\x6f\x6c\x6f\x72\x3d\x22\x23\x36\x36\x36\x36\x36\x36\
\x22\x0a\x20\x20\x20\x20\x20\x62\x6f\x72\x64\x65\x72\x6f\x70\x61\
\x63\x69\x74\x79\x3d\x22\x31\x2e\x30\x22\x0a\x20\x20\x20\x20\x20\
\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x70\x61\x67\x65\x6f\x70\x61\
\x63\x69\x74\x79\x3d\x22\x30\x2e\x30\x22\x0a\x20\x20\x20\x20\x20\
\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x70\x61\x67\x65\x73\x68\x61\
\x64\x6f\x77\x3d\x22\x32\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x3a\x7a\x6f\x6f\x6d\x3d\x22\x33\x32\x22\x0a\
\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x63\x78\
\x3d\x22\x32\x2e\x37\x38\x34\x38\x34\x36\x39\x22\x0a\x20\x20\x20\
\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x63\x79\x3d\x22\x39\
\x2e\x35\x37\x33\x34\x36\x34\x39\x22\x0a\x20\x20\x20\x20\x20\x69\
\x6e\x6b\x73\x63\x61\x70\x65\x3a\x64\x6f\x63\x75\x6d\x65\x6e\x74\
\x2d\x75\x6e\x69\x74\x73\x3d\x22\x70\x78\x22\x0a\x20\x20\x20\x20\
\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x63\x75\x72\x72\x65\x6e\
\x74\x2d\x6c\x61\x79\x65\x72\x3d\x22\x6c\x61\x79\x65\x72\x31\x22\
\x0a\x20\x20\x20\x20\x20\x73\x68\x6f\x77\x67\x72\x69\x64\x3d\x22\
\x66\x61\x6c\x73\x65\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\
\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x77\x69\x64\x74\
\x68\x3d\x22\x31\x39\x32\x30\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\
\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x68\x65\
\x69\x67\x68\x74\x3d\x22\x31\x31\x34\x31\x22\x0a\x20\x20\x20\x20\
\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\
\x2d\x78\x3d\x22\x30\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\
\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x79\x3d\x22\x30\
\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\
\x77\x69\x6e\x64\x6f\x77\x2d\x6d\x61\x78\x69\x6d\x69\x7a\x65\x64\
\x3d\x22\x31\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\
\x70\x65\x3a\x67\x72\x69\x64\x2d\x62\x62\x6f\x78\x3d\x22\x74\x72\
\x75\x65\x22\x20\x2f\x3e\x0a\x20\x20\x3c\x64\x65\x66\x73\x0a\x20\
\x20\x20\x20\x20\x69\x64\x3d\x22\x64\x65\x66\x73\x35\x30\x33\x36\
\x22\x3e\x0a\x20\x20\x20\x20\x3c\x6c\x69\x6e\x65\x61\x72\x47\x72\
\x61\x64\x69\x65\x6e\x74\x0a\x20\x20\x20\x20\x20\x20\x20\x69\x64\
\x3d\x22\x6c\x69\x6e\x65\x61\x72\x47\x72\x61\x64\x69\x65\x6e\x74\
\x37\x30\x37\x39\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x6f\x73\x62\
\x3a\x70\x61\x69\x6e\x74\x3d\x22\x73\x6f\x6c\x69\x64\x22\x3e\x0a\
\x20\x20\x20\x20\x20\x20\x3c\x73\x74\x6f\x70\x0a\x20\x20\x20\x20\
\x20\x20\x20\x20\x20\x73\x74\x79\x6c\x65\x3d\x22\x73\x74\x6f\x70\
\x2d\x63\x6f\x6c\x6f\x72\x3a\x23\x61\x61\x63\x63\x66\x66\x3b\x73\
\x74\x6f\x70\x2d\x6f\x70\x61\x63\x69\x74\x79\x3a\x31\x3b\x22\x0a\
\x20\x20\x20\x20\x20\x20\x20\x20\x20\x6f\x66\x66\x73\x65\x74\x3d\
\x22\x30\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x69\x64\x3d\
\x22\x73\x74\x6f\x70\x37\x30\x37\x37\x22\x20\x2f\x3e\x0a\x20\x20\
\x20\x20\x3c\x2f\x6c\x69\x6e\x65\x61\x72\x47\x72\x61\x64\x69\x65\
\x6e\x74\x3e\x0a\x20\x20\x20\x20\x3c\x66\x69\x6c\x74\x65\x72\x0a\
\x20\x20\x20\x20\x20\x20\x20\x73\x74\x79\x6c\x65\x3d\x22\x63\x6f\
\x6c\x6f\x72\x2d\x69\x6e\x74\x65\x72\x70\x6f\x6c\x61\x74\x69\x6f\
\x6e\x2d\x66\x69\x6c\x74\x65\x72\x73\x3a\x73\x52\x47\x42\x3b\x22\
\x0a\x20\x20\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\
\x3a\x6c\x61\x62\x65\x6c\x3d\x22\x44\x72\x6f\x70\x20\x53\x68\x61\
\x64\x6f\x77\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x69\x64\x3d\x22\
\x66\x69\x6c\x74\x65\x72\x39\x31\x34\x22\x3e\x0a\x20\x20\x20\x20\
\x20\x20\x3c\x66\x65\x46\x6c\x6f\x6f\x64\x0a\x20\x20\x20\x20\x20\
\x20\x20\x20\x20\x66\x6c\x6f\x6f\x64\x2d\x6f\x70\x61\x63\x69\x74\
\x79\x3d\x22\x30\x2e\x34\x39\x38\x30\x33\x39\x22\x0a\x20\x20\x20\
\x20\x20\x20\x20\x20\x20\x66\x6c\x6f\x6f\x64\x2d\x63\x6f\x6c\x6f\
\x72\x3d\x22\x72\x67\x62\x28\x30\x2c\x30\x2c\x30\x29\x22\x0a\x20\
\x20\x20\x20\x20\x20\x20\x20\x20\x72\x65\x73\x75\x6c\x74\x3d\x22\
\x66\x6c\x6f\x6f\x64\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\
\x69\x64\x3d\x22\x66\x65\x46\x6c\x6f\x6f\x64\x39\x30\x34\x22\x20\
\x2f\x3e\x0a\x20\x20\x20\x20\x20\x20\x3c\x66\x65\x43\x6f\x6d\x70\
\x6f\x73\x69\x74\x65\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x69\
\x6e\x3d\x22\x66\x6c\x6f\x6f\x64\x22\x0a\x20\x20\x20\x20\x20\x20\
\x20\x20\x20\x69\x6e\x32\x3d\x22\x53\x6f\x75\x72\x63\x65\x47\x72\
\x61\x70\x68\x69\x63\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\
\x6f\x70\x65\x72\x61\x74\x6f\x72\x3d\x22\x69\x6e\x22\x0a\x20\x20\
\x20\x20\x20\x20\x20\x20\x20\x72\x65\x73\x75\x6c\x74\x3d\x22\x63\
\x6f\x6d\x70\x6f\x73\x69\x74\x65\x31\x22\x0a\x20\x20\x20\x20\x20\
\x20\x20\x20\x20\x69\x64\x3d\x22\x66\x65\x43\x6f\x6d\x70\x6f\x73\
\x69\x74\x65\x39\x30\x36\x22\x20\x2f\x3e\x0a\x20\x20\x20\x20\x20\
\x20\x3c\x66\x65\x47\x61\x75\x73\x73\x69\x61\x6e\x42\x6c\x75\x72\
\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x69\x6e\x3d\x22\x63\x6f\
\x6d\x70\x6f\x73\x69\x74\x65\x31\x22\x0a\x20\x20\x20\x20\x20\x20\
\x20\x20\x20\x73\x74\x64\x44\x65\x76\x69\x61\x74\x69\x6f\x6e\x3d\
\x22\x30\x2e\x35\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x72\
\x65\x73\x75\x6c\x74\x3d\x22\x62\x6c\x75\x72\x22\x0a\x20\x20\x20\
\x20\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x66\x65\x47\x61\x75\x73\
\x73\x69\x61\x6e\x42\x6c\x75\x72\x39\x30\x38\x22\x20\x2f\x3e\x0a\
\x20\x20\x20\x20\x20\x20\x3c\x66\x65\x4f\x66\x66\x73\x65\x74\x0a\
\x20\x20\x20\x20\x20\x20\x20\x20\x20\x64\x78\x3d\x22\x30\x2e\x31\
\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x64\x79\x3d\x22\x30\
\x2e\x31\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x72\x65\x73\
\x75\x6c\x74\x3d\x22\x6f\x66\x66\x73\x65\x74\x22\x0a\x20\x20\x20\
\x20\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x66\x65\x4f\x66\x66\x73\
\x65\x74\x39\x31\x30\x22\x20\x2f\x3e\x0a\x20\x20\x20\x20\x20\x20\
\x3c\x66\x65\x43\x6f\x6d\x70\x6f\x73\x69\x74\x65\x0a\x20\x20\x20\
\x20\x20\x20\x20\x20\x20\x69\x6e\x3d\x22\x53\x6f\x75\x72\x63\x65\
\x47\x72\x61\x70\x68\x69\x63\x22\x0a\x20\x20\x20\x20\x20\x20\x20\
\x20\x20\x69\x6e\x32\x3d\x22\x6f\x66\x66\x73\x65\x74\x22\x0a\x20\
\x20\x20\x20\x20\x20\x20\x20\x20\x6f\x70\x65\x72\x61\x74\x6f\x72\
\x3d\x22\x6f\x76\x65\x72\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\
\x20\x72\x65\x73\x75\x6c\x74\x3d\x22\x63\x6f\x6d\x70\x6f\x73\x69\
\x74\x65\x32\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x69\x64\
\x3d\x22\x66\x65\x43\x6f\x6d\x70\x6f\x73\x69\x74\x65\x39\x31\x32\
\x22\x20\x2f\x3e\x0a\x20\x20\x20\x20\x3c\x2f\x66\x69\x6c\x74\x65\
\x72\x3e\x0a\x20\x20\x20\x20\x3c\x66\x69\x6c\x74\x65\x72\x0a\x20\
\x20\x20\x20\x20\x20\x20\x73\x74\x79\x6c\x65\x3d\x22\x63\x6f\x6c\
\x6f\x72\x2d\x69\x6e\x74\x65\x72\x70\x6f\x6c\x61\x74\x69\x6f\x6e\
\x2d\x66\x69\x6c\x74\x65\x72\x73\x3a\x73\x52\x47\x42\x3b\x22\x0a\
\x20\x20\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\
\x6c\x61\x62\x65\x6c\x3d\x22\x44\x72\x6f\x70\x20\x53\x68\x61\x64\
\x6f\x77\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x66\
\x69\x6c\x74\x65\x72\x39\x33\x38\x22\x3e\x0a\x20\x20\x20\x20\x20\
\x20\x3c\x66\x65\x46\x6c\x6f\x6f\x64\x0a\x20\x20\x20\x20\x20\x20\
\x20\x20\x20\x66\x6c\x6f\x6f\x64\x2d\x6f\x70\x61\x63\x69\x74\x79\
\x3d\x22\x30\x2e\x34\x39\x38\x30\x33\x39\x22\x0a\x20\x20\x20\x20\
\x20\x20\x20\x20\x20\x66\x6c\x6f\x6f\x64\x2d\x63\x6f\x6c\x6f\x72\
\x3d\x22\x72\x67\x62\x28\x30\x2c\x30\x2c\x30\x29\x22\x0a\x20\x20\
\x20\x20\x20\x20\x20\x20\x20\x72\x65\x73\x75\x6c\x74\x3d\x22\x66\
\x6c\x6f\x6f\x64\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x69\
\x64\x3d\x22\x66\x65\x46\x6c\x6f\x6f\x64\x39\x32\x38\x22\x20\x2f\
\x3e\x0a\x20\x20\x20\x20\x20\x20\x3c\x66\x65\x43\x6f\x6d\x70\x6f\
\x73\x69\x74\x65\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x69\x6e\
\x3d\x22\x66\x6c\x6f\x6f\x64\x22\x0a\x20\x20\x20\x20\x20\x20\x20\
\x20\x20\x69\x6e\x32\x3d\x22\x53\x6f\x75\x72\x63\x65\x47\x72\x61\
\x70\x68\x69\x63\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x6f\
\x70\x65\x72\x61\x74\x6f\x72\x3d\x22\x69\x6e\x22\x0a\x20\x20\x20\
\x20\x20\x20\x20\x20\x20\x72\x65\x73\x75\x6c\x74\x3d\x22\x63\x6f\
\x6d\x70\x6f\x73\x69\x74\x65\x31\x22\x0a\x20\x20\x20\x20\x20\x20\
\x20\x20\x20\x69\x64\x3d\x22\x66\x65\x43\x6f\x6d\x70\x6f\x73\x69\
\x74\x65\x39\x33\x30\x22\x20\x2f\x3e\x0a\x20\x20\x20\x20\x20\x20\
\x3c\x66\x65\x47\x61\x75\x73\x73\x69\x61\x6e\x42\x6c\x75\x72\x0a\
\x20\x20\x20\x20\x20\x20\x20\x20\x20\x69\x6e\x3d\x22\x63\x6f\x6d\
\x70\x6f\x73\x69\x74\x65\x31\x22\x0a\x20\x20\x20\x20\x20\x20\x20\
\x20\x20\x73\x74\x64\x44\x65\x76\x69\x61\x74\x69\x6f\x6e\x3d\x22\
\x30\x2e\x35\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x72\x65\
\x73\x75\x6c\x74\x3d\x22\x62\x6c\x75\x72\x22\x0a\x20\x20\x20\x20\
\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x66\x65\x47\x61\x75\x73\x73\
\x69\x61\x6e\x42\x6c\x75\x72\x39\x33\x32\x22\x20\x2f\x3e\x0a\x20\
\x20\x20\x20\x20\x20\x3c\x66\x65\x4f\x66\x66\x73\x65\x74\x0a\x20\
\x20\x20\x20\x20\x20\x20\x20\x20\x64\x78\x3d\x22\x30\x2e\x31\x22\
\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x64\x79\x3d\x22\x30\x2e\
\x31\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x72\x65\x73\x75\
\x6c\x74\x3d\x22\x6f\x66\x66\x73\x65\x74\x22\x0a\x20\x20\x20\x20\
\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x66\x65\x4f\x66\x66\x73\x65\
\x74\x39\x33\x34\x22\x20\x2f\x3e\x0a\x20\x20\x20\x20\x20\x20\x3c\
\x66\x65\x43\x6f\x6d\x70\x6f\x73\x69\x74\x65\x0a\x20\x20\x20\x20\
\x20\x20\x20\x20\x20\x69\x6e\x3d\x22\x53\x6f\x75\x72\x63\x65\x47\
\x72\x61\x70\x68\x69\x63\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\
\x20\x69\x6e\x32\x3d\x22\x6f\x66\x66\x73\x65\x74\x22\x0a\x20\x20\
\x20\x20\x20\x20\x20\x20\x20\x6f\x70\x65\x72\x61\x74\x6f\x72\x3d\
\x22\x6f\x76\x65\x72\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\
\x72\x65\x73\x75\x6c\x74\x3d\x22\x63\x6f\x6d\x70\x6f\x73\x69\x74\
\x65\x32\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x69\x64\x3d\
\x22\x66\x65\x43\x6f\x6d\x70\x6f\x73\x69\x74\x65\x39\x33\x36\x22\
\x20\x2f\x3e\x0a\x20\x20\x20\x20\x3c\x2f\x66\x69\x6c\x74\x65\x72\
\x3e\x0a\x20\x20\x3c\x2f\x64\x65\x66\x73\x3e\x0a\x20\x20\x3c\x6d\
\x65\x74\x61\x64\x61\x74\x61\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\
\x22\x6d\x65\x74\x61\x64\x61\x74\x61\x35\x30\x33\x39\x22\x3e\x0a\
\x20\x20\x20\x20\x3c\x72\x64\x66\x3a\x52\x44\x46\x3e\x0a\x20\x20\
\x20\x20\x20\x20\x3c\x63\x63\x3a\x57\x6f\x72\x6b\x0a\x20\x20\x20\
\x20\x20\x20\x20\x20\x20\x72\x64\x66\x3a\x61\x62\x6f\x75\x74\x3d\
\x22\x22\x3e\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x3c\x64\x63\x3a\
\x66\x6f\x72\x6d\x61\x74\x3e\x69\x6d\x61\x67\x65\x2f\x73\x76\x67\
\x2b\x78\x6d\x6c\x3c\x2f\x64\x63\x3a\x66\x6f\x72\x6d\x61\x74\x3e\
\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x3c\x64\x63\x3a\x74\x79\x70\
\x65\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x20\x20\x72\x64\x66\
\x3a\x72\x65\x73\x6f\x75\x72\x63\x65\x3d\x22\x68\x74\x74\x70\x3a\
\x2f\x2f\x70\x75\x72\x6c\x2e\x6f\x72\x67\x2f\x64\x63\x2f\x64\x63\
\x6d\x69\x74\x79\x70\x65\x2f\x53\x74\x69\x6c\x6c\x49\x6d\x61\x67\
\x65\x22\x20\x2f\x3e\x0a\x20\x20\x20\x20\x20\x20\x3c\x2f\x63\x63\
\x3a\x57\x6f\x72\x6b\x3e\x0a\x20\x20\x20\x20\x3c\x2f\x72\x64\x66\
\x3a\x52\x44\x46\x3e\x0a\x20\x20\x3c\x2f\x6d\x65\x74\x61\x64\x61\
\x74\x61\x3e\x0a\x20\x20\x3c\x67\x0a\x20\x20\x20\x20\x20\x69\x6e\
\x6b\x73\x63\x61\x70\x65\x3a\x67\x72\x6f\x75\x70\x6d\x6f\x64\x65\
\x3d\x22\x6c\x61\x79\x65\x72\x22\x0a\x20\x20\x20\x20\x20\x69\x64\
\x3d\x22\x6c\x61\x79\x65\x72\x32\x22\x0a\x20\x20\x20\x20\x20\x69\
\x6e\x6b\x73\x63\x61\x70\x65\x3a\x6c\x61\x62\x65\x6c\x3d\x22\x45\
\x62\x65\x6e\x65\x20\x32\x22\x3e\x0a\x20\x20\x20\x20\x3c\x70\x61\
\x74\x68\x0a\x20\x20\x20\x20\x20\x20\x20\x73\x74\x79\x6c\x65\x3d\
\x22\x66\x69\x6c\x6c\x3a\x6e\x6f\x6e\x65\x3b\x73\x74\x72\x6f\x6b\
\x65\x3a\x23\x66\x66\x30\x30\x30\x30\x3b\x73\x74\x72\x6f\x6b\x65\
\x2d\x77\x69\x64\x74\x68\x3a\x31\x2e\x38\x38\x39\x37\x36\x33\x37\
\x38\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x6c\x69\x6e\x65\x63\x61\x70\
\x3a\x62\x75\x74\x74\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x6c\x69\x6e\
\x65\x6a\x6f\x69\x6e\x3a\x6d\x69\x74\x65\x72\x3b\x73\x74\x72\x6f\
\x6b\x65\x2d\x6d\x69\x74\x65\x72\x6c\x69\x6d\x69\x74\x3a\x34\x3b\
\x73\x74\x72\x6f\x6b\x65\x2d\x64\x61\x73\x68\x61\x72\x72\x61\x79\
\x3a\x6e\x6f\x6e\x65\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x6f\x70\x61\
\x63\x69\x74\x79\x3a\x31\x3b\x66\x69\x6c\x74\x65\x72\x3a\x75\x72\
\x6c\x28\x23\x66\x69\x6c\x74\x65\x72\x39\x33\x38\x29\x22\x0a\x20\
\x20\x20\x20\x20\x20\x20\x64\x3d\x22\x6d\x20\x31\x31\x2e\x33\x30\
\x33\x30\x38\x35\x2c\x31\x31\x2e\x31\x35\x34\x37\x35\x36\x20\x33\
\x2e\x38\x33\x38\x38\x33\x2c\x33\x2e\x39\x31\x30\x34\x38\x38\x22\
\x0a\x20\x20\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x70\x61\x74\x68\
\x35\x36\x31\x31\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x3a\x63\x6f\x6e\x6e\x65\x63\x74\x6f\x72\x2d\
\x63\x75\x72\x76\x61\x74\x75\x72\x65\x3d\x22\x30\x22\x20\x2f\x3e\
\x0a\x20\x20\x3c\x2f\x67\x3e\x0a\x20\x20\x3c\x67\x0a\x20\x20\x20\
\x20\x20\x69\x64\x3d\x22\x6c\x61\x79\x65\x72\x31\x22\x0a\x20\x20\
\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x67\x72\x6f\x75\
\x70\x6d\x6f\x64\x65\x3d\x22\x6c\x61\x79\x65\x72\x22\x0a\x20\x20\
\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x6c\x61\x62\x65\
\x6c\x3d\x22\x45\x62\x65\x6e\x65\x20\x31\x22\x3e\x0a\x20\x20\x20\
\x20\x3c\x63\x69\x72\x63\x6c\x65\x0a\x20\x20\x20\x20\x20\x20\x20\
\x73\x74\x79\x6c\x65\x3d\x22\x66\x69\x6c\x6c\x3a\x23\x61\x66\x63\
\x36\x65\x39\x3b\x66\x69\x6c\x6c\x2d\x6f\x70\x61\x63\x69\x74\x79\
\x3a\x30\x2e\x37\x38\x34\x31\x37\x32\x36\x33\x3b\x73\x74\x72\x6f\
\x6b\x65\x3a\x23\x66\x66\x30\x30\x30\x30\x3b\x73\x74\x72\x6f\x6b\
\x65\x2d\x77\x69\x64\x74\x68\x3a\x31\x2e\x31\x39\x30\x39\x33\x39\
\x34\x33\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x6d\x69\x74\x65\x72\x6c\
\x69\x6d\x69\x74\x3a\x34\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x64\x61\
\x73\x68\x61\x72\x72\x61\x79\x3a\x6e\x6f\x6e\x65\x3b\x73\x74\x72\
\x6f\x6b\x65\x2d\x6f\x70\x61\x63\x69\x74\x79\x3a\x31\x3b\x66\x69\
\x6c\x74\x65\x72\x3a\x75\x72\x6c\x28\x23\x66\x69\x6c\x74\x65\x72\
\x39\x31\x34\x29\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x69\x64\x3d\
\x22\x70\x61\x74\x68\x35\x36\x30\x35\x22\x0a\x20\x20\x20\x20\x20\
\x20\x20\x63\x78\x3d\x22\x36\x2e\x38\x34\x37\x35\x30\x33\x37\x22\
\x0a\x20\x20\x20\x20\x20\x20\x20\x63\x79\x3d\x22\x36\x2e\x38\x36\
\x30\x30\x30\x32\x35\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x72\x3d\
\x22\x36\x2e\x30\x34\x31\x32\x34\x33\x31\x22\x20\x2f\x3e\x0a\x20\
\x20\x20\x20\x3c\x67\x0a\x20\x20\x20\x20\x20\x20\x20\x61\x72\x69\
\x61\x2d\x6c\x61\x62\x65\x6c\x3d\x22\x31\x30\x22\x0a\x20\x20\x20\
\x20\x20\x20\x20\x73\x74\x79\x6c\x65\x3d\x22\x66\x6f\x6e\x74\x2d\
\x73\x74\x79\x6c\x65\x3a\x6e\x6f\x72\x6d\x61\x6c\x3b\x66\x6f\x6e\
\x74\x2d\x76\x61\x72\x69\x61\x6e\x74\x3a\x6e\x6f\x72\x6d\x61\x6c\
\x3b\x66\x6f\x6e\x74\x2d\x77\x65\x69\x67\x68\x74\x3a\x39\x30\x30\
\x3b\x66\x6f\x6e\x74\x2d\x73\x74\x72\x65\x74\x63\x68\x3a\x6e\x6f\
\x72\x6d\x61\x6c\x3b\x66\x6f\x6e\x74\x2d\x73\x69\x7a\x65\x3a\x31\
\x30\x2e\x36\x36\x36\x36\x36\x36\x39\x38\x70\x78\x3b\x6c\x69\x6e\
\x65\x2d\x68\x65\x69\x67\x68\x74\x3a\x31\x2e\x32\x35\x3b\x66\x6f\
\x6e\x74\x2d\x66\x61\x6d\x69\x6c\x79\x3a\x27\x53\x6f\x75\x72\x63\
\x65\x20\x43\x6f\x64\x65\x20\x50\x72\x6f\x27\x3b\x2d\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x2d\x66\x6f\x6e\x74\x2d\x73\x70\x65\x63\x69\
\x66\x69\x63\x61\x74\x69\x6f\x6e\x3a\x27\x53\x6f\x75\x72\x63\x65\
\x20\x43\x6f\x64\x65\x20\x50\x72\x6f\x20\x48\x65\x61\x76\x79\x27\
\x3b\x6c\x65\x74\x74\x65\x72\x2d\x73\x70\x61\x63\x69\x6e\x67\x3a\
\x30\x70\x78\x3b\x77\x6f\x72\x64\x2d\x73\x70\x61\x63\x69\x6e\x67\
\x3a\x30\x70\x78\x3b\x66\x69\x6c\x6c\x3a\x23\x30\x30\x30\x30\x30\
\x30\x3b\x66\x69\x6c\x6c\x2d\x6f\x70\x61\x63\x69\x74\x79\x3a\x31\
\x3b\x73\x74\x72\x6f\x6b\x65\x3a\x6e\x6f\x6e\x65\x22\x0a\x20\x20\
\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x74\x65\x78\x74\x35\x35\x39\
\x37\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x74\x72\x61\x6e\x73\x66\
\x6f\x72\x6d\x3d\x22\x6d\x61\x74\x72\x69\x78\x28\x30\x2e\x37\x36\
\x34\x33\x30\x36\x37\x2c\x30\x2c\x30\x2c\x30\x2e\x38\x35\x31\x36\
\x32\x38\x39\x36\x2c\x30\x2e\x36\x35\x34\x32\x32\x37\x38\x37\x2c\
\x30\x2e\x30\x32\x30\x33\x35\x35\x33\x32\x29\x22\x3e\x0a\x20\x20\
\x20\x20\x20\x20\x3c\x70\x61\x74\x68\x0a\x20\x20\x20\x20\x20\x20\
\x20\x20\x20\x64\x3d\x22\x4d\x20\x32\x2e\x34\x39\x38\x31\x36\x36\
\x37\x2c\x31\x31\x2e\x31\x38\x37\x35\x20\x48\x20\x37\x2e\x34\x34\
\x37\x35\x30\x30\x32\x20\x56\x20\x39\x2e\x37\x31\x35\x35\x20\x48\
\x20\x35\x2e\x39\x39\x36\x38\x33\x33\x35\x20\x56\x20\x34\x2e\x34\
\x32\x34\x38\x33\x33\x31\x20\x48\x20\x34\x2e\x36\x35\x32\x38\x33\
\x33\x34\x20\x63\x20\x2d\x30\x2e\x35\x33\x33\x33\x33\x33\x33\x2c\
\x30\x2e\x33\x32\x20\x2d\x31\x2e\x30\x36\x36\x36\x36\x36\x37\x2c\
\x30\x2e\x35\x31\x32\x20\x2d\x31\x2e\x38\x37\x37\x33\x33\x33\x34\
\x2c\x30\x2e\x36\x36\x31\x33\x33\x33\x34\x20\x56\x20\x36\x2e\x32\
\x31\x36\x38\x33\x33\x32\x20\x48\x20\x34\x2e\x31\x36\x32\x31\x36\
\x36\x37\x20\x56\x20\x39\x2e\x37\x31\x35\x35\x20\x68\x20\x2d\x31\
\x2e\x36\x36\x34\x20\x7a\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\
\x20\x69\x64\x3d\x22\x70\x61\x74\x68\x37\x31\x31\x37\x22\x0a\x20\
\x20\x20\x20\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\
\x3a\x63\x6f\x6e\x6e\x65\x63\x74\x6f\x72\x2d\x63\x75\x72\x76\x61\
\x74\x75\x72\x65\x3d\x22\x30\x22\x0a\x20\x20\x20\x20\x20\x20\x20\
\x20\x20\x73\x74\x79\x6c\x65\x3d\x22\x66\x69\x6c\x6c\x3a\x23\x30\
\x30\x30\x30\x30\x30\x3b\x66\x69\x6c\x6c\x2d\x6f\x70\x61\x63\x69\
\x74\x79\x3a\x31\x22\x20\x2f\x3e\x0a\x20\x20\x20\x20\x20\x20\x3c\
\x70\x61\x74\x68\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x64\x3d\
\x22\x6d\x20\x31\x31\x2e\x32\x38\x33\x33\x33\x34\x2c\x31\x31\x2e\
\x33\x31\x35\x35\x20\x63\x20\x31\x2e\x35\x38\x39\x33\x33\x33\x2c\
\x30\x20\x32\x2e\x36\x36\x36\x36\x36\x36\x2c\x2d\x31\x2e\x32\x32\
\x36\x36\x36\x37\x20\x32\x2e\x36\x36\x36\x36\x36\x36\x2c\x2d\x33\
\x2e\x35\x34\x31\x33\x33\x33\x34\x20\x30\x2c\x2d\x32\x2e\x33\x31\
\x34\x36\x36\x36\x38\x20\x2d\x31\x2e\x30\x37\x37\x33\x33\x33\x2c\
\x2d\x33\x2e\x34\x37\x37\x33\x33\x33\x35\x20\x2d\x32\x2e\x36\x36\
\x36\x36\x36\x36\x2c\x2d\x33\x2e\x34\x37\x37\x33\x33\x33\x35\x20\
\x2d\x31\x2e\x35\x38\x39\x33\x33\x33\x38\x2c\x30\x20\x2d\x32\x2e\
\x36\x36\x36\x36\x36\x37\x32\x2c\x31\x2e\x31\x36\x32\x36\x36\x36\
\x37\x20\x2d\x32\x2e\x36\x36\x36\x36\x36\x37\x32\x2c\x33\x2e\x34\
\x37\x37\x33\x33\x33\x35\x20\x30\x2c\x32\x2e\x33\x31\x34\x36\x36\
\x36\x34\x20\x31\x2e\x30\x37\x37\x33\x33\x33\x34\x2c\x33\x2e\x35\
\x34\x31\x33\x33\x33\x34\x20\x32\x2e\x36\x36\x36\x36\x36\x37\x32\
\x2c\x33\x2e\x35\x34\x31\x33\x33\x33\x34\x20\x7a\x20\x6d\x20\x30\
\x2c\x2d\x31\x2e\x34\x30\x38\x20\x43\x20\x31\x30\x2e\x37\x31\x38\
\x2c\x39\x2e\x39\x30\x37\x35\x20\x31\x30\x2e\x32\x33\x38\x2c\x39\
\x2e\x34\x35\x39\x34\x39\x39\x39\x20\x31\x30\x2e\x32\x33\x38\x2c\
\x37\x2e\x37\x37\x34\x31\x36\x36\x36\x20\x63\x20\x30\x2c\x2d\x31\
\x2e\x36\x38\x35\x33\x33\x33\x34\x20\x30\x2e\x34\x38\x2c\x2d\x32\
\x2e\x30\x36\x39\x33\x33\x33\x34\x20\x31\x2e\x30\x34\x35\x33\x33\
\x34\x2c\x2d\x32\x2e\x30\x36\x39\x33\x33\x33\x34\x20\x30\x2e\x35\
\x36\x35\x33\x33\x33\x2c\x30\x20\x31\x2e\x30\x34\x35\x33\x33\x33\
\x2c\x30\x2e\x33\x38\x34\x20\x31\x2e\x30\x34\x35\x33\x33\x33\x2c\
\x32\x2e\x30\x36\x39\x33\x33\x33\x34\x20\x30\x2c\x31\x2e\x36\x38\
\x35\x33\x33\x33\x33\x20\x2d\x30\x2e\x34\x38\x2c\x32\x2e\x31\x33\
\x33\x33\x33\x33\x34\x20\x2d\x31\x2e\x30\x34\x35\x33\x33\x33\x2c\
\x32\x2e\x31\x33\x33\x33\x33\x33\x34\x20\x7a\x20\x6d\x20\x30\x2c\
\x2d\x31\x2e\x32\x38\x30\x30\x30\x30\x31\x20\x63\x20\x30\x2e\x34\
\x39\x30\x36\x36\x36\x2c\x30\x20\x30\x2e\x38\x35\x33\x33\x33\x33\
\x2c\x2d\x30\x2e\x33\x34\x31\x33\x33\x33\x33\x20\x30\x2e\x38\x35\
\x33\x33\x33\x33\x2c\x2d\x30\x2e\x38\x35\x33\x33\x33\x33\x33\x20\
\x30\x2c\x2d\x30\x2e\x35\x31\x32\x30\x30\x30\x31\x20\x2d\x30\x2e\
\x33\x36\x32\x36\x36\x37\x2c\x2d\x30\x2e\x38\x35\x33\x33\x33\x33\
\x34\x20\x2d\x30\x2e\x38\x35\x33\x33\x33\x33\x2c\x2d\x30\x2e\x38\
\x35\x33\x33\x33\x33\x34\x20\x2d\x30\x2e\x34\x39\x30\x36\x36\x37\
\x2c\x30\x20\x2d\x30\x2e\x38\x35\x33\x33\x33\x34\x2c\x30\x2e\x33\
\x34\x31\x33\x33\x33\x33\x20\x2d\x30\x2e\x38\x35\x33\x33\x33\x34\
\x2c\x30\x2e\x38\x35\x33\x33\x33\x33\x34\x20\x30\x2c\x30\x2e\x35\
\x31\x32\x20\x30\x2e\x33\x36\x32\x36\x36\x37\x2c\x30\x2e\x38\x35\
\x33\x33\x33\x33\x33\x20\x30\x2e\x38\x35\x33\x33\x33\x34\x2c\x30\
\x2e\x38\x35\x33\x33\x33\x33\x33\x20\x7a\x22\x0a\x20\x20\x20\x20\
\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x70\x61\x74\x68\x37\x31\x31\
\x39\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\
\x63\x61\x70\x65\x3a\x63\x6f\x6e\x6e\x65\x63\x74\x6f\x72\x2d\x63\
\x75\x72\x76\x61\x74\x75\x72\x65\x3d\x22\x30\x22\x0a\x20\x20\x20\
\x20\x20\x20\x20\x20\x20\x73\x74\x79\x6c\x65\x3d\x22\x66\x69\x6c\
\x6c\x3a\x23\x30\x30\x30\x30\x30\x30\x3b\x66\x69\x6c\x6c\x2d\x6f\
\x70\x61\x63\x69\x74\x79\x3a\x31\x22\x20\x2f\x3e\x0a\x20\x20\x20\
\x20\x3c\x2f\x67\x3e\x0a\x20\x20\x3c\x2f\x67\x3e\x0a\x3c\x2f\x73\
\x76\x67\x3e\x0a\
\x00\x00\x09\x12\
\x3c\
\x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\
\x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x55\x54\x46\
\x2d\x38\x22\x20\x73\x74\x61\x6e\x64\x61\x6c\x6f\x6e\x65\x3d\x22\
\x6e\x6f\x22\x3f\x3e\x0a\x3c\x21\x2d\x2d\x20\x43\x72\x65\x61\x74\
\x65\x64\x20\x77\x69\x74\x68\x20\x49\x6e\x6b\x73\x63\x61\x70\x65\
\x20\x28\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x2e\x6f\x72\x67\x2f\x29\x20\x2d\x2d\x3e\x0a\
\x0a\x3c\x73\x76\x67\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x64\
\x63\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x70\x75\x72\x6c\x2e\x6f\
\x72\x67\x2f\x64\x63\x2f\x65\x6c\x65\x6d\x65\x6e\x74\x73\x2f\x31\
\x2e\x31\x2f\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x63\x63\
\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x63\x72\x65\x61\x74\x69\x76\
\x65\x63\x6f\x6d\x6d\x6f\x6e\x73\x2e\x6f\x72\x67\x2f\x6e\x73\x23\
\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x72\x64\x66\x3d\x22\
\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\
\x67\x2f\x31\x39\x39\x39\x2f\x30\x32\x2f\x32\x32\x2d\x72\x64\x66\
\x2d\x73\x79\x6e\x74\x61\x78\x2d\x6e\x73\x23\x22\x0a\x20\x20\x20\
\x78\x6d\x6c\x6e\x73\x3a\x73\x76\x67\x3d\x22\x68\x74\x74\x70\x3a\
\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x32\x30\x30\
\x30\x2f\x73\x76\x67\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3d\
\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\
\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x0a\x20\x20\x20\
\x78\x6d\x6c\x6e\x73\x3a\x73\x6f\x64\x69\x70\x6f\x64\x69\x3d\x22\
\x68\x74\x74\x70\x3a\x2f\x2f\x73\x6f\x64\x69\x70\x6f\x64\x69\x2e\
\x73\x6f\x75\x72\x63\x65\x66\x6f\x72\x67\x65\x2e\x6e\x65\x74\x2f\
\x44\x54\x44\x2f\x73\x6f\x64\x69\x70\x6f\x64\x69\x2d\x30\x2e\x64\
\x74\x64\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\
\x77\x2e\x69\x6e\x6b\x73\x63\x61\x70\x65\x2e\x6f\x72\x67\x2f\x6e\
\x61\x6d\x65\x73\x70\x61\x63\x65\x73\x2f\x69\x6e\x6b\x73\x63\x61\
\x70\x65\x22\x0a\x20\x20\x20\x77\x69\x64\x74\x68\x3d\x22\x31\x36\
\x6d\x6d\x22\x0a\x20\x20\x20\x68\x65\x69\x67\x68\x74\x3d\x22\x38\
\x6d\x6d\x22\x0a\x20\x20\x20\x76\x69\x65\x77\x42\x6f\x78\x3d\x22\
\x30\x20\x30\x20\x31\x36\x20\x38\x22\x0a\x20\x20\x20\x76\x65\x72\
\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x0a\x20\x20\x20\x69\x64\
\x3d\x22\x73\x76\x67\x38\x22\x0a\x20\x20\x20\x69\x6e\x6b\x73\x63\
\x61\x70\x65\x3a\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x30\x2e\x39\
\x32\x2e\x31\x20\x72\x22\x0a\x20\x20\x20\x73\x6f\x64\x69\x70\x6f\
\x64\x69\x3a\x64\x6f\x63\x6e\x61\x6d\x65\x3d\x22\x73\x70\x6c\x69\
\x74\x74\x65\x72\x5f\x68\x61\x6e\x64\x6c\x65\x5f\x68\x6f\x72\x69\
\x7a\x6f\x6e\x74\x61\x6c\x2e\x73\x76\x67\x22\x3e\x0a\x20\x20\x3c\
\x64\x65\x66\x73\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x64\x65\
\x66\x73\x32\x22\x20\x2f\x3e\x0a\x20\x20\x3c\x73\x6f\x64\x69\x70\
\x6f\x64\x69\x3a\x6e\x61\x6d\x65\x64\x76\x69\x65\x77\x0a\x20\x20\
\x20\x20\x20\x69\x64\x3d\x22\x62\x61\x73\x65\x22\x0a\x20\x20\x20\
\x20\x20\x70\x61\x67\x65\x63\x6f\x6c\x6f\x72\x3d\x22\x23\x66\x66\
\x66\x66\x66\x66\x22\x0a\x20\x20\x20\x20\x20\x62\x6f\x72\x64\x65\
\x72\x63\x6f\x6c\x6f\x72\x3d\x22\x23\x36\x36\x36\x36\x36\x36\x22\
\x0a\x20\x20\x20\x20\x20\x62\x6f\x72\x64\x65\x72\x6f\x70\x61\x63\
\x69\x74\x79\x3d\x22\x31\x2e\x30\x22\x0a\x20\x20\x20\x20\x20\x69\
\x6e\x6b\x73\x63\x61\x70\x65\x3a\x70\x61\x67\x65\x6f\x70\x61\x63\
\x69\x74\x79\x3d\x22\x30\x2e\x30\x22\x0a\x20\x20\x20\x20\x20\x69\
\x6e\x6b\x73\x63\x61\x70\x65\x3a\x70\x61\x67\x65\x73\x68\x61\x64\
\x6f\x77\x3d\x22\x32\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\
\x63\x61\x70\x65\x3a\x7a\x6f\x6f\x6d\x3d\x22\x31\x31\x2e\x32\x22\
\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x63\
\x78\x3d\x22\x32\x38\x2e\x36\x38\x32\x36\x33\x36\x22\x0a\x20\x20\
\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x63\x79\x3d\x22\
\x31\x33\x2e\x37\x30\x30\x31\x30\x37\x22\x0a\x20\x20\x20\x20\x20\
\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x64\x6f\x63\x75\x6d\x65\x6e\
\x74\x2d\x75\x6e\x69\x74\x73\x3d\x22\x6d\x6d\x22\x0a\x20\x20\x20\
\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x63\x75\x72\x72\x65\
\x6e\x74\x2d\x6c\x61\x79\x65\x72\x3d\x22\x6c\x61\x79\x65\x72\x31\
\x22\x0a\x20\x20\x20\x20\x20\x73\x68\x6f\x77\x67\x72\x69\x64\x3d\
\x22\x66\x61\x6c\x73\x65\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x77\x69\x64\
\x74\x68\x3d\x22\x31\x39\x32\x30\x22\x0a\x20\x20\x20\x20\x20\x69\
\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x68\
\x65\x69\x67\x68\x74\x3d\x22\x31\x31\x34\x31\x22\x0a\x20\x20\x20\
\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\
\x77\x2d\x78\x3d\x22\x30\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x79\x3d\x22\
\x30\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\
\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x6d\x61\x78\x69\x6d\x69\x7a\x65\
\x64\x3d\x22\x31\x22\x20\x2f\x3e\x0a\x20\x20\x3c\x6d\x65\x74\x61\
\x64\x61\x74\x61\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x6d\x65\
\x74\x61\x64\x61\x74\x61\x35\x22\x3e\x0a\x20\x20\x20\x20\x3c\x72\
\x64\x66\x3a\x52\x44\x46\x3e\x0a\x20\x20\x20\x20\x20\x20\x3c\x63\
\x63\x3a\x57\x6f\x72\x6b\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\
\x72\x64\x66\x3a\x61\x62\x6f\x75\x74\x3d\x22\x22\x3e\x0a\x20\x20\
\x20\x20\x20\x20\x20\x20\x3c\x64\x63\x3a\x66\x6f\x72\x6d\x61\x74\
\x3e\x69\x6d\x61\x67\x65\x2f\x73\x76\x67\x2b\x78\x6d\x6c\x3c\x2f\
\x64\x63\x3a\x66\x6f\x72\x6d\x61\x74\x3e\x0a\x20\x20\x20\x20\x20\
\x20\x20\x20\x3c\x64\x63\x3a\x74\x79\x70\x65\x0a\x20\x20\x20\x20\
\x20\x20\x20\x20\x20\x20\x20\x72\x64\x66\x3a\x72\x65\x73\x6f\x75\
\x72\x63\x65\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x70\x75\x72\x6c\
\x2e\x6f\x72\x67\x2f\x64\x63\x2f\x64\x63\x6d\x69\x74\x79\x70\x65\
\x2f\x53\x74\x69\x6c\x6c\x49\x6d\x61\x67\x65\x22\x20\x2f\x3e\x0a\
\x20\x20\x20\x20\x20\x20\x20\x20\x3c\x64\x63\x3a\x74\x69\x74\x6c\
\x65\x3e\x3c\x2f\x64\x63\x3a\x74\x69\x74\x6c\x65\x3e\x0a\x20\x20\
\x20\x20\x20\x20\x3c\x2f\x63\x63\x3a\x57\x6f\x72\x6b\x3e\x0a\x20\
\x20\x20\x20\x3c\x2f\x72\x64\x66\x3a\x52\x44\x46\x3e\x0a\x20\x20\
\x3c\x2f\x6d\x65\x74\x61\x64\x61\x74\x61\x3e\x0a\x20\x20\x3c\x67\
\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x6c\
\x61\x62\x65\x6c\x3d\x22\x45\x62\x65\x6e\x65\x20\x31\x22\x0a\x20\
\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x67\x72\x6f\
\x75\x70\x6d\x6f\x64\x65\x3d\x22\x6c\x61\x79\x65\x72\x22\x0a\x20\
\x20\x20\x20\x20\x69\x64\x3d\x22\x6c\x61\x79\x65\x72\x31\x22\x0a\
\x20\x20\x20\x20\x20\x74\x72\x61\x6e\x73\x66\x6f\x72\x6d\x3d\x22\
\x74\x72\x61\x6e\x73\x6c\x61\x74\x65\x28\x30\x2c\x2d\x32\x38\x39\
\x29\x22\x3e\x0a\x20\x20\x20\x20\x3c\x63\x69\x72\x63\x6c\x65\x0a\
\x20\x20\x20\x20\x20\x20\x20\x73\x74\x79\x6c\x65\x3d\x22\x66\x69\
\x6c\x6c\x3a\x23\x30\x30\x30\x30\x30\x30\x3b\x66\x69\x6c\x6c\x2d\
\x6f\x70\x61\x63\x69\x74\x79\x3a\x31\x3b\x73\x74\x72\x6f\x6b\x65\
\x3a\x6e\x6f\x6e\x65\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x77\x69\x64\
\x74\x68\x3a\x30\x2e\x32\x35\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x6d\
\x69\x74\x65\x72\x6c\x69\x6d\x69\x74\x3a\x34\x3b\x73\x74\x72\x6f\
\x6b\x65\x2d\x64\x61\x73\x68\x61\x72\x72\x61\x79\x3a\x6e\x6f\x6e\
\x65\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x6f\x70\x61\x63\x69\x74\x79\
\x3a\x31\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x70\
\x61\x74\x68\x34\x34\x38\x37\x22\x0a\x20\x20\x20\x20\x20\x20\x20\
\x63\x78\x3d\x22\x32\x2e\x30\x31\x33\x35\x30\x34\x35\x22\x0a\x20\
\x20\x20\x20\x20\x20\x20\x63\x79\x3d\x22\x32\x39\x33\x2e\x30\x38\
\x36\x34\x39\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x72\x3d\x22\x31\
\x2e\x39\x31\x33\x35\x30\x34\x35\x22\x20\x2f\x3e\x0a\x20\x20\x20\
\x20\x3c\x63\x69\x72\x63\x6c\x65\x0a\x20\x20\x20\x20\x20\x20\x20\
\x73\x74\x79\x6c\x65\x3d\x22\x66\x69\x6c\x6c\x3a\x23\x30\x30\x30\
\x30\x30\x30\x3b\x66\x69\x6c\x6c\x2d\x6f\x70\x61\x63\x69\x74\x79\
\x3a\x31\x3b\x73\x74\x72\x6f\x6b\x65\x3a\x6e\x6f\x6e\x65\x3b\x73\
\x74\x72\x6f\x6b\x65\x2d\x77\x69\x64\x74\x68\x3a\x30\x2e\x32\x35\
\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x6d\x69\x74\x65\x72\x6c\x69\x6d\
\x69\x74\x3a\x34\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x64\x61\x73\x68\
\x61\x72\x72\x61\x79\x3a\x6e\x6f\x6e\x65\x3b\x73\x74\x72\x6f\x6b\
\x65\x2d\x6f\x70\x61\x63\x69\x74\x79\x3a\x31\x22\x0a\x20\x20\x20\
\x20\x20\x20\x20\x69\x64\x3d\x22\x70\x61\x74\x68\x34\x34\x38\x37\
\x2d\x36\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x63\x78\x3d\x22\x37\
\x2e\x39\x31\x33\x35\x30\x34\x36\x22\x0a\x20\x20\x20\x20\x20\x20\
\x20\x63\x79\x3d\x22\x32\x39\x33\x2e\x30\x38\x36\x34\x39\x22\x0a\
\x20\x20\x20\x20\x20\x20\x20\x72\x3d\x22\x31\x2e\x39\x31\x33\x35\
\x30\x34\x35\x22\x20\x2f\x3e\x0a\x20\x20\x20\x20\x3c\x63\x69\x72\
\x63\x6c\x65\x0a\x20\x20\x20\x20\x20\x20\x20\x73\x74\x79\x6c\x65\
\x3d\x22\x66\x69\x6c\x6c\x3a\x23\x30\x30\x30\x30\x30\x30\x3b\x66\
\x69\x6c\x6c\x2d\x6f\x70\x61\x63\x69\x74\x79\x3a\x31\x3b\x73\x74\
\x72\x6f\x6b\x65\x3a\x6e\x6f\x6e\x65\x3b\x73\x74\x72\x6f\x6b\x65\
\x2d\x77\x69\x64\x74\x68\x3a\x30\x2e\x32\x35\x3b\x73\x74\x72\x6f\
\x6b\x65\x2d\x6d\x69\x74\x65\x72\x6c\x69\x6d\x69\x74\x3a\x34\x3b\
\x73\x74\x72\x6f\x6b\x65\x2d\x64\x61\x73\x68\x61\x72\x72\x61\x79\
\x3a\x6e\x6f\x6e\x65\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x6f\x70\x61\
\x63\x69\x74\x79\x3a\x31\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x69\
\x64\x3d\x22\x70\x61\x74\x68\x34\x34\x38\x37\x2d\x37\x22\x0a\x20\
\x20\x20\x20\x20\x20\x20\x63\x78\x3d\x22\x31\x34\x2e\x30\x31\x33\
\x35\x30\x35\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x63\x79\x3d\x22\
\x32\x39\x33\x2e\x30\x38\x36\x34\x39\x22\x0a\x20\x20\x20\x20\x20\
\x20\x20\x72\x3d\x22\x31\x2e\x39\x31\x33\x35\x30\x34\x35\x22\x20\
\x2f\x3e\x0a\x20\x20\x3c\x2f\x67\x3e\x0a\x3c\x2f\x73\x76\x67\x3e\
\x0a\
\x00\x00\x0a\x38\
\x3c\
\x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\
\x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x55\x54\x46\
\x2d\x38\x22\x20\x73\x74\x61\x6e\x64\x61\x6c\x6f\x6e\x65\x3d\x22\
\x6e\x6f\x22\x3f\x3e\x0a\x3c\x21\x2d\x2d\x20\x43\x72\x65\x61\x74\
\x65\x64\x20\x77\x69\x74\x68\x20\x49\x6e\x6b\x73\x63\x61\x70\x65\
\x20\x28\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x2e\x6f\x72\x67\x2f\x29\x20\x2d\x2d\x3e\x0a\
\x0a\x3c\x73\x76\x67\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x64\
\x63\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x70\x75\x72\x6c\x2e\x6f\
\x72\x67\x2f\x64\x63\x2f\x65\x6c\x65\x6d\x65\x6e\x74\x73\x2f\x31\
\x2e\x31\x2f\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x63\x63\
\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x63\x72\x65\x61\x74\x69\x76\
\x65\x63\x6f\x6d\x6d\x6f\x6e\x73\x2e\x6f\x72\x67\x2f\x6e\x73\x23\
\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x72\x64\x66\x3d\x22\
\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\
\x67\x2f\x31\x39\x39\x39\x2f\x30\x32\x2f\x32\x32\x2d\x72\x64\x66\
\x2d\x73\x79\x6e\x74\x61\x78\x2d\x6e\x73\x23\x22\x0a\x20\x20\x20\
\x78\x6d\x6c\x6e\x73\x3a\x73\x76\x67\x3d\x22\x68\x74\x74\x70\x3a\
\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x32\x30\x30\
\x30\x2f\x73\x76\x67\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3d\
\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\
\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x0a\x20\x20\x20\
\x78\x6d\x6c\x6e\x73\x3a\x73\x6f\x64\x69\x70\x6f\x64\x69\x3d\x22\
\x68\x74\x74\x70\x3a\x2f\x2f\x73\x6f\x64\x69\x70\x6f\x64\x69\x2e\
\x73\x6f\x75\x72\x63\x65\x66\x6f\x72\x67\x65\x2e\x6e\x65\x74\x2f\
\x44\x54\x44\x2f\x73\x6f\x64\x69\x70\x6f\x64\x69\x2d\x30\x2e\x64\
\x74\x64\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\
\x77\x2e\x69\x6e\x6b\x73\x63\x61\x70\x65\x2e\x6f\x72\x67\x2f\x6e\
\x61\x6d\x65\x73\x70\x61\x63\x65\x73\x2f\x69\x6e\x6b\x73\x63\x61\
\x70\x65\x22\x0a\x20\x20\x20\x77\x69\x64\x74\x68\x3d\x22\x33\x32\
\x70\x78\x22\x0a\x20\x20\x20\x68\x65\x69\x67\x68\x74\x3d\x22\x33\
\x32\x70\x78\x22\x0a\x20\x20\x20\x76\x69\x65\x77\x42\x6f\x78\x3d\
\x22\x30\x20\x30\x20\x33\x32\x20\x33\x32\x22\x0a\x20\x20\x20\x76\
\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x0a\x20\x20\x20\
\x69\x64\x3d\x22\x53\x56\x47\x52\x6f\x6f\x74\x22\x0a\x20\x20\x20\
\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x76\x65\x72\x73\x69\x6f\x6e\
\x3d\x22\x30\x2e\x39\x32\x2e\x31\x20\x72\x22\x0a\x20\x20\x20\x73\
\x6f\x64\x69\x70\x6f\x64\x69\x3a\x64\x6f\x63\x6e\x61\x6d\x65\x3d\
\x22\x70\x6c\x75\x73\x2e\x73\x76\x67\x22\x3e\x0a\x20\x20\x3c\x73\
\x6f\x64\x69\x70\x6f\x64\x69\x3a\x6e\x61\x6d\x65\x64\x76\x69\x65\
\x77\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x62\x61\x73\x65\x22\
\x0a\x20\x20\x20\x20\x20\x70\x61\x67\x65\x63\x6f\x6c\x6f\x72\x3d\
\x22\x23\x66\x66\x66\x66\x66\x66\x22\x0a\x20\x20\x20\x20\x20\x62\
\x6f\x72\x64\x65\x72\x63\x6f\x6c\x6f\x72\x3d\x22\x23\x36\x36\x36\
\x36\x36\x36\x22\x0a\x20\x20\x20\x20\x20\x62\x6f\x72\x64\x65\x72\
\x6f\x70\x61\x63\x69\x74\x79\x3d\x22\x31\x2e\x30\x22\x0a\x20\x20\
\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x70\x61\x67\x65\
\x6f\x70\x61\x63\x69\x74\x79\x3d\x22\x30\x2e\x30\x22\x0a\x20\x20\
\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x70\x61\x67\x65\
\x73\x68\x61\x64\x6f\x77\x3d\x22\x32\x22\x0a\x20\x20\x20\x20\x20\
\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x7a\x6f\x6f\x6d\x3d\x22\x31\
\x36\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\
\x3a\x63\x78\x3d\x22\x32\x30\x2e\x33\x38\x34\x37\x34\x33\x22\x0a\
\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x63\x79\
\x3d\x22\x31\x37\x2e\x33\x39\x30\x36\x32\x35\x22\x0a\x20\x20\x20\
\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x64\x6f\x63\x75\x6d\
\x65\x6e\x74\x2d\x75\x6e\x69\x74\x73\x3d\x22\x70\x78\x22\x0a\x20\
\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x63\x75\x72\
\x72\x65\x6e\x74\x2d\x6c\x61\x79\x65\x72\x3d\x22\x6c\x61\x79\x65\
\x72\x31\x22\x0a\x20\x20\x20\x20\x20\x73\x68\x6f\x77\x67\x72\x69\
\x64\x3d\x22\x66\x61\x6c\x73\x65\x22\x0a\x20\x20\x20\x20\x20\x69\
\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x77\
\x69\x64\x74\x68\x3d\x22\x31\x39\x32\x30\x22\x0a\x20\x20\x20\x20\
\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\
\x2d\x68\x65\x69\x67\x68\x74\x3d\x22\x31\x31\x34\x31\x22\x0a\x20\
\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\
\x64\x6f\x77\x2d\x78\x3d\x22\x30\x22\x0a\x20\x20\x20\x20\x20\x69\
\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x79\
\x3d\x22\x30\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\
\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x6d\x61\x78\x69\x6d\x69\
\x7a\x65\x64\x3d\x22\x31\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x3a\x67\x72\x69\x64\x2d\x62\x62\x6f\x78\x3d\
\x22\x74\x72\x75\x65\x22\x20\x2f\x3e\x0a\x20\x20\x3c\x64\x65\x66\
\x73\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x64\x65\x66\x73\x34\
\x34\x38\x35\x22\x20\x2f\x3e\x0a\x20\x20\x3c\x6d\x65\x74\x61\x64\
\x61\x74\x61\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x6d\x65\x74\
\x61\x64\x61\x74\x61\x34\x34\x38\x38\x22\x3e\x0a\x20\x20\x20\x20\
\x3c\x72\x64\x66\x3a\x52\x44\x46\x3e\x0a\x20\x20\x20\x20\x20\x20\
\x3c\x63\x63\x3a\x57\x6f\x72\x6b\x0a\x20\x20\x20\x20\x20\x20\x20\
\x20\x20\x72\x64\x66\x3a\x61\x62\x6f\x75\x74\x3d\x22\x22\x3e\x0a\
\x20\x20\x20\x20\x20\x20\x20\x20\x3c\x64\x63\x3a\x66\x6f\x72\x6d\
\x61\x74\x3e\x69\x6d\x61\x67\x65\x2f\x73\x76\x67\x2b\x78\x6d\x6c\
\x3c\x2f\x64\x63\x3a\x66\x6f\x72\x6d\x61\x74\x3e\x0a\x20\x20\x20\
\x20\x20\x20\x20\x20\x3c\x64\x63\x3a\x74\x79\x70\x65\x0a\x20\x20\
\x20\x20\x20\x20\x20\x20\x20\x20\x20\x72\x64\x66\x3a\x72\x65\x73\
\x6f\x75\x72\x63\x65\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x70\x75\
\x72\x6c\x2e\x6f\x72\x67\x2f\x64\x63\x2f\x64\x63\x6d\x69\x74\x79\
\x70\x65\x2f\x53\x74\x69\x6c\x6c\x49\x6d\x61\x67\x65\x22\x20\x2f\
\x3e\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x3c\x64\x63\x3a\x74\x69\
\x74\x6c\x65\x20\x2f\x3e\x0a\x20\x20\x20\x20\x20\x20\x3c\x2f\x63\
\x63\x3a\x57\x6f\x72\x6b\x3e\x0a\x20\x20\x20\x20\x3c\x2f\x72\x64\
\x66\x3a\x52\x44\x46\x3e\x0a\x20\x20\x3c\x2f\x6d\x65\x74\x61\x64\
\x61\x74\x61\x3e\x0a\x20\x20\x3c\x67\x0a\x20\x20\x20\x20\x20\x69\
\x64\x3d\x22\x6c\x61\x79\x65\x72\x31\x22\x0a\x20\x20\x20\x20\x20\
\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x67\x72\x6f\x75\x70\x6d\x6f\
\x64\x65\x3d\x22\x6c\x61\x79\x65\x72\x22\x0a\x20\x20\x20\x20\x20\
\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x6c\x61\x62\x65\x6c\x3d\x22\
\x45\x62\x65\x6e\x65\x20\x31\x22\x3e\x0a\x20\x20\x20\x20\x3c\x74\
\x65\x78\x74\x0a\x20\x20\x20\x20\x20\x20\x20\x78\x6d\x6c\x3a\x73\
\x70\x61\x63\x65\x3d\x22\x70\x72\x65\x73\x65\x72\x76\x65\x22\x0a\
\x20\x20\x20\x20\x20\x20\x20\x73\x74\x79\x6c\x65\x3d\x22\x66\x6f\
\x6e\x74\x2d\x73\x74\x79\x6c\x65\x3a\x6e\x6f\x72\x6d\x61\x6c\x3b\
\x66\x6f\x6e\x74\x2d\x76\x61\x72\x69\x61\x6e\x74\x3a\x6e\x6f\x72\
\x6d\x61\x6c\x3b\x66\x6f\x6e\x74\x2d\x77\x65\x69\x67\x68\x74\x3a\
\x6e\x6f\x72\x6d\x61\x6c\x3b\x66\x6f\x6e\x74\x2d\x73\x74\x72\x65\
\x74\x63\x68\x3a\x6e\x6f\x72\x6d\x61\x6c\x3b\x66\x6f\x6e\x74\x2d\
\x73\x69\x7a\x65\x3a\x38\x70\x78\x3b\x6c\x69\x6e\x65\x2d\x68\x65\
\x69\x67\x68\x74\x3a\x31\x2e\x32\x35\x3b\x66\x6f\x6e\x74\x2d\x66\
\x61\x6d\x69\x6c\x79\x3a\x27\x53\x6f\x75\x72\x63\x65\x20\x43\x6f\
\x64\x65\x20\x50\x72\x6f\x27\x3b\x2d\x69\x6e\x6b\x73\x63\x61\x70\
\x65\x2d\x66\x6f\x6e\x74\x2d\x73\x70\x65\x63\x69\x66\x69\x63\x61\
\x74\x69\x6f\x6e\x3a\x27\x53\x6f\x75\x72\x63\x65\x20\x43\x6f\x64\
\x65\x20\x50\x72\x6f\x27\x3b\x6c\x65\x74\x74\x65\x72\x2d\x73\x70\
\x61\x63\x69\x6e\x67\x3a\x30\x70\x78\x3b\x77\x6f\x72\x64\x2d\x73\
\x70\x61\x63\x69\x6e\x67\x3a\x30\x70\x78\x3b\x66\x69\x6c\x6c\x3a\
\x23\x30\x30\x30\x30\x30\x30\x3b\x66\x69\x6c\x6c\x2d\x6f\x70\x61\
\x63\x69\x74\x79\x3a\x31\x3b\x73\x74\x72\x6f\x6b\x65\x3a\x6e\x6f\
\x6e\x65\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x78\x3d\x22\x38\x2e\
\x33\x37\x35\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x79\x3d\x22\x37\
\x2e\x38\x37\x35\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x69\x64\x3d\
\x22\x74\x65\x78\x74\x35\x30\x39\x31\x22\x3e\x3c\x74\x73\x70\x61\
\x6e\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x73\x6f\x64\x69\x70\
\x6f\x64\x69\x3a\x72\x6f\x6c\x65\x3d\x22\x6c\x69\x6e\x65\x22\x0a\
\x20\x20\x20\x20\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x74\x73\x70\
\x61\x6e\x35\x30\x38\x39\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\
\x20\x78\x3d\x22\x38\x2e\x33\x37\x35\x22\x0a\x20\x20\x20\x20\x20\
\x20\x20\x20\x20\x79\x3d\x22\x31\x34\x2e\x38\x37\x35\x22\x20\x2f\
\x3e\x3c\x2f\x74\x65\x78\x74\x3e\x0a\x20\x20\x20\x20\x3c\x67\x0a\
\x20\x20\x20\x20\x20\x20\x20\x61\x72\x69\x61\x2d\x6c\x61\x62\x65\
\x6c\x3d\x22\x2b\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x73\x74\x79\
\x6c\x65\x3d\x22\x66\x6f\x6e\x74\x2d\x73\x74\x79\x6c\x65\x3a\x6e\
\x6f\x72\x6d\x61\x6c\x3b\x66\x6f\x6e\x74\x2d\x76\x61\x72\x69\x61\
\x6e\x74\x3a\x6e\x6f\x72\x6d\x61\x6c\x3b\x66\x6f\x6e\x74\x2d\x77\
\x65\x69\x67\x68\x74\x3a\x39\x30\x30\x3b\x66\x6f\x6e\x74\x2d\x73\
\x74\x72\x65\x74\x63\x68\x3a\x6e\x6f\x72\x6d\x61\x6c\x3b\x66\x6f\
\x6e\x74\x2d\x73\x69\x7a\x65\x3a\x35\x33\x2e\x33\x33\x33\x33\x33\
\x32\x30\x36\x70\x78\x3b\x6c\x69\x6e\x65\x2d\x68\x65\x69\x67\x68\
\x74\x3a\x31\x2e\x32\x35\x3b\x66\x6f\x6e\x74\x2d\x66\x61\x6d\x69\
\x6c\x79\x3a\x27\x53\x6f\x75\x72\x63\x65\x20\x43\x6f\x64\x65\x20\
\x50\x72\x6f\x27\x3b\x2d\x69\x6e\x6b\x73\x63\x61\x70\x65\x2d\x66\
\x6f\x6e\x74\x2d\x73\x70\x65\x63\x69\x66\x69\x63\x61\x74\x69\x6f\
\x6e\x3a\x27\x53\x6f\x75\x72\x63\x65\x20\x43\x6f\x64\x65\x20\x50\
\x72\x6f\x20\x48\x65\x61\x76\x79\x27\x3b\x6c\x65\x74\x74\x65\x72\
\x2d\x73\x70\x61\x63\x69\x6e\x67\x3a\x30\x70\x78\x3b\x77\x6f\x72\
\x64\x2d\x73\x70\x61\x63\x69\x6e\x67\x3a\x30\x70\x78\x3b\x66\x69\
\x6c\x6c\x3a\x23\x30\x30\x35\x35\x64\x34\x3b\x66\x69\x6c\x6c\x2d\
\x6f\x70\x61\x63\x69\x74\x79\x3a\x31\x3b\x73\x74\x72\x6f\x6b\x65\
\x3a\x6e\x6f\x6e\x65\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x69\x64\
\x3d\x22\x74\x65\x78\x74\x35\x37\x30\x37\x22\x3e\x0a\x20\x20\x20\
\x20\x20\x20\x3c\x70\x61\x74\x68\x0a\x20\x20\x20\x20\x20\x20\x20\
\x20\x20\x64\x3d\x22\x6d\x20\x31\x32\x2e\x37\x35\x35\x38\x33\x33\
\x2c\x32\x38\x2e\x38\x38\x37\x35\x20\x68\x20\x36\x2e\x36\x31\x33\
\x33\x33\x33\x20\x76\x20\x2d\x39\x2e\x36\x20\x68\x20\x39\x2e\x32\
\x38\x20\x76\x20\x2d\x36\x2e\x34\x20\x68\x20\x2d\x39\x2e\x32\x38\
\x20\x56\x20\x33\x2e\x32\x38\x37\x35\x30\x30\x37\x20\x48\x20\x31\
\x32\x2e\x37\x35\x35\x38\x33\x33\x20\x56\x20\x31\x32\x2e\x38\x38\
\x37\x35\x20\x48\x20\x33\x2e\x34\x37\x35\x38\x33\x33\x33\x20\x76\
\x20\x36\x2e\x34\x20\x68\x20\x39\x2e\x32\x37\x39\x39\x39\x39\x37\
\x20\x7a\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x73\x74\x79\
\x6c\x65\x3d\x22\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x69\
\x64\x3d\x22\x70\x61\x74\x68\x35\x37\x30\x39\x22\x20\x2f\x3e\x0a\
\x20\x20\x20\x20\x3c\x2f\x67\x3e\x0a\x20\x20\x3c\x2f\x67\x3e\x0a\
\x3c\x2f\x73\x76\x67\x3e\x0a\
\x00\x00\x09\x03\
\x3c\
\x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\
\x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x55\x54\x46\
\x2d\x38\x22\x20\x73\x74\x61\x6e\x64\x61\x6c\x6f\x6e\x65\x3d\x22\
\x6e\x6f\x22\x3f\x3e\x0a\x3c\x21\x2d\x2d\x20\x43\x72\x65\x61\x74\
\x65\x64\x20\x77\x69\x74\x68\x20\x49\x6e\x6b\x73\x63\x61\x70\x65\
\x20\x28\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x2e\x6f\x72\x67\x2f\x29\x20\x2d\x2d\x3e\x0a\
\x0a\x3c\x73\x76\x67\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x64\
\x63\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x70\x75\x72\x6c\x2e\x6f\
\x72\x67\x2f\x64\x63\x2f\x65\x6c\x65\x6d\x65\x6e\x74\x73\x2f\x31\
\x2e\x31\x2f\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x63\x63\
\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x63\x72\x65\x61\x74\x69\x76\
\x65\x63\x6f\x6d\x6d\x6f\x6e\x73\x2e\x6f\x72\x67\x2f\x6e\x73\x23\
\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x72\x64\x66\x3d\x22\
\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\
\x67\x2f\x31\x39\x39\x39\x2f\x30\x32\x2f\x32\x32\x2d\x72\x64\x66\
\x2d\x73\x79\x6e\x74\x61\x78\x2d\x6e\x73\x23\x22\x0a\x20\x20\x20\
\x78\x6d\x6c\x6e\x73\x3a\x73\x76\x67\x3d\x22\x68\x74\x74\x70\x3a\
\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x32\x30\x30\
\x30\x2f\x73\x76\x67\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3d\
\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\
\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x0a\x20\x20\x20\
\x78\x6d\x6c\x6e\x73\x3a\x73\x6f\x64\x69\x70\x6f\x64\x69\x3d\x22\
\x68\x74\x74\x70\x3a\x2f\x2f\x73\x6f\x64\x69\x70\x6f\x64\x69\x2e\
\x73\x6f\x75\x72\x63\x65\x66\x6f\x72\x67\x65\x2e\x6e\x65\x74\x2f\
\x44\x54\x44\x2f\x73\x6f\x64\x69\x70\x6f\x64\x69\x2d\x30\x2e\x64\
\x74\x64\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\
\x77\x2e\x69\x6e\x6b\x73\x63\x61\x70\x65\x2e\x6f\x72\x67\x2f\x6e\
\x61\x6d\x65\x73\x70\x61\x63\x65\x73\x2f\x69\x6e\x6b\x73\x63\x61\
\x70\x65\x22\x0a\x20\x20\x20\x77\x69\x64\x74\x68\x3d\x22\x31\x36\
\x70\x78\x22\x0a\x20\x20\x20\x68\x65\x69\x67\x68\x74\x3d\x22\x31\
\x36\x70\x78\x22\x0a\x20\x20\x20\x76\x69\x65\x77\x42\x6f\x78\x3d\
\x22\x30\x20\x30\x20\x31\x36\x20\x31\x36\x22\x0a\x20\x20\x20\x76\
\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x0a\x20\x20\x20\
\x69\x64\x3d\x22\x53\x56\x47\x52\x6f\x6f\x74\x22\x0a\x20\x20\x20\
\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x76\x65\x72\x73\x69\x6f\x6e\
\x3d\x22\x30\x2e\x39\x32\x2e\x31\x20\x72\x22\x0a\x20\x20\x20\x73\
\x6f\x64\x69\x70\x6f\x64\x69\x3a\x64\x6f\x63\x6e\x61\x6d\x65\x3d\
\x22\x73\x70\x65\x63\x74\x72\x75\x6d\x2e\x73\x76\x67\x22\x3e\x0a\
\x20\x20\x3c\x73\x6f\x64\x69\x70\x6f\x64\x69\x3a\x6e\x61\x6d\x65\
\x64\x76\x69\x65\x77\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x62\
\x61\x73\x65\x22\x0a\x20\x20\x20\x20\x20\x70\x61\x67\x65\x63\x6f\
\x6c\x6f\x72\x3d\x22\x23\x66\x66\x66\x66\x66\x66\x22\x0a\x20\x20\
\x20\x20\x20\x62\x6f\x72\x64\x65\x72\x63\x6f\x6c\x6f\x72\x3d\x22\
\x23\x36\x36\x36\x36\x36\x36\x22\x0a\x20\x20\x20\x20\x20\x62\x6f\
\x72\x64\x65\x72\x6f\x70\x61\x63\x69\x74\x79\x3d\x22\x31\x2e\x30\
\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\
\x70\x61\x67\x65\x6f\x70\x61\x63\x69\x74\x79\x3d\x22\x30\x2e\x30\
\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\
\x70\x61\x67\x65\x73\x68\x61\x64\x6f\x77\x3d\x22\x32\x22\x0a\x20\
\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x7a\x6f\x6f\
\x6d\x3d\x22\x34\x35\x2e\x32\x35\x34\x38\x33\x34\x22\x0a\x20\x20\
\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x63\x78\x3d\x22\
\x34\x2e\x30\x30\x30\x37\x32\x32\x32\x22\x0a\x20\x20\x20\x20\x20\
\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x63\x79\x3d\x22\x37\x2e\x39\
\x35\x35\x30\x31\x30\x35\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x3a\x64\x6f\x63\x75\x6d\x65\x6e\x74\x2d\x75\
\x6e\x69\x74\x73\x3d\x22\x70\x78\x22\x0a\x20\x20\x20\x20\x20\x69\
\x6e\x6b\x73\x63\x61\x70\x65\x3a\x63\x75\x72\x72\x65\x6e\x74\x2d\
\x6c\x61\x79\x65\x72\x3d\x22\x6c\x61\x79\x65\x72\x31\x22\x0a\x20\
\x20\x20\x20\x20\x73\x68\x6f\x77\x67\x72\x69\x64\x3d\x22\x66\x61\
\x6c\x73\x65\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\
\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x77\x69\x64\x74\x68\x3d\
\x22\x31\x39\x32\x30\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\
\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x68\x65\x69\x67\
\x68\x74\x3d\x22\x31\x30\x31\x35\x22\x0a\x20\x20\x20\x20\x20\x69\
\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x78\
\x3d\x22\x30\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\
\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x79\x3d\x22\x30\x22\x0a\
\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\
\x6e\x64\x6f\x77\x2d\x6d\x61\x78\x69\x6d\x69\x7a\x65\x64\x3d\x22\
\x31\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\
\x3a\x67\x72\x69\x64\x2d\x62\x62\x6f\x78\x3d\x22\x74\x72\x75\x65\
\x22\x20\x2f\x3e\x0a\x20\x20\x3c\x64\x65\x66\x73\x0a\x20\x20\x20\
\x20\x20\x69\x64\x3d\x22\x64\x65\x66\x73\x35\x37\x38\x38\x22\x20\
\x2f\x3e\x0a\x20\x20\x3c\x6d\x65\x74\x61\x64\x61\x74\x61\x0a\x20\
\x20\x20\x20\x20\x69\x64\x3d\x22\x6d\x65\x74\x61\x64\x61\x74\x61\
\x35\x37\x39\x31\x22\x3e\x0a\x20\x20\x20\x20\x3c\x72\x64\x66\x3a\
\x52\x44\x46\x3e\x0a\x20\x20\x20\x20\x20\x20\x3c\x63\x63\x3a\x57\
\x6f\x72\x6b\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x72\x64\x66\
\x3a\x61\x62\x6f\x75\x74\x3d\x22\x22\x3e\x0a\x20\x20\x20\x20\x20\
\x20\x20\x20\x3c\x64\x63\x3a\x66\x6f\x72\x6d\x61\x74\x3e\x69\x6d\
\x61\x67\x65\x2f\x73\x76\x67\x2b\x78\x6d\x6c\x3c\x2f\x64\x63\x3a\
\x66\x6f\x72\x6d\x61\x74\x3e\x0a\x20\x20\x20\x20\x20\x20\x20\x20\
\x3c\x64\x63\x3a\x74\x79\x70\x65\x0a\x20\x20\x20\x20\x20\x20\x20\
\x20\x20\x20\x20\x72\x64\x66\x3a\x72\x65\x73\x6f\x75\x72\x63\x65\
\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x70\x75\x72\x6c\x2e\x6f\x72\
\x67\x2f\x64\x63\x2f\x64\x63\x6d\x69\x74\x79\x70\x65\x2f\x53\x74\
\x69\x6c\x6c\x49\x6d\x61\x67\x65\x22\x20\x2f\x3e\x0a\x20\x20\x20\
\x20\x20\x20\x20\x20\x3c\x64\x63\x3a\x74\x69\x74\x6c\x65\x20\x2f\
\x3e\x0a\x20\x20\x20\x20\x20\x20\x3c\x2f\x63\x63\x3a\x57\x6f\x72\
\x6b\x3e\x0a\x20\x20\x20\x20\x3c\x2f\x72\x64\x66\x3a\x52\x44\x46\
\x3e\x0a\x20\x20\x3c\x2f\x6d\x65\x74\x61\x64\x61\x74\x61\x3e\x0a\
\x20\x20\x3c\x67\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\
\x70\x65\x3a\x6c\x61\x62\x65\x6c\x3d\x22\x45\x62\x65\x6e\x65\x20\
\x32\x22\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x6c\x61\x79\x65\
\x72\x32\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\
\x65\x3a\x67\x72\x6f\x75\x70\x6d\x6f\x64\x65\x3d\x22\x6c\x61\x79\
\x65\x72\x22\x20\x2f\x3e\x0a\x20\x20\x3c\x67\x0a\x20\x20\x20\x20\
\x20\x69\x64\x3d\x22\x6c\x61\x79\x65\x72\x31\x22\x0a\x20\x20\x20\
\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x67\x72\x6f\x75\x70\
\x6d\x6f\x64\x65\x3d\x22\x6c\x61\x79\x65\x72\x22\x0a\x20\x20\x20\
\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x6c\x61\x62\x65\x6c\
\x3d\x22\x45\x62\x65\x6e\x65\x20\x31\x22\x3e\x0a\x20\x20\x20\x20\
\x3c\x70\x61\x74\x68\x0a\x20\x20\x20\x20\x20\x20\x20\x73\x74\x79\
\x6c\x65\x3d\x22\x66\x69\x6c\x6c\x3a\x23\x38\x30\x62\x33\x66\x66\
\x3b\x66\x69\x6c\x6c\x2d\x72\x75\x6c\x65\x3a\x65\x76\x65\x6e\x6f\
\x64\x64\x3b\x73\x74\x72\x6f\x6b\x65\x3a\x23\x37\x64\x37\x64\x37\
\x64\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x77\x69\x64\x74\x68\x3a\x31\
\x70\x78\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x6c\x69\x6e\x65\x63\x61\
\x70\x3a\x62\x75\x74\x74\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x6c\x69\
\x6e\x65\x6a\x6f\x69\x6e\x3a\x6d\x69\x74\x65\x72\x3b\x73\x74\x72\
\x6f\x6b\x65\x2d\x6f\x70\x61\x63\x69\x74\x79\x3a\x31\x22\x0a\x20\
\x20\x20\x20\x20\x20\x20\x64\x3d\x22\x4d\x20\x2d\x30\x2e\x31\x37\
\x36\x37\x37\x36\x37\x2c\x31\x33\x2e\x31\x39\x33\x36\x37\x20\x43\
\x20\x2d\x30\x2e\x31\x35\x34\x36\x37\x39\x36\x31\x2c\x31\x33\x2e\
\x30\x36\x31\x30\x38\x38\x20\x30\x2e\x37\x39\x35\x34\x39\x35\x31\
\x32\x2c\x37\x2e\x32\x37\x31\x36\x35\x30\x37\x20\x30\x2e\x37\x39\
\x35\x34\x39\x35\x31\x32\x2c\x37\x2e\x32\x37\x31\x36\x35\x30\x37\
\x20\x4c\x20\x31\x2e\x36\x31\x33\x30\x38\x37\x33\x2c\x31\x32\x2e\
\x38\x31\x38\x30\x31\x39\x20\x32\x2e\x39\x36\x31\x30\x30\x39\x36\
\x2c\x38\x2e\x34\x36\x34\x38\x39\x33\x34\x20\x34\x2e\x30\x32\x31\
\x36\x36\x39\x38\x2c\x31\x33\x2e\x33\x32\x36\x32\x35\x32\x20\x35\
\x2e\x35\x30\x32\x31\x37\x34\x36\x2c\x37\x2e\x37\x31\x33\x35\x39\
\x32\x34\x20\x36\x2e\x32\x37\x35\x35\x37\x32\x37\x2c\x31\x32\x2e\
\x31\x39\x39\x33\x30\x31\x20\x38\x2e\x32\x32\x30\x31\x31\x36\x33\
\x2c\x30\x2e\x35\x30\x39\x39\x34\x32\x30\x36\x20\x31\x30\x2e\x33\
\x34\x31\x34\x33\x37\x2c\x31\x33\x2e\x31\x37\x31\x35\x37\x33\x20\
\x6c\x20\x31\x2e\x36\x33\x35\x31\x38\x34\x2c\x2d\x35\x2e\x31\x37\
\x30\x37\x31\x38\x35\x20\x30\x2e\x38\x36\x31\x37\x38\x37\x2c\x34\
\x2e\x31\x35\x34\x32\x35\x32\x35\x20\x30\x2e\x37\x37\x33\x33\x39\
\x37\x2c\x2d\x33\x2e\x39\x39\x39\x35\x37\x32\x39\x20\x30\x2e\x36\
\x36\x32\x39\x31\x33\x2c\x34\x2e\x38\x31\x37\x31\x36\x34\x39\x20\
\x31\x2e\x30\x33\x38\x35\x36\x33\x2c\x2d\x35\x2e\x35\x39\x30\x35\
\x36\x32\x39\x20\x30\x2e\x37\x39\x35\x34\x39\x35\x2c\x35\x2e\x38\
\x31\x31\x35\x33\x33\x39\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x69\
\x64\x3d\x22\x70\x61\x74\x68\x34\x36\x33\x31\x22\x0a\x20\x20\x20\
\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x63\x6f\x6e\
\x6e\x65\x63\x74\x6f\x72\x2d\x63\x75\x72\x76\x61\x74\x75\x72\x65\
\x3d\x22\x30\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x73\x6f\x64\x69\
\x70\x6f\x64\x69\x3a\x6e\x6f\x64\x65\x74\x79\x70\x65\x73\x3d\x22\
\x63\x63\x63\x63\x63\x63\x63\x63\x63\x63\x63\x63\x63\x63\x63\x22\
\x20\x2f\x3e\x0a\x20\x20\x3c\x2f\x67\x3e\x0a\x3c\x2f\x73\x76\x67\
\x3e\x0a\
\x00\x00\x0d\x0c\
\x3c\
\x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\
\x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x55\x54\x46\
\x2d\x38\x22\x20\x73\x74\x61\x6e\x64\x61\x6c\x6f\x6e\x65\x3d\x22\
\x6e\x6f\x22\x3f\x3e\x0a\x3c\x21\x2d\x2d\x20\x43\x72\x65\x61\x74\
\x65\x64\x20\x77\x69\x74\x68\x20\x49\x6e\x6b\x73\x63\x61\x70\x65\
\x20\x28\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x2e\x6f\x72\x67\x2f\x29\x20\x2d\x2d\x3e\x0a\
\x0a\x3c\x73\x76\x67\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x64\
\x63\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x70\x75\x72\x6c\x2e\x6f\
\x72\x67\x2f\x64\x63\x2f\x65\x6c\x65\x6d\x65\x6e\x74\x73\x2f\x31\
\x2e\x31\x2f\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x63\x63\
\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x63\x72\x65\x61\x74\x69\x76\
\x65\x63\x6f\x6d\x6d\x6f\x6e\x73\x2e\x6f\x72\x67\x2f\x6e\x73\x23\
\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x72\x64\x66\x3d\x22\
\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\
\x67\x2f\x31\x39\x39\x39\x2f\x30\x32\x2f\x32\x32\x2d\x72\x64\x66\
\x2d\x73\x79\x6e\x74\x61\x78\x2d\x6e\x73\x23\x22\x0a\x20\x20\x20\
\x78\x6d\x6c\x6e\x73\x3a\x73\x76\x67\x3d\x22\x68\x74\x74\x70\x3a\
\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x32\x30\x30\
\x30\x2f\x73\x76\x67\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3d\
\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\
\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x0a\x20\x20\x20\
\x78\x6d\x6c\x6e\x73\x3a\x73\x6f\x64\x69\x70\x6f\x64\x69\x3d\x22\
\x68\x74\x74\x70\x3a\x2f\x2f\x73\x6f\x64\x69\x70\x6f\x64\x69\x2e\
\x73\x6f\x75\x72\x63\x65\x66\x6f\x72\x67\x65\x2e\x6e\x65\x74\x2f\
\x44\x54\x44\x2f\x73\x6f\x64\x69\x70\x6f\x64\x69\x2d\x30\x2e\x64\
\x74\x64\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\
\x77\x2e\x69\x6e\x6b\x73\x63\x61\x70\x65\x2e\x6f\x72\x67\x2f\x6e\
\x61\x6d\x65\x73\x70\x61\x63\x65\x73\x2f\x69\x6e\x6b\x73\x63\x61\
\x70\x65\x22\x0a\x20\x20\x20\x77\x69\x64\x74\x68\x3d\x22\x31\x36\
\x70\x78\x22\x0a\x20\x20\x20\x68\x65\x69\x67\x68\x74\x3d\x22\x31\
\x36\x70\x78\x22\x0a\x20\x20\x20\x76\x69\x65\x77\x42\x6f\x78\x3d\
\x22\x30\x20\x30\x20\x31\x36\x20\x31\x36\x22\x0a\x20\x20\x20\x76\
\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x0a\x20\x20\x20\
\x69\x64\x3d\x22\x53\x56\x47\x52\x6f\x6f\x74\x22\x0a\x20\x20\x20\
\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x76\x65\x72\x73\x69\x6f\x6e\
\x3d\x22\x30\x2e\x39\x32\x2e\x31\x20\x72\x22\x0a\x20\x20\x20\x73\
\x6f\x64\x69\x70\x6f\x64\x69\x3a\x64\x6f\x63\x6e\x61\x6d\x65\x3d\
\x22\x75\x6e\x6c\x6f\x63\x6b\x2e\x73\x76\x67\x22\x3e\x0a\x20\x20\
\x3c\x73\x6f\x64\x69\x70\x6f\x64\x69\x3a\x6e\x61\x6d\x65\x64\x76\
\x69\x65\x77\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x62\x61\x73\
\x65\x22\x0a\x20\x20\x20\x20\x20\x70\x61\x67\x65\x63\x6f\x6c\x6f\
\x72\x3d\x22\x23\x66\x66\x66\x66\x66\x66\x22\x0a\x20\x20\x20\x20\
\x20\x62\x6f\x72\x64\x65\x72\x63\x6f\x6c\x6f\x72\x3d\x22\x23\x36\
\x36\x36\x36\x36\x36\x22\x0a\x20\x20\x20\x20\x20\x62\x6f\x72\x64\
\x65\x72\x6f\x70\x61\x63\x69\x74\x79\x3d\x22\x31\x2e\x30\x22\x0a\
\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x70\x61\
\x67\x65\x6f\x70\x61\x63\x69\x74\x79\x3d\x22\x30\x2e\x30\x22\x0a\
\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x70\x61\
\x67\x65\x73\x68\x61\x64\x6f\x77\x3d\x22\x32\x22\x0a\x20\x20\x20\
\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x7a\x6f\x6f\x6d\x3d\
\x22\x33\x32\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\
\x70\x65\x3a\x63\x78\x3d\x22\x32\x2e\x34\x33\x38\x35\x38\x34\x22\
\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x63\
\x79\x3d\x22\x38\x2e\x34\x36\x32\x32\x30\x35\x39\x22\x0a\x20\x20\
\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x64\x6f\x63\x75\
\x6d\x65\x6e\x74\x2d\x75\x6e\x69\x74\x73\x3d\x22\x70\x78\x22\x0a\
\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x63\x75\
\x72\x72\x65\x6e\x74\x2d\x6c\x61\x79\x65\x72\x3d\x22\x6c\x61\x79\
\x65\x72\x31\x22\x0a\x20\x20\x20\x20\x20\x73\x68\x6f\x77\x67\x72\
\x69\x64\x3d\x22\x66\x61\x6c\x73\x65\x22\x0a\x20\x20\x20\x20\x20\
\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\
\x77\x69\x64\x74\x68\x3d\x22\x31\x34\x34\x30\x22\x0a\x20\x20\x20\
\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\
\x77\x2d\x68\x65\x69\x67\x68\x74\x3d\x22\x38\x34\x34\x22\x0a\x20\
\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\
\x64\x6f\x77\x2d\x78\x3d\x22\x30\x22\x0a\x20\x20\x20\x20\x20\x69\
\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x79\
\x3d\x22\x30\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\
\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x6d\x61\x78\x69\x6d\x69\
\x7a\x65\x64\x3d\x22\x31\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x3a\x67\x72\x69\x64\x2d\x62\x62\x6f\x78\x3d\
\x22\x74\x72\x75\x65\x22\x20\x2f\x3e\x0a\x20\x20\x3c\x64\x65\x66\
\x73\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x64\x65\x66\x73\x31\
\x30\x22\x20\x2f\x3e\x0a\x20\x20\x3c\x6d\x65\x74\x61\x64\x61\x74\
\x61\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x6d\x65\x74\x61\x64\
\x61\x74\x61\x31\x33\x22\x3e\x0a\x20\x20\x20\x20\x3c\x72\x64\x66\
\x3a\x52\x44\x46\x3e\x0a\x20\x20\x20\x20\x20\x20\x3c\x63\x63\x3a\
\x57\x6f\x72\x6b\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x72\x64\
\x66\x3a\x61\x62\x6f\x75\x74\x3d\x22\x22\x3e\x0a\x20\x20\x20\x20\
\x20\x20\x20\x20\x3c\x64\x63\x3a\x66\x6f\x72\x6d\x61\x74\x3e\x69\
\x6d\x61\x67\x65\x2f\x73\x76\x67\x2b\x78\x6d\x6c\x3c\x2f\x64\x63\
\x3a\x66\x6f\x72\x6d\x61\x74\x3e\x0a\x20\x20\x20\x20\x20\x20\x20\
\x20\x3c\x64\x63\x3a\x74\x79\x70\x65\x0a\x20\x20\x20\x20\x20\x20\
\x20\x20\x20\x20\x20\x72\x64\x66\x3a\x72\x65\x73\x6f\x75\x72\x63\
\x65\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x70\x75\x72\x6c\x2e\x6f\
\x72\x67\x2f\x64\x63\x2f\x64\x63\x6d\x69\x74\x79\x70\x65\x2f\x53\
\x74\x69\x6c\x6c\x49\x6d\x61\x67\x65\x22\x20\x2f\x3e\x0a\x20\x20\
\x20\x20\x20\x20\x20\x20\x3c\x64\x63\x3a\x74\x69\x74\x6c\x65\x3e\
\x3c\x2f\x64\x63\x3a\x74\x69\x74\x6c\x65\x3e\x0a\x20\x20\x20\x20\
\x20\x20\x3c\x2f\x63\x63\x3a\x57\x6f\x72\x6b\x3e\x0a\x20\x20\x20\
\x20\x3c\x2f\x72\x64\x66\x3a\x52\x44\x46\x3e\x0a\x20\x20\x3c\x2f\
\x6d\x65\x74\x61\x64\x61\x74\x61\x3e\x0a\x20\x20\x3c\x67\x0a\x20\
\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x67\x72\x6f\
\x75\x70\x6d\x6f\x64\x65\x3d\x22\x6c\x61\x79\x65\x72\x22\x0a\x20\
\x20\x20\x20\x20\x69\x64\x3d\x22\x6c\x61\x79\x65\x72\x33\x22\x0a\
\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x6c\x61\
\x62\x65\x6c\x3d\x22\x45\x62\x65\x6e\x65\x20\x33\x22\x20\x2f\x3e\
\x0a\x20\x20\x3c\x67\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x6c\
\x61\x79\x65\x72\x31\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\
\x63\x61\x70\x65\x3a\x67\x72\x6f\x75\x70\x6d\x6f\x64\x65\x3d\x22\
\x6c\x61\x79\x65\x72\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\
\x63\x61\x70\x65\x3a\x6c\x61\x62\x65\x6c\x3d\x22\x45\x62\x65\x6e\
\x65\x20\x31\x22\x3e\x0a\x20\x20\x20\x20\x3c\x72\x65\x63\x74\x0a\
\x20\x20\x20\x20\x20\x20\x20\x73\x74\x79\x6c\x65\x3d\x22\x66\x69\
\x6c\x6c\x3a\x23\x30\x30\x35\x35\x64\x34\x3b\x66\x69\x6c\x6c\x2d\
\x6f\x70\x61\x63\x69\x74\x79\x3a\x31\x3b\x73\x74\x72\x6f\x6b\x65\
\x2d\x77\x69\x64\x74\x68\x3a\x31\x2e\x32\x39\x35\x35\x32\x35\x30\
\x37\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x72\x65\
\x63\x74\x32\x36\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x77\x69\x64\
\x74\x68\x3d\x22\x31\x33\x2e\x31\x38\x37\x35\x22\x0a\x20\x20\x20\
\x20\x20\x20\x20\x68\x65\x69\x67\x68\x74\x3d\x22\x39\x2e\x34\x31\
\x30\x39\x36\x32\x31\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x78\x3d\
\x22\x31\x2e\x35\x33\x31\x32\x35\x22\x0a\x20\x20\x20\x20\x20\x20\
\x20\x79\x3d\x22\x36\x2e\x31\x38\x32\x37\x38\x37\x39\x22\x0a\x20\
\x20\x20\x20\x20\x20\x20\x72\x79\x3d\x22\x31\x2e\x36\x36\x38\x39\
\x33\x39\x22\x20\x2f\x3e\x0a\x20\x20\x20\x20\x3c\x70\x61\x74\x68\
\x0a\x20\x20\x20\x20\x20\x20\x20\x73\x74\x79\x6c\x65\x3d\x22\x66\
\x69\x6c\x6c\x3a\x6e\x6f\x6e\x65\x3b\x66\x69\x6c\x6c\x2d\x6f\x70\
\x61\x63\x69\x74\x79\x3a\x31\x3b\x73\x74\x72\x6f\x6b\x65\x3a\x23\
\x30\x30\x35\x35\x64\x34\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x77\x69\
\x64\x74\x68\x3a\x32\x2e\x33\x37\x38\x39\x39\x39\x39\x35\x3b\x73\
\x74\x72\x6f\x6b\x65\x2d\x6d\x69\x74\x65\x72\x6c\x69\x6d\x69\x74\
\x3a\x34\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x64\x61\x73\x68\x61\x72\
\x72\x61\x79\x3a\x6e\x6f\x6e\x65\x3b\x73\x74\x72\x6f\x6b\x65\x2d\
\x6f\x70\x61\x63\x69\x74\x79\x3a\x31\x22\x0a\x20\x20\x20\x20\x20\
\x20\x20\x69\x64\x3d\x22\x70\x61\x74\x68\x39\x35\x35\x22\x0a\x20\
\x20\x20\x20\x20\x20\x20\x73\x6f\x64\x69\x70\x6f\x64\x69\x3a\x74\
\x79\x70\x65\x3d\x22\x61\x72\x63\x22\x0a\x20\x20\x20\x20\x20\x20\
\x20\x73\x6f\x64\x69\x70\x6f\x64\x69\x3a\x63\x78\x3d\x22\x38\x2e\
\x30\x39\x34\x36\x31\x30\x32\x22\x0a\x20\x20\x20\x20\x20\x20\x20\
\x73\x6f\x64\x69\x70\x6f\x64\x69\x3a\x63\x79\x3d\x22\x34\x2e\x39\
\x32\x34\x30\x31\x34\x31\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x73\
\x6f\x64\x69\x70\x6f\x64\x69\x3a\x72\x78\x3d\x22\x34\x2e\x30\x37\
\x31\x38\x34\x32\x32\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x73\x6f\
\x64\x69\x70\x6f\x64\x69\x3a\x72\x79\x3d\x22\x33\x2e\x31\x31\x34\
\x36\x30\x38\x38\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x73\x6f\x64\
\x69\x70\x6f\x64\x69\x3a\x73\x74\x61\x72\x74\x3d\x22\x34\x2e\x37\
\x30\x39\x35\x34\x33\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x73\x6f\
\x64\x69\x70\x6f\x64\x69\x3a\x65\x6e\x64\x3d\x22\x31\x2e\x35\x34\
\x32\x34\x30\x30\x31\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x64\x3d\
\x22\x4d\x20\x38\x2e\x30\x38\x33\x30\x32\x31\x38\x2c\x31\x2e\x38\
\x30\x39\x34\x31\x37\x39\x20\x41\x20\x34\x2e\x30\x37\x31\x38\x34\
\x32\x32\x2c\x33\x2e\x31\x31\x34\x36\x30\x38\x38\x20\x30\x20\x30\
\x20\x31\x20\x31\x32\x2e\x31\x36\x35\x39\x35\x36\x2c\x34\x2e\x38\
\x37\x35\x33\x36\x32\x34\x20\x34\x2e\x30\x37\x31\x38\x34\x32\x32\
\x2c\x33\x2e\x31\x31\x34\x36\x30\x38\x38\x20\x30\x20\x30\x20\x31\
\x20\x38\x2e\x32\x31\x30\x32\x31\x39\x36\x2c\x38\x2e\x30\x33\x37\
\x33\x36\x37\x32\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x73\x6f\x64\
\x69\x70\x6f\x64\x69\x3a\x6f\x70\x65\x6e\x3d\x22\x74\x72\x75\x65\
\x22\x20\x2f\x3e\x0a\x20\x20\x3c\x2f\x67\x3e\x0a\x20\x20\x3c\x67\
\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x67\
\x72\x6f\x75\x70\x6d\x6f\x64\x65\x3d\x22\x6c\x61\x79\x65\x72\x22\
\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x6c\x61\x79\x65\x72\x32\
\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\
\x6c\x61\x62\x65\x6c\x3d\x22\x45\x62\x65\x6e\x65\x20\x32\x22\x3e\
\x0a\x20\x20\x20\x20\x3c\x70\x61\x74\x68\x0a\x20\x20\x20\x20\x20\
\x20\x20\x73\x74\x79\x6c\x65\x3d\x22\x66\x69\x6c\x6c\x3a\x23\x66\
\x66\x66\x66\x66\x66\x3b\x66\x69\x6c\x6c\x2d\x6f\x70\x61\x63\x69\
\x74\x79\x3a\x31\x3b\x73\x74\x72\x6f\x6b\x65\x3a\x6e\x6f\x6e\x65\
\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x77\x69\x64\x74\x68\x3a\x31\x2e\
\x35\x30\x34\x32\x37\x37\x31\x31\x3b\x73\x74\x72\x6f\x6b\x65\x2d\
\x6f\x70\x61\x63\x69\x74\x79\x3a\x31\x22\x0a\x20\x20\x20\x20\x20\
\x20\x20\x69\x64\x3d\x22\x70\x61\x74\x68\x38\x35\x33\x22\x0a\x20\
\x20\x20\x20\x20\x20\x20\x73\x6f\x64\x69\x70\x6f\x64\x69\x3a\x74\
\x79\x70\x65\x3d\x22\x61\x72\x63\x22\x0a\x20\x20\x20\x20\x20\x20\
\x20\x73\x6f\x64\x69\x70\x6f\x64\x69\x3a\x63\x78\x3d\x22\x38\x2e\
\x30\x37\x34\x32\x39\x31\x32\x22\x0a\x20\x20\x20\x20\x20\x20\x20\
\x73\x6f\x64\x69\x70\x6f\x64\x69\x3a\x63\x79\x3d\x22\x38\x2e\x38\
\x34\x33\x35\x38\x32\x32\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x73\
\x6f\x64\x69\x70\x6f\x64\x69\x3a\x72\x78\x3d\x22\x31\x2e\x38\x31\
\x35\x38\x36\x37\x39\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x73\x6f\
\x64\x69\x70\x6f\x64\x69\x3a\x72\x79\x3d\x22\x31\x2e\x37\x31\x35\
\x38\x39\x33\x39\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x73\x6f\x64\
\x69\x70\x6f\x64\x69\x3a\x73\x74\x61\x72\x74\x3d\x22\x33\x2e\x31\
\x34\x31\x35\x39\x32\x37\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x73\
\x6f\x64\x69\x70\x6f\x64\x69\x3a\x65\x6e\x64\x3d\x22\x32\x2e\x38\
\x32\x30\x34\x36\x30\x33\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x64\
\x3d\x22\x4d\x20\x36\x2e\x32\x35\x38\x34\x32\x33\x33\x2c\x38\x2e\
\x38\x34\x33\x35\x38\x32\x31\x20\x41\x20\x31\x2e\x38\x31\x35\x38\
\x36\x37\x39\x2c\x31\x2e\x37\x31\x35\x38\x39\x33\x39\x20\x30\x20\
\x30\x20\x31\x20\x37\x2e\x39\x32\x38\x36\x36\x34\x34\x2c\x37\x2e\
\x31\x33\x33\x32\x31\x35\x31\x20\x31\x2e\x38\x31\x35\x38\x36\x37\
\x39\x2c\x31\x2e\x37\x31\x35\x38\x39\x33\x39\x20\x30\x20\x30\x20\
\x31\x20\x39\x2e\x38\x36\x36\x38\x30\x31\x35\x2c\x38\x2e\x35\x36\
\x39\x32\x35\x20\x31\x2e\x38\x31\x35\x38\x36\x37\x39\x2c\x31\x2e\
\x37\x31\x35\x38\x39\x33\x39\x20\x30\x20\x30\x20\x31\x20\x38\x2e\
\x35\x30\x37\x34\x32\x35\x36\x2c\x31\x30\x2e\x35\x30\x39\x39\x34\
\x38\x20\x31\x2e\x38\x31\x35\x38\x36\x37\x39\x2c\x31\x2e\x37\x31\
\x35\x38\x39\x33\x39\x20\x30\x20\x30\x20\x31\x20\x36\x2e\x33\x35\
\x31\x32\x35\x33\x2c\x39\x2e\x33\x38\x35\x31\x38\x39\x22\x0a\x20\
\x20\x20\x20\x20\x20\x20\x73\x6f\x64\x69\x70\x6f\x64\x69\x3a\x6f\
\x70\x65\x6e\x3d\x22\x74\x72\x75\x65\x22\x20\x2f\x3e\x0a\x20\x20\
\x20\x20\x3c\x72\x65\x63\x74\x0a\x20\x20\x20\x20\x20\x20\x20\x73\
\x74\x79\x6c\x65\x3d\x22\x66\x69\x6c\x6c\x3a\x23\x66\x66\x66\x66\
\x66\x66\x3b\x66\x69\x6c\x6c\x2d\x6f\x70\x61\x63\x69\x74\x79\x3a\
\x31\x3b\x73\x74\x72\x6f\x6b\x65\x3a\x6e\x6f\x6e\x65\x3b\x73\x74\
\x72\x6f\x6b\x65\x2d\x77\x69\x64\x74\x68\x3a\x30\x2e\x37\x39\x33\
\x36\x35\x33\x37\x33\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x6f\x70\x61\
\x63\x69\x74\x79\x3a\x31\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x69\
\x64\x3d\x22\x72\x65\x63\x74\x31\x36\x38\x35\x22\x0a\x20\x20\x20\
\x20\x20\x20\x20\x77\x69\x64\x74\x68\x3d\x22\x31\x2e\x32\x34\x38\
\x38\x33\x35\x34\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x68\x65\x69\
\x67\x68\x74\x3d\x22\x34\x2e\x30\x38\x34\x32\x31\x34\x32\x22\x0a\
\x20\x20\x20\x20\x20\x20\x20\x78\x3d\x22\x37\x2e\x34\x39\x31\x34\
\x36\x32\x32\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x79\x3d\x22\x31\
\x30\x2e\x33\x34\x34\x30\x30\x36\x22\x20\x2f\x3e\x0a\x20\x20\x3c\
\x2f\x67\x3e\x0a\x3c\x2f\x73\x76\x67\x3e\x0a\
\x00\x00\x24\xd4\
\x89\
\x50\x4e\x47\x0d\x0a\x1a\x0a\x00\x00\x00\x0d\x49\x48\x44\x52\x00\
\x00\x00\x80\x00\x00\x00\x80\x08\x06\x00\x00\x00\xc3\x3e\x61\xcb\
\x00\x00\x00\x06\x62\x4b\x47\x44\x00\xff\x00\xff\x00\xff\xa0\xbd\
\xa7\x93\x00\x00\x00\x09\x70\x48\x59\x73\x00\x00\x0b\x13\x00\x00\
\x0b\x13\x01\x00\x9a\x9c\x18\x00\x00\x00\x07\x74\x49\x4d\x45\x07\
\xe0\x04\x05\x0a\x22\x13\x36\x55\x65\xf8\x00\x00\x00\x1d\x69\x54\
\x58\x74\x43\x6f\x6d\x6d\x65\x6e\x74\x00\x00\x00\x00\x00\x43\x72\
\x65\x61\x74\x65\x64\x20\x77\x69\x74\x68\x20\x47\x49\x4d\x50\x64\
\x2e\x65\x07\x00\x00\x20\x00\x49\x44\x41\x54\x78\xda\xed\x9d\x79\
\x94\x5c\xc5\x7d\xef\x3f\x55\x77\xe9\x6d\x96\x9e\x99\xee\x91\x34\
\xa3\x11\x92\x10\x8b\x10\x02\x24\x94\x3c\x16\xf3\x1c\x83\x1d\x27\
\x2c\x7e\x06\x04\x38\xde\x38\x39\x71\xec\xbc\x24\x36\x58\x8a\x97\
\x3c\x36\x1f\x88\x8d\x0d\x02\x2f\x38\x38\xd8\xc0\xb3\x09\x06\x64\
\x24\x7c\x9e\xfd\x6c\x2c\x63\x3b\x0e\x3e\x10\xc3\x13\x20\xb4\x30\
\x32\xdb\x68\x03\xcd\x8c\x46\xb3\x6f\xbd\xdc\x5b\xef\x8f\xbb\xf4\
\xed\xee\xdb\x33\x3d\x5a\x2c\x09\x75\x9d\x73\x4f\xdf\xee\xea\x5f\
\xdd\x99\xfe\x7d\xeb\xb7\xd5\xef\x57\x25\x00\x45\xad\x1d\xb7\x4d\
\xd6\x7e\x82\x1a\x00\x6a\xad\x06\x80\x5a\xab\x01\xa0\xd6\x8e\xcb\
\xa6\x1f\x31\xe4\x49\x93\x68\x6c\x0e\x00\x93\x13\x7b\xb1\xed\x6c\
\x8d\x1b\xc7\x13\x00\xa2\xb1\x39\x9c\x72\xf6\x2d\x08\x2d\xc2\x8e\
\x57\xee\x61\x70\xdf\x4b\xd8\x76\xa6\xc6\x91\xe3\x45\x05\x48\x2d\
\x42\xac\x7e\x3e\x2d\xe9\xff\xc6\x89\x4b\xff\x89\x64\x7a\x19\x52\
\x46\x6a\x1c\x39\x9e\x6c\x00\xa1\x04\x42\x8b\xd2\x98\x5a\x56\x03\
\xc1\xd1\x02\x00\x21\x44\x55\xd7\x81\xd2\x85\xd1\x6a\xb2\x1c\x04\
\xd3\xd1\xd4\xda\x21\x06\xc0\x4c\x7f\xe8\x83\x61\x50\x35\x20\x10\
\xc2\xac\xf8\xbc\x5a\x3b\x84\x00\x38\x9a\x7e\xd4\xe9\x40\x70\xa0\
\x60\xad\xb5\x43\xac\x02\xaa\x91\x08\x33\xa3\x2d\x5c\xba\x16\x25\
\x99\x5e\xc6\xa2\x33\xfe\x89\xa6\xd6\xe5\xbe\x3a\xa8\x56\x92\xd4\
\xda\x21\x52\x01\x53\x31\x6f\xa6\x7d\x95\xfb\x1d\xa6\xfb\x7d\xee\
\xa5\xcb\x28\xc9\xd4\x32\x16\x9d\xb1\x9a\xa6\xd6\xe5\x08\x61\x4e\
\x69\x7b\xd4\xda\x41\x02\xc0\xfb\x11\x85\x10\x48\x29\x91\x52\x16\
\xdd\x97\xbe\x0f\x63\x70\x69\x5f\x75\xb4\x2e\xd3\x3d\x20\xb8\x97\
\x90\xa0\xeb\x8e\x3a\x58\xb4\x74\x35\xcd\xb3\xce\xf6\xbd\x83\x30\
\x20\xd4\x40\x70\x30\x6a\x57\xca\x2f\x01\x18\x86\x41\x2a\x95\x22\
\x95\x4a\x31\x39\x39\x89\x52\xaa\x8c\x61\xa5\x0c\xf0\xee\x75\x5d\
\x27\x9d\x4e\xd3\xd2\xd2\x42\x26\x93\xc1\xb6\xed\x69\x69\xcd\x48\
\x0b\xb3\xe7\x5d\x4a\x24\xde\x4c\xb2\x41\xa3\xa1\x5e\x92\xcb\x29\
\x94\x02\xe9\x02\x42\x0a\x9d\x48\x3c\x45\xbc\x7e\x01\x13\x63\x3b\
\xc8\x4e\xf4\x01\x56\x28\xd3\x6b\x20\x38\x08\x09\x20\xa5\x24\x95\
\x4a\xb1\x7e\xfd\x7a\xb6\x6f\xdf\xce\xd9\x67\x9f\x4d\x24\x12\x29\
\x9a\xc5\x52\x4a\x34\x4d\x2b\xfb\x4c\x4a\x49\x3a\x9d\x66\xdd\xba\
\x75\x6c\xdf\xbe\x9d\xe5\xcb\x97\x57\x4d\x2b\x24\x24\xeb\x25\x37\
\x5d\xdf\xc4\xfd\x6b\x5a\x59\xb4\xc0\xc0\x30\x02\x36\x81\x2b\x09\
\x9a\xd2\x67\xb1\xe8\x8c\x55\x34\xb5\x2e\x2b\xb2\x09\x6a\x4c\x3f\
\x04\x00\x90\x52\x62\x18\x06\x27\x9e\x78\x22\xe7\x9e\x7b\x2e\x86\
\x61\xb0\x7e\xfd\x7a\xda\xda\xda\x2a\x32\x30\x28\xd2\x4d\xd3\x64\
\xd1\xa2\x45\x3e\xed\x13\x4f\x3c\xe1\xd3\x7a\x34\xe1\xb4\x02\x43\
\x97\xcc\x99\xad\xb3\xf8\xa4\x08\xba\x26\xb8\xf9\xfa\x66\x9a\x9b\
\x34\x84\x14\x08\x29\x90\x52\x20\x85\xc0\xd0\x63\xae\x61\xb8\xba\
\x0c\x04\x35\x29\x70\x08\x24\x40\x6b\x6b\x2b\xdf\xff\xfe\xf7\xfd\
\x0f\x53\xa9\x14\xe9\x74\x1a\xc3\x30\xd0\x75\x1d\x4d\xd3\xca\x2e\
\x8f\xa1\xad\xad\xad\x3c\xf8\xe0\x83\x3e\x6d\x4b\x4b\x0b\xe9\x74\
\x1a\xd3\x34\x43\xe9\x82\xb4\x4d\x49\x83\x7f\xfa\x54\x93\x4f\xdb\
\x50\xaf\x91\xac\x97\x18\x1a\x68\xd2\xb9\xa4\x74\xa4\x81\xa1\x45\
\x69\x4c\x9d\x55\x06\x82\x1a\xd3\x0f\x41\x1c\xa0\xa1\xa1\x81\x05\
\x0b\x16\x14\x75\x7c\xec\x63\x1f\x23\x99\x4c\xa2\xeb\x7a\x11\x08\
\x4a\x25\x42\x32\x99\x3c\x60\xda\xba\x84\xce\xec\xd6\xe2\xf5\xa8\
\x8b\x2e\x88\x13\x8f\x0b\x34\xcd\x61\x7e\xf0\x32\xf4\x72\x10\x94\
\xce\xfc\x1a\x20\x66\x08\x00\xd3\x34\x69\x6d\x6d\x2d\xeb\xf8\xe4\
\x27\x3f\xc9\xec\xd9\xb3\xd1\x34\x2d\x54\x0a\x78\xe2\xbf\x12\xed\
\xac\x59\xb3\xa6\xa1\x35\x68\x6a\x34\xca\x68\x2f\xbe\x30\x41\x73\
\x52\x43\x4a\x81\xe6\x5e\x9e\x14\x90\x01\x49\x70\xe2\xd2\x55\xb5\
\xb5\x83\x43\x01\x80\x74\x3a\xcd\x77\xbe\xf3\x1d\x00\x7e\xfd\xeb\
\x5f\x73\xdd\x75\xd7\xf9\x9d\x91\x48\x64\x4a\x31\xde\xda\xda\xca\
\x3d\xf7\xdc\x03\xc0\x6f\x7e\xf3\x1b\xae\xbf\xfe\xfa\xaa\x69\xd3\
\xe9\x66\x56\xfd\xfd\xc9\x00\x6c\xda\x96\xe1\xdf\x1e\x1a\xf4\x69\
\x0d\x43\xf8\xe2\x5f\x4a\x90\xa2\x00\x02\x21\x40\x97\x11\x92\x2e\
\x08\xbc\x38\x41\xad\x1d\x20\x00\x1a\x1b\x1b\x39\xe9\xa4\x93\x00\
\xf8\xf2\x97\xbf\xcc\x93\x4f\x3e\xc9\x9d\x77\xde\x09\xc0\xec\xd9\
\xb3\x89\xc5\x62\x15\x19\x99\x4c\x26\x59\xb4\x68\x11\x00\xb7\xdf\
\x7e\x3b\x1b\x36\x6c\x60\xcd\x9a\x35\xd5\xd1\x36\x34\xd2\x3e\x27\
\x06\xc0\x63\x3f\x19\x61\xe3\xe6\x0c\xeb\xfe\xef\x08\x00\xcd\x8d\
\x12\xd3\x2c\x51\x01\x45\x20\x10\x68\x9e\x24\x38\xbd\x5c\x12\xd4\
\xd4\xc0\x0c\x00\xa0\x69\x1a\x00\x0f\x3e\xf8\x20\x3b\x77\xee\x64\
\x64\x64\x84\x0d\x1b\x36\x00\xf0\xc0\x03\x0f\x30\x67\xce\x9c\x8a\
\x96\xbc\xae\x3b\xfa\xfb\x07\x3f\xf8\x01\xbb\x77\xef\x0e\xa5\x2d\
\x9d\xf9\xbe\x17\xa0\x3b\x41\xc8\x5f\xfe\xe7\x18\x7d\xfb\x2d\x26\
\x26\x15\x2f\x6c\x71\x12\x42\x3e\xfb\xc9\x24\xcd\x49\xcd\x11\xfb\
\x9e\x21\x28\x8b\x03\x46\x02\x47\x1d\x34\xb8\x36\xc1\x54\x6b\x07\
\xb5\x36\x05\x00\x16\x2e\x5c\x08\xc0\xc3\x0f\x3f\xcc\xd8\xd8\x18\
\x00\x43\x43\x43\xbc\xf5\xd6\x5b\x24\x12\x09\xa2\xd1\x68\xa8\x4f\
\x1f\x8b\xc5\x68\x6f\x6f\x07\xe0\xd1\x47\x1f\x65\x6c\x6c\x0c\x21\
\x44\x11\x6d\x2c\x16\xf3\x19\xee\xcc\x5a\xcd\xa7\x6d\x6b\x9b\x0d\
\xc0\x7f\xfe\xd7\x04\x13\x93\x0a\x21\x60\x6c\x5c\xd1\xd7\x6f\x11\
\x8d\x48\x4c\xc3\x71\x03\x8b\xc3\xc4\xc2\xb7\x05\xbc\x59\xae\xfb\
\xf9\x04\x35\x10\x1c\x10\x00\x1e\x7f\xfc\x71\x00\x46\x47\x47\x51\
\x4a\x21\x84\xa0\xaf\xaf\x8f\x55\xab\x56\xe1\x45\x08\xc3\xc2\xbd\
\x6d\x6d\x6d\x3c\xfa\xe8\xa3\x00\x3e\x70\xa4\x94\x0c\x0c\x0c\xb0\
\x7a\xf5\x6a\x9f\x36\x38\xeb\xbd\x71\xda\xda\xda\xf8\xfe\x83\x77\
\x03\x30\x3e\x69\xfb\x62\x7d\x64\xd4\xe6\xbb\x3f\x1c\x72\x18\xab\
\x0b\x04\x38\xb1\x80\x80\x3b\x58\xb4\x7e\x20\xbc\x70\xa6\x1b\x36\
\x3e\xa3\xb0\x8a\x58\x53\x03\x33\x88\x03\x3c\xfc\xf0\xc3\xf4\xf5\
\xf5\xf9\x1f\xe6\xf3\x79\xf6\xef\xdf\x0f\xc0\x8a\x15\x2b\x88\xc5\
\x62\x45\xfa\x55\x08\x41\x34\x1a\x45\x08\xc1\xda\xb5\x6b\x19\x18\
\x18\xf0\x3f\xcf\xe7\xf3\x0c\x0c\x0c\x14\xd1\x96\xae\x19\x78\xb4\
\xbf\x7e\xba\x87\xb1\x31\xdb\x1d\x17\x6c\x1b\x46\xdd\xf7\x27\x2d\
\x34\x30\x4b\x0d\x7c\x51\x7e\xef\x7d\xa4\x57\xb9\x94\x5c\x6b\x21\
\x00\x78\xe0\x81\x07\x18\x19\x19\x41\xa9\x42\x95\x58\x36\xeb\x64\
\xe9\xde\x76\xdb\x6d\xcc\x9a\x35\xab\x34\x7c\x48\x34\x1a\x05\xe0\
\xa1\x87\x1e\x62\x74\x74\xb4\x28\x3c\x9b\xcb\xe5\x00\xb8\xf5\xd6\
\x5b\x99\x35\x6b\x56\xd9\x5a\x80\x47\xfb\xe4\xaf\x7b\x98\x98\x2c\
\x36\xda\xf2\x4e\xa8\x9f\x6b\x57\x36\xd0\xd4\xa0\x85\x44\xfb\x82\
\x2a\xa1\x58\x22\x84\x65\x16\xd5\x5a\x15\x00\x18\x1f\x1f\xc7\xb2\
\x2c\x94\x52\xd8\xb6\x8d\x6d\xdb\xf4\xf4\xf4\x70\xe3\x8d\x37\x3a\
\x3f\xac\xa6\x15\x49\x80\x86\x86\x06\xae\xbd\xf6\x5a\x00\x26\x27\
\x27\xb1\x6d\xbb\x28\x2a\xd7\xdb\xdb\xcb\xcd\x37\xdf\xec\x8a\x72\
\xbd\x08\x58\x41\xda\x6c\xd6\x46\x29\xfc\x55\x41\x80\x81\x21\x8b\
\x87\xd6\x0d\xbb\x0c\x0d\xff\xa3\x0b\xaa\x40\x94\x49\x04\xbd\x96\
\x63\x38\x73\x00\x64\x32\x19\x94\x52\x45\xd7\xd8\xd8\x18\xcf\x3f\
\xff\x3c\x00\x4d\x4d\x4d\xbe\xc5\xef\x85\x7b\xaf\xb9\xe6\x1a\x00\
\x72\xb9\x1c\x52\x16\x38\xa5\x94\x62\x7c\x7c\x9c\x8d\x1b\x37\xfa\
\xb4\x86\x61\x84\xd2\x5a\x96\x42\x94\x30\x39\x9b\x85\x57\xdf\x70\
\x24\x48\x5d\x9d\x44\x4e\x97\xb6\x1a\x00\x8f\xf7\x5a\x93\x04\x33\
\x00\xc0\xd2\xa5\x4b\xd9\xbd\x7b\x77\xd1\xec\xf7\x2e\x4f\x0d\xdc\
\x7d\xf7\xdd\x34\x37\x37\xfb\x12\xa0\xae\xae\x0e\x80\x8f\x7f\xfc\
\xe3\xf4\xf4\xf4\x94\x0d\xaa\x94\xf2\xd5\xc0\x5d\x77\xdd\xe5\xd3\
\x4a\x29\x7d\xda\xbf\xfd\xd4\xe7\xd9\x3f\x10\x52\x07\xa0\x20\x6f\
\x39\x12\xe3\x53\x1f\x6d\xa4\xa1\x2e\xdc\x13\xf0\xf3\x07\x4a\xd4\
\x00\x35\x10\xcc\x0c\x00\x6f\xbc\xf1\x86\xbf\x86\xef\xcd\x7e\x0f\
\x00\xe3\xe3\xe3\x8c\x8d\x8d\x31\x77\xee\x5c\x1a\x1b\x1b\x01\xa8\
\xaf\xaf\xe7\x43\x1f\xfa\x10\x00\xdd\xdd\xdd\x64\xb3\xd9\xd0\x45\
\x99\x89\x89\x09\xc6\xc7\xc7\x69\x6f\x6f\x27\x99\x4c\xfa\xc0\xf1\
\x68\x7b\x7a\xfa\xc8\xe7\x0b\xba\x3c\xc0\x7f\xb2\x39\xc5\x64\xc6\
\x26\xd5\xac\x91\x88\xcb\xa9\x26\x3f\x32\x44\x0d\xd4\x6c\x82\x19\
\x00\x20\x28\xf6\x6d\xdb\xc6\xb2\x2c\x1f\x00\x7b\xf7\xee\xe5\xaf\
\xff\xfa\xaf\x01\x78\xff\xfb\xdf\x4f\x7d\x7d\x3d\x1d\x1d\x1d\x7c\
\xf4\xa3\x1f\x75\x45\xb8\x15\x3a\xfb\x95\x52\xf4\xf4\xf4\xf0\x89\
\x4f\x7c\x02\x80\xf7\xbd\xef\x7d\x34\x34\x34\x30\x6f\xde\x3c\x9f\
\x56\xd9\x76\xd9\xac\xf5\x2c\x85\xfe\x41\x9b\xaf\x7f\xd7\x09\x0d\
\xaf\x38\x23\x42\xc4\x14\x21\xfa\xbf\xd8\x1d\x14\x21\x8e\x42\x0d\
\x04\xd3\x37\xdd\x63\x7c\x58\xcb\x64\x32\xbe\x88\x5f\xbd\x7a\x35\
\x6f\xbf\xfd\x36\x1f\xf8\xc0\x07\x00\xe8\xea\xea\x62\x7c\x7c\x1c\
\x29\xa5\xcf\xf4\x62\x5d\x9e\xa5\xb7\xb7\x17\x80\x55\xab\x56\xb1\
\x77\xef\x5e\x2e\xbd\xf4\x52\x9f\x76\x6c\x7c\x9c\x98\x28\xe7\x98\
\x52\x90\xcf\x2b\x06\x87\x9d\xbf\xe9\xca\x4b\xea\xd9\xf9\x56\x8e\
\x3f\xbc\x91\x63\x78\x44\x39\x20\x51\x25\x51\x41\x55\x00\x41\xb0\
\xdf\xfb\x93\x82\x20\x78\x63\xcb\x9a\x5a\x19\x5a\x50\x8a\x1a\x86\
\xa1\x82\x01\x1e\x4d\xd3\xfc\x57\x29\x25\x27\x9e\x78\x22\xcf\x3d\
\xf7\x5c\x19\xe1\x35\xd7\x5c\xc3\xa6\x4d\x9b\xc8\xe7\xf3\x00\x3e\
\x88\x82\x80\x9a\x3f\x7f\x3e\x4f\x3f\xfd\x74\x28\xed\xab\xaf\x0f\
\x70\xd2\x59\xb7\x12\xab\x9f\x0f\x4a\xa0\x5c\xe6\x7b\x40\x6a\x4d\
\x69\xdc\x7d\x4b\xda\xa7\xd9\xf8\xf2\x24\xf7\xfd\xfb\x10\xc3\x63\
\x0a\x65\x83\xad\x14\xb6\xed\xd0\xd8\x25\xef\x51\xf8\xe3\x05\x9b\
\x65\x4f\x32\xd4\xf7\x52\x0d\x04\xa5\x5e\x80\xc7\x34\xa5\x94\xef\
\x0e\x7a\xaa\xa0\xb7\xb7\x97\xfb\xef\xbf\xbf\x8c\x70\x60\x60\xc0\
\x67\x7e\xa9\xf8\xf7\xee\xfb\xfa\xfa\x8a\x92\x45\x82\xb4\x96\x65\
\x87\xaa\x0f\x4f\x0a\x0c\x0d\xdb\x6c\xf8\xed\x98\xdf\xb7\xe2\xcc\
\x28\x75\x75\xb2\x4c\x15\x94\x06\x85\xa6\x0a\x00\xd6\xd4\x41\x15\
\x36\x40\xe9\xeb\xc8\xc8\x08\x8f\x3c\xf2\x48\x11\xd1\xee\xdd\xbb\
\x19\x1d\x1d\x0d\x1d\x30\x38\xde\xc8\xc8\x08\x3f\xfa\xd1\x8f\xaa\
\xa6\xc5\x97\x02\x30\x99\x51\xfc\xf6\xbf\x26\xca\x8c\xbe\x20\x93\
\x83\x20\x28\x62\x7e\x95\x20\x68\x9e\x75\x2e\xf1\xba\xf9\x48\x69\
\xd6\x00\x50\xea\x01\x78\x97\x65\x59\xf4\xf5\xf5\xd1\xdf\xdf\xef\
\x13\x7d\xf6\xb3\x9f\xf5\x43\xc5\xc5\x33\x57\x95\x49\x93\xfd\xfb\
\xf7\x17\xd1\xae\x5a\xb5\x8a\xfe\xfe\xfe\xa2\xd9\xae\x00\xdb\x2e\
\xbc\x77\x0c\x4c\x18\x1e\xb1\x19\x19\x75\x24\xc5\xeb\x3b\xb2\x8c\
\x8d\xab\xd0\x1d\xad\x04\x54\xc8\x11\x9c\x1a\x04\xa7\xfe\xc9\xbf\
\xb0\x78\xc5\x97\x49\xa6\x97\x1f\xb7\xd2\xa0\x0c\x00\x61\x80\xe8\
\xe9\xe9\xe1\x23\x1f\xf9\x08\xb9\x5c\x8e\x8d\x1b\x37\xd2\xd5\xd5\
\x45\x36\x9b\xf5\x41\x52\x0a\x9c\x20\x08\x7a\x7b\x7b\xb9\xf6\xda\
\x6b\xc9\xe5\x72\xbc\xf0\xc2\x0b\x74\x75\x75\xb9\x81\x27\x47\x77\
\xa3\x0a\x4c\x0f\xea\x74\x05\x0c\x0c\xdb\x7c\xed\xde\x01\xf2\x79\
\xc5\xfd\x8f\x0c\x33\x3c\x66\x1f\xb2\x7f\x5c\x93\x51\xe2\x89\xf9\
\x34\xcd\x3e\xe7\xb8\x56\x09\x42\x4a\xa9\xbc\x00\x4f\x58\xa1\x47\
\x70\x09\x77\xce\x9c\x39\xe4\x72\x39\x86\x87\x87\xfd\x95\xc3\xa0\
\x0d\x51\xca\x7c\xaf\x45\xa3\x51\x5a\x5b\x5b\xc9\xe7\xf3\x0c\x0e\
\x0e\xa2\x94\x22\x5e\xb7\x80\xc5\x7f\xf2\x15\x62\x75\x0b\x8a\x99\
\xaf\x8a\x41\xa1\xeb\xd0\x50\x27\x19\x19\xb3\xf1\x4c\x0e\x47\x6a\
\xa8\x82\x01\xe8\x03\x47\x61\xab\x82\x1a\x21\xc4\x10\x0c\x6b\xc7\
\xb3\x71\xa8\x01\x5f\x9a\xaa\xdc\xdb\xbb\xf7\xec\x81\x89\x89\x89\
\x32\x91\x1f\x26\x01\x82\x97\x65\x59\x0c\x0f\x0f\x33\x3e\x3e\xee\
\x7f\x66\x98\x49\x52\x73\xde\x8b\x11\x49\xa2\x94\xf0\x99\xaf\xec\
\x02\x73\x15\x60\xd9\x30\x91\x51\x38\x36\xa3\x0b\x38\xaf\xdf\x93\
\x1c\x8a\x22\x75\x32\x63\x31\x28\x74\xcc\x58\x9a\x78\xfd\x42\x26\
\x46\xbb\xc8\x4c\xec\x43\x29\xeb\xf8\x00\x80\x10\xe2\x4b\x54\xd4\
\xa1\xe5\x95\x3d\x61\xc6\x5e\x98\xf8\x0f\x02\xa1\xd4\x4e\x00\xd0\
\xf4\x24\xe9\xb6\xf7\xa1\x19\x4d\x01\x00\x14\x33\x36\x68\x18\x7a\
\x81\x22\x55\x62\x2c\xfa\x36\x84\x37\xfe\x81\xea\xc2\xe3\x14\x04\
\x3e\x00\x82\x0c\xae\x54\x7f\x37\x1d\x00\x82\xe2\x3f\x18\x0f\x08\
\x03\x82\x6e\x24\x49\xb5\xff\x39\xba\xe9\x00\xa0\x94\xf9\xa5\x40\
\x08\xbb\x2f\x52\x19\x41\x9a\x19\x88\xff\xe3\x1d\x04\x45\x00\xf0\
\x18\x1d\xd4\xef\x95\xca\xb0\xa6\xf2\x1c\xc2\x66\x7f\xe9\xbd\x61\
\x34\x91\xf6\x00\xe0\xda\x00\x41\xa6\x7a\x7c\x2c\x65\xa8\x2a\x15\
\xf7\xae\xe4\x40\x1d\x9a\x3d\x6f\x8f\x37\x10\x84\xda\x00\x61\xef\
\x83\x46\xdd\x4c\xc4\x7f\x18\x9d\x6d\xdb\xe8\x66\x92\x74\xfb\x5f\
\xa0\x9b\xcd\xc5\x36\x80\x17\x0d\x54\x41\x99\x2f\x28\xfb\xc8\xfd\
\x5e\x01\x04\xc5\x51\xc0\x4a\x41\xa6\xaa\x2c\x63\xa1\x63\xc6\x52\
\xc4\xeb\x16\x30\x3e\xfa\x26\x99\xf1\x7d\x78\x45\xa9\xef\x48\x00\
\x94\x32\x7d\xba\xba\xbb\xe9\x44\x7f\xa5\xc0\x52\x11\x00\x8c\x26\
\xd2\xed\x7f\x89\x1e\x69\x06\x25\x5c\x63\xae\xc0\xd0\x22\xe6\x05\
\xa4\x81\x6d\x07\x9f\x51\x60\x7e\x98\x84\xa8\xdc\x54\x95\x92\x20\
\x55\x90\x04\xef\x50\x10\xf8\x00\xa8\x06\x04\x61\xc6\x5c\x25\x46\
\x4f\x67\x04\xea\x46\x13\xe9\xb9\x17\x63\x44\x9a\xcb\xf4\x7a\x70\
\xa6\xab\x52\x04\x10\xf2\x3d\x55\xcc\xd7\x70\xe6\x57\xb0\x2c\xa7\
\x03\x41\x3c\xed\x94\xa7\xbf\x43\x41\x50\x11\x00\x95\xf4\x7e\xa5\
\xe8\x5f\x98\x54\xa8\x64\x07\x00\x18\x66\x13\xb3\xe6\x5e\x8c\x6e\
\x36\x07\x66\xb1\xf0\xf9\x22\x84\x40\xd3\x35\x84\x90\x28\x24\x20\
\xb0\xed\x3c\xca\xce\xfb\x4b\x7d\x2a\xe8\x0a\x08\x81\x66\x48\xa4\
\x26\x01\x89\x10\xee\x85\x6b\xbc\x16\xed\x4a\x22\xfc\xe8\x61\x70\
\xb3\x0a\xdb\xce\xa2\xec\x5c\x20\x49\x41\x21\x84\x86\x19\x4b\x91\
\xa8\x73\xf6\x28\x78\xa7\x81\x40\x2f\x65\x70\xa9\xa8\xf7\xf4\x7f\
\x69\xe0\x27\x08\x90\x30\x5d\x5f\x69\x5c\xef\xde\x09\xda\xd8\xd8\
\x4a\x21\x08\xf4\xb9\xf7\x52\xd7\xa8\x6f\xae\x47\x08\x9d\xc9\x51\
\xc8\x65\x27\x19\x1b\xde\x47\x2e\xd3\x8f\x11\x4d\xa3\x6b\x09\x10\
\x85\x79\xad\x6b\xde\xf7\x0d\x26\x47\x9d\x50\xb2\xa2\x10\x55\x52\
\x14\xbb\x08\xaa\x44\x5c\xd8\x56\x86\xcc\xe4\x3e\xf2\xb9\x71\x8c\
\x48\x23\x42\x18\x48\xa9\x03\x02\x29\x74\x1a\x5a\x96\xb2\xf0\xf4\
\xeb\x79\x73\xeb\xd7\x19\xdc\xb7\x09\xa5\xb2\xef\x3c\x00\x54\x02\
\x41\xd0\x10\x0c\x03\x82\x77\x5f\x9a\x20\x52\x9a\x2b\x18\x1c\xc7\
\xb6\x6d\x94\xed\x4e\x7d\xa9\x50\x81\x20\x8f\x1b\xa3\x46\x08\x9d\
\x87\xef\xf4\xf2\x09\x0d\x60\x29\x67\x9e\xf7\x4d\x62\x75\x1d\xd4\
\x25\x4f\x45\x6a\x51\x7f\x7c\xdb\x76\x66\xfe\x23\x77\x1d\x4c\x38\
\xb7\x95\x77\x5d\xfa\x5b\xb2\x93\xfb\xb1\x72\x13\x98\xb1\x34\xba\
\x9e\x40\x48\x0d\x81\x4e\x43\xf3\x52\x16\x2e\xb9\x9e\x37\xb7\x7d\
\x23\x14\x04\xa5\xc0\x3f\x54\xb5\x09\x87\x6b\xdc\x50\x00\x84\x81\
\x20\x8c\x81\xd5\x58\xd8\x5e\xb6\x70\xa9\xb4\x70\x5e\x6d\x6c\xdb\
\xc2\xc6\x46\x2a\x27\x9b\x43\xa9\xc2\x33\x2d\x0b\xc6\x47\xca\xc7\
\x7c\xf9\xd9\xeb\x58\x70\xda\xdf\x63\x46\xe7\x60\x46\x83\xd5\xc5\
\x82\xf1\xe1\x7c\xd5\xff\x78\x3e\x9f\x27\x93\xc9\x30\x39\x39\x49\
\x6f\x6f\x2f\x6f\xbf\xfd\x36\x9b\x37\x6f\xa6\x3d\xf1\x7b\xd6\xae\
\x5d\xcb\xe9\xe7\xdc\x4d\x34\x3b\x40\xac\xfe\x04\x74\xbd\xce\x01\
\x81\xd0\xa8\x6f\x3e\x8d\x05\x4b\x3e\x43\xd7\xb6\x6f\x4d\x2b\x09\
\xc2\x7e\xc7\x43\x05\x88\x43\x35\xae\x3e\xd3\x87\x54\xcb\xfc\x6a\
\xe8\x6c\x65\xa3\x6c\x1b\x5b\x0a\x84\x92\xae\xde\x15\xbe\xcd\x66\
\x59\xe1\x63\x0f\x74\xff\x17\xb3\x3b\x2e\x41\x37\xeb\x7d\xe6\x0b\
\x14\xf9\x7c\xae\xfa\x7f\xdc\xdd\xbb\x20\x91\x48\xd0\xd2\xd2\xc2\
\xe2\xc5\x8b\xb9\xe8\xa2\x8b\xb0\x2c\x8b\x0d\x1b\x36\x70\xfa\xfc\
\xe7\xd9\xf4\xea\xc9\xd8\xf6\x24\xb1\xba\xf9\x18\x46\x3d\x42\xea\
\x08\xa1\x53\xdf\x74\x1a\x0b\x4e\xfb\x34\x5d\xaf\x7c\x8b\xc1\x7d\
\x2f\x1f\xd3\xea\x40\x4e\xc7\x34\xa5\x0e\xd7\x91\x42\x0a\x65\x5b\
\x28\x65\x83\xb2\x51\x04\xd2\x79\x28\x59\x11\x2a\x69\xb9\xfc\x30\
\x96\x95\xc1\xb6\x32\xd8\x56\x16\x65\x67\xb1\xed\x2c\xb6\x75\xf0\
\x8c\xd0\x34\x8d\xf7\xbf\xff\xfd\xdc\x77\xdf\x7d\xfc\xc5\x7f\x1f\
\x66\x68\xff\x26\x46\x07\xb6\x91\xcd\xf6\x93\xcf\x8f\x63\x59\x93\
\x08\x05\x75\x4d\xa7\x32\xff\xb4\x7f\x24\x99\x3e\xf3\x98\xae\x42\
\x92\xd5\xce\xde\x30\x30\x1c\x0c\x38\x9c\xf1\xf2\xee\x65\x97\x18\
\x6a\x14\xde\x57\x00\x8f\x6d\x67\xb0\xad\x49\x6c\x6b\x12\xcb\x9a\
\x74\xc1\x70\xe8\x56\xf1\x1a\x1b\x1b\xb9\xe3\x8e\x3b\x78\xef\xf9\
\x19\xf6\xf7\x3c\xc3\xe4\xd8\x5e\xac\xec\x28\x56\x7e\xcc\x05\x81\
\xa0\x3e\xb9\x98\xf9\x8b\xff\x91\x64\xea\xd8\x05\x81\x7e\x20\x8c\
\x3b\x64\x12\x40\x59\x28\x3b\x8f\x72\x6b\xbf\x1d\x41\xee\x24\x79\
\x2a\xa1\x2a\x07\x6c\x94\xc2\xb6\x32\x58\xd6\x84\x2b\xfe\x25\x68\
\x36\x96\x35\x59\x61\x56\x47\x31\x22\x4d\x08\xa9\x3b\xcb\x8d\x80\
\x10\x1a\xba\xd9\xc0\xa5\x7f\x71\x06\x73\xe7\xce\x65\xd9\xb2\x65\
\x5c\x7c\xf1\xc5\x7e\xfa\x3b\x80\x69\x9a\xdc\x78\xe3\x8d\xfc\xe8\
\x89\x95\x8c\x0c\x6e\x47\x68\x06\x86\x6a\x44\xb3\xf3\x28\xcd\x42\
\x6a\x11\xea\x5d\x49\xb0\xa3\xf3\xde\xe3\x03\x00\x87\xd0\x92\x41\
\xd9\x39\x6c\x65\x21\x94\x85\x50\x1a\x60\x83\xd0\xf0\x7c\x02\xa5\
\xec\x4a\xd0\xc1\xb2\x32\x58\xf9\x71\xd7\x66\x90\x68\xca\xc2\xb6\
\x26\x42\xbf\x6f\x44\x9a\x98\x7b\xe2\x87\x31\x22\x49\x47\x65\xa8\
\x1c\xb6\x9d\x23\x97\x19\xe0\x97\xbf\xed\x62\x7c\xe4\x19\x84\x58\
\xc7\xd7\xd7\x8c\xb0\x78\xf1\x62\x2e\xb8\xe0\x02\x9f\xb6\xa3\xa3\
\x83\xcf\x7e\xfa\x12\xbe\xfd\xdd\x67\x89\xc6\x67\x23\xd0\x50\xca\
\x42\xf3\xbc\x15\x2d\x42\x7d\xd3\x12\x4e\x3a\xe3\xf3\xef\x5c\x15\
\x70\x98\x2c\x00\x3f\xb0\xa3\x94\xed\x5c\xc5\x0b\xbe\x95\xa3\x75\
\xca\xc6\xb6\x33\x58\xd6\x24\x56\x7e\xc2\x51\x05\xee\xfb\xf0\xd8\
\xbe\x86\x61\x36\x60\x98\x8d\xe8\x66\x3d\xba\x51\x8f\x61\x36\x12\
\x8d\xb7\x91\x4c\xad\x60\xf6\xbc\x0f\x30\xfb\x84\x0f\x70\xf7\x7d\
\x7b\xb8\xe0\x82\x0b\xe8\xec\xec\x2c\xa2\xbf\xe8\xa2\x8b\x18\x1d\
\xec\x24\x3b\xb9\x8f\x7c\x6e\x18\x2b\x37\x86\x95\x1f\xc7\xb2\x26\
\xb0\xad\x0c\x52\x48\x1a\x5a\xce\xac\x01\xe0\x80\x54\x80\xb2\x5c\
\xb1\x6c\x17\xaf\xe7\xaa\x29\x54\x00\x8e\x0a\xb0\xf3\x41\x1b\x60\
\x72\x0a\x1b\x40\x61\xdb\x39\xdf\x56\xb0\x5c\xe3\xd1\x51\x0f\x11\
\x8c\x48\x12\xdd\xa8\x43\xd9\x16\x5b\x5f\x79\xcb\xdf\xf7\xc0\x6b\
\xf3\xe6\xcd\xc3\xb2\x26\xc8\xbb\x8c\xcf\xe7\xc7\x02\xc0\xcb\x62\
\xdb\xb9\xa2\xcd\x2c\x6a\x2a\xa0\x5a\x15\xe0\x02\xc0\x91\x00\x2a\
\xa4\x52\x48\x55\x94\x1e\xca\xce\x61\xdb\x4e\x6e\xa1\x94\x3a\xb6\
\x25\xb1\xad\xdc\x94\x00\x70\x68\x72\x4e\x38\xd9\xb1\x36\x10\xc2\
\x09\x33\x4b\xa9\x63\x98\x11\x36\x3c\xf9\x18\x79\xbb\xbe\x88\xba\
\xa5\xa5\xc5\x91\x3a\xae\xda\x11\x42\x62\x4b\x1d\x4b\x6a\x08\x69\
\xb8\x5e\x48\xbe\x06\x80\x03\x91\x00\xfe\xec\x2f\x12\xfd\x9e\x11\
\x58\x91\x14\xdb\xce\xf9\x0c\xb7\xb1\x9d\x35\x03\x3b\x37\x85\xc7\
\xe1\x18\x9c\xce\xf3\x0a\xcc\x77\x7c\x7b\x0d\x4d\x37\x30\xa3\x71\
\x56\xaf\xfe\x4c\x68\xcc\xc0\x09\x6c\x65\x1d\x10\xb8\xf1\x00\x21\
\x0d\x6c\x69\x62\x6b\x11\x17\x54\x35\x15\x30\x03\xf6\xe3\xfb\xff\
\xca\x15\xf7\xaa\xea\x15\x3b\x4f\x7a\xe4\x50\x2a\xef\xd8\x12\xca\
\x9e\x26\x71\x23\x30\xbe\xb7\x50\x24\x0d\xa4\x34\xd1\xb4\x28\xba\
\x91\x40\x88\x04\x00\x2b\x57\xae\x2c\xa2\x1c\x19\x19\x71\xf3\x10\
\x6d\x3f\xde\xe0\x49\x14\xe5\x4a\x14\x5b\xe5\x2b\x04\x9c\xea\x38\
\x9a\x8f\x67\x3c\xa2\x7f\x99\x0a\xa4\xf5\xf8\x21\x62\x4a\xd6\x76\
\x2b\x12\xdb\x2e\x43\xf2\xe0\xab\x12\x6b\x4a\x95\x23\xf0\x56\x05\
\x03\xcc\xd7\xa3\x44\x62\xf5\xd4\x35\x36\x13\xab\x73\x44\xbf\xb7\
\xf5\x9d\xd7\x76\xed\xda\x15\x00\x9e\xed\xc7\x2f\x6c\x3b\xe7\xdf\
\x53\xe1\xd9\x4d\xb3\xce\x23\x56\x37\x17\x21\xf4\xa3\x12\x00\x47\
\xf8\xaf\x52\x1c\x58\x22\x97\x17\x98\xb2\x03\x40\xb2\xa7\x08\x1c\
\xe1\x97\x11\x49\x74\xa4\x26\x11\xd2\x44\xc8\x08\x86\x11\xa7\xae\
\x31\x89\x19\x8b\xf1\xd4\x63\x97\xf9\x56\x7f\xb0\x6d\xde\xbc\xd9\
\x5f\xa5\xc4\x95\x34\x8e\xf7\x62\xa1\x6c\xd7\x83\xb1\xc3\x01\xd0\
\xbb\x67\x43\x4d\x05\x4c\xcd\xfc\xb0\x2c\xce\x6a\xa4\x40\xd0\x5b\
\x70\x99\x5f\x21\x6e\xa0\x1b\x09\xa4\x70\x74\xbd\xd4\x0d\xa2\x89\
\x04\x89\xfa\x06\x22\xb1\x24\x66\x34\x89\xd4\xe3\x3e\xf3\x3f\xf7\
\xb9\xcf\xf1\xde\xf7\xbe\xd7\xa7\xb5\x6d\x9b\xa7\x9e\x7a\x0a\x21\
\xb4\x00\x08\x82\xcb\xcc\xf6\x34\x51\xcb\x9a\x11\x78\x78\x3d\x09\
\xbc\xdc\x8d\xca\x0c\x68\x4a\xfd\x09\x66\xac\x05\xa9\x45\x10\x42\
\x21\x35\x9d\xe7\x9e\xfa\x9f\x65\xdf\xbb\xed\xb6\xdb\xb8\xf5\xd6\
\x5b\x8b\x16\xc1\x7e\xfe\xf3\x9f\xf3\xd8\xda\x1f\x93\x68\x58\x84\
\xd0\x8c\xc3\x10\x11\xad\x01\xe0\x60\xcc\xc8\xaa\x98\xb1\xfb\x8d\
\x47\x43\x3f\x5f\xb9\x72\x25\x73\xe6\xcc\xe1\xe4\x93\x4f\xe6\xc2\
\x0b\x2f\xe4\xa6\x9b\x6e\x2a\xd3\xfd\xff\xe3\x83\x57\x51\xd7\xb0\
\x88\xc6\xe6\xb3\xd0\xf4\x84\xaf\x4a\xde\x29\xfb\x10\xea\x47\x23\
\x43\x67\x12\x4d\x0c\x96\x02\xcf\x74\x56\xae\x5b\xb7\xae\x62\xdf\
\x9e\x3d\x7b\xf8\xe2\x17\xbf\x88\x6e\x34\xd0\xd0\x7c\x16\x66\x34\
\x15\x78\x94\x28\x78\x12\x48\xdf\xb0\xac\x01\xe0\x8f\xc0\xf4\x3f\
\x46\xfb\x8f\xff\xf8\x0f\xbe\xfb\xdd\xfb\x59\xb7\xfe\xa7\x24\x1a\
\x16\x05\xf2\x0e\x40\x20\x1d\x7b\x40\x68\x20\x34\x84\xf4\xde\xcb\
\x0a\xb6\xe7\xc1\x4b\x8a\xc3\xa9\x6e\x8e\x6d\x1b\xa0\x6a\x83\xb1\
\xba\xb6\x67\xcf\x1e\xee\xb8\xe3\x0e\xfe\xf5\xde\xef\xa1\x1b\x75\
\x24\x1a\x4f\xa5\xa1\x69\x09\x52\x1a\x28\x65\x21\xd0\x40\x0a\x1f\
\x00\xd2\x0b\x08\x09\xed\xa8\xf6\xf5\x8f\x6a\x00\x84\xa1\xbb\xb0\
\xb1\x74\xb5\xd2\xe3\xd0\xcc\x90\x39\x73\xe6\x10\x8d\x46\x89\xd7\
\x9d\x40\xbc\x7e\x01\xd1\xf8\x6c\x34\x3d\xe1\xc6\x17\x84\x3b\xeb\
\xdd\x19\x2f\x0d\x3f\x1a\x28\xa4\x7e\xcc\x56\x0f\x1d\x72\xd8\x86\
\xed\x1c\x36\x1d\x0f\x4b\x41\xe0\x64\x04\xd7\x11\x4d\x94\x23\xc0\
\xdb\xbb\x70\x26\x8c\x97\xd2\xc4\x8c\x34\x13\x89\xa6\x30\xa3\x2d\
\x98\xd1\x16\x22\xb1\x34\xf5\xc9\x53\xf9\xc9\x4f\x7e\xe2\x7f\x4f\
\xd3\x34\x6e\xb9\xe5\x16\xae\x59\xf9\x2e\xec\xfc\x04\xb9\xec\x10\
\x96\x35\xe9\x86\x79\xbd\x3c\x02\x27\x7c\x2c\xa5\xee\x83\x40\xd9\
\x16\x23\xfd\x5b\x6a\x12\x00\x9c\x9d\x43\xb5\xa9\xa7\x6e\x05\x14\
\x40\xf1\x12\xb0\x64\xed\x37\xeb\xcb\xbe\xed\x6d\x2f\xa3\x82\x65\
\xc2\xd3\xa8\x59\xc3\x6c\x20\xd5\xfe\x5e\x34\x2d\x86\x6d\x67\xdd\
\xc8\xa1\x13\xd0\xf9\x87\xd5\x8f\xd3\xd6\xd6\xc6\x8a\x15\x2b\x00\
\x48\x24\x12\xdc\x7e\xfb\xed\x0c\x0f\xff\x03\xbf\xfc\xcd\xeb\x24\
\xa4\x81\xae\xd7\x23\x85\x93\xb3\xe8\x89\x7f\x3f\x6d\x5c\xd9\x8c\
\x0c\x74\xb2\xfb\xb5\x87\x80\x6b\x6b\x12\x60\x64\xa4\x38\x95\xf7\
\xea\xab\xaf\xae\xc8\xf7\x42\x1e\x60\x71\xb3\x6d\x45\x66\xdc\xb9\
\xff\xab\xbf\xfa\xab\xa2\xbe\xb1\xb1\x31\x97\xc4\x0e\xc9\xf3\x0f\
\x97\x08\x42\x6a\x98\x66\x12\x33\xd2\x84\x19\x49\xa2\xbb\xb9\x01\
\x86\x99\x44\x08\xc9\x8a\x15\x2b\xd8\xb1\x63\x87\xff\xfd\x74\x3a\
\xcd\x57\xbe\xf2\x15\xf2\xb9\x11\x72\x99\x41\x67\xc3\x08\xa5\x7c\
\x03\xd0\x99\xfd\x1a\x4a\xd9\x8c\x0c\xbd\xca\xae\x57\xff\x37\x43\
\x03\x2f\xd7\x54\x00\x50\xb4\x77\x10\x50\xb6\xd3\x78\x31\x02\xbc\
\x48\x9a\xb7\x28\x64\x83\x00\x4d\x4a\x3f\xcc\xdb\xd1\xd1\x51\x44\
\xe5\x6c\x45\x5f\x5c\x8d\x54\x5d\x1d\x78\xe9\x5e\xf3\x8e\x4e\xb7\
\xad\x1c\xb3\x3b\x2e\xe6\x86\x1b\x6e\xf0\xb7\xb9\x07\x67\x3d\xe0\
\x37\x4f\xfd\x10\x2b\x3f\x46\x3e\x3b\xec\xe8\x78\xe1\xd4\x1e\x20\
\x34\x50\x36\xa3\xc3\xaf\xb1\xe7\xf5\x7f\x67\x78\x70\x6b\xc5\x95\
\xc8\xe3\x0e\x00\xbb\x77\xef\x2e\x7a\x7f\xda\x69\xa7\x4d\x61\x00\
\x16\x44\x31\xca\x46\xa0\x30\x23\x1a\xf5\xcd\x09\x62\xee\x96\x70\
\x27\x9f\x7c\x72\x11\xcd\xeb\xaf\xbf\xee\xc9\x09\xff\x52\x54\x01\
\x02\x81\xcf\x40\xdf\x8a\xd7\x0c\x27\x43\xc8\x6c\xe4\x57\x4f\xef\
\xe7\xe6\x9b\x6f\x2e\xb2\x31\xfe\xf4\x4f\xff\x94\x87\x1e\xf8\x67\
\xf2\xb9\x21\x72\xd9\x21\x6c\x3b\xe7\xd4\x45\xd8\x79\x46\x87\x5f\
\xe7\xad\x37\xd6\x32\x32\xb8\xed\x98\x65\xfe\x61\x01\xc0\xab\xaf\
\xbe\x5a\xf4\xfe\x3d\xef\x79\x4f\xe5\x30\x4e\x60\x51\x05\x6c\x8c\
\x88\x46\x5d\x32\x41\x24\xaa\xf1\xd8\x37\x1c\xfd\xff\xee\x77\xbf\
\x3b\x64\x7c\xe5\x03\x47\xa9\x6a\x5c\xc1\x82\xeb\x26\xa4\xee\x18\
\x71\x9a\x89\x94\x11\x74\xa3\x9e\x48\x7c\x36\x91\xd8\x6c\x1e\xff\
\x3f\x5d\xdc\x71\xc7\x1d\x45\x94\x97\x5c\x72\x09\xb7\xdf\xfa\x51\
\xf2\xd9\x41\x72\x99\x01\xf2\xb9\x51\xc6\x46\xde\x64\x6f\xd7\x8f\
\x19\x1d\xea\x3c\x66\xf3\x00\x0e\x0b\x00\x84\x10\x3c\xff\xfc\xf3\
\x45\x56\xfd\x29\xa7\x9c\xc2\x0d\x37\xdc\x10\x6a\xfa\x09\x61\x23\
\xa4\x02\xa1\x90\x52\x10\xaf\x8f\xa2\x1b\x82\x87\xbe\xd6\x00\xc0\
\x4d\x37\xdd\xe4\x9f\x68\xe6\xb5\x2d\x5b\xb6\x38\xee\x98\x57\x53\
\x50\xc1\x8e\x08\x07\x81\x44\x0a\x1d\x29\x0d\xa4\x16\x41\x6a\x51\
\x34\x3d\x8e\x69\x26\x89\x25\xe6\x12\x4d\xb4\x73\xef\x03\x2f\x16\
\x9d\xa2\x0a\xf0\x37\x7f\xf3\x37\x7c\xfa\xef\x2e\x20\x9b\xd9\xc7\
\xc8\x60\x27\x3d\x3b\x7f\xca\xd8\xc8\x6b\xc7\x3c\xf3\x0f\x8b\x04\
\xf8\xc1\x0f\x7e\xc0\x0b\x2f\xbc\x50\xf4\xd9\x75\xd7\x5d\x57\x66\
\xcc\x09\x21\xd0\x4d\x93\x58\x22\x82\x61\x46\xd1\x8c\x08\x4a\x29\
\x7e\xb8\x26\x05\xc0\x87\x3f\xfc\x61\x3e\xf3\x99\xe2\xec\x9c\xad\
\x5b\xb7\xf2\xd8\xda\x27\x88\xc4\xe7\xb8\xbe\xb7\x6b\x37\xf8\x33\
\x5f\x4c\x01\x4e\xe9\xfa\xec\x06\x52\x46\x90\x5a\x04\x4d\x8f\xa1\
\xeb\x09\x34\xa3\x0e\x33\xda\x42\xbc\x6e\x3e\x89\xfa\x85\xdc\xb6\
\x66\x13\xbf\xfa\xd5\xaf\x8a\xfe\xd6\xcf\x7f\xfe\xf3\x7c\xe8\xf2\
\x45\xf4\xf7\x3c\xcb\xc4\xd8\xae\x77\x04\xf3\x0f\x8b\x1b\x28\x84\
\xe0\x0b\x5f\xf8\x82\xef\x56\x79\x56\xf5\x9a\x35\x6b\x68\x6d\x6d\
\xe5\x1b\xdf\xf8\x06\x00\xeb\x9f\xf8\x29\x56\x7e\x82\xd6\xb9\x4b\
\xf8\xb3\xf3\xe6\x94\x01\x66\xcd\x9a\x35\xa4\xd3\xe9\xa2\xcf\x1f\
\x79\xe4\x11\x0c\xb3\x91\xc6\xe6\x33\x91\x5a\xcc\x59\xfe\x2d\x0a\
\xc1\x8a\x29\x55\x80\x14\x1a\xca\x3d\x9b\x5e\x06\x80\x20\x35\xd3\
\x4d\x0b\x4b\xa0\xe9\x71\x47\xe7\xdb\xad\x6c\xdd\xba\x95\xd3\x4f\
\x3f\x1d\x70\x6a\x04\x6e\xbd\xf5\x56\x06\x06\x06\x78\xe8\xa1\x87\
\x78\xa7\x34\xc1\x61\x0a\xc8\xff\xec\x67\x3f\xe3\xe2\x8b\x2f\x2e\
\xfb\xfc\xb9\xe7\x9e\xe3\x99\x67\x9e\x61\xeb\xd6\xad\x9c\xb9\xfc\
\x22\xae\xfb\xc7\x8f\x70\xcf\xbd\x8f\xf3\xd2\xc6\x27\x59\xb2\x64\
\x09\xe7\x9f\x7f\x3e\xe7\x9c\x73\x4e\x19\xdd\xef\x7e\xf7\x3b\xde\
\x73\xd1\xc5\xd4\x37\x9e\x4a\xf3\xac\xf3\xd1\xf4\xb8\xcf\x48\x4d\
\x8b\xa1\x9b\xf5\x44\xe3\xb3\x79\xee\x97\x57\x94\xd1\x46\xe3\x73\
\x98\xbb\xe8\x23\x98\x91\x26\xbf\xe6\xd1\x61\x7e\x14\x4d\x8f\x21\
\xa5\xe9\x14\x8d\x20\x50\x76\x86\xc9\xf1\xbd\x8c\x8f\xee\xe2\xd3\
\x7f\x7b\x36\x1f\xba\xe6\x2f\x69\x6b\x6b\xf3\xc7\x7a\xfb\xed\xb7\
\x59\xb5\x6a\x15\x6b\xd7\xae\xad\x3a\xaa\x79\xb8\xa2\xa5\x47\x35\
\x00\x00\xfe\xf0\x87\x3f\x94\x59\xf1\x07\xd2\x5e\x7b\xed\x35\x16\
\x2f\x59\x4e\x5d\xc3\xc9\x24\xd3\x2b\x1c\xff\xdd\x5d\x91\x73\x44\
\x79\x1c\xc3\xa8\x27\x12\x4b\xf1\xdc\x53\x2b\x43\x01\xd0\x71\xd2\
\xc7\x31\x23\x4d\xee\x8f\xe7\x18\x81\x9a\x1e\x47\x6a\x31\x34\x2d\
\xea\x26\x87\x4a\x94\xb2\xc8\xe7\x46\x98\x18\xd9\xc1\xe8\xc8\x9b\
\x5c\x78\xae\xe2\xdb\xdf\xfe\xb6\x7f\xd2\x09\x40\x67\x67\x67\xa8\
\x77\x73\x2c\x02\xe0\xb0\xae\x60\x9c\x72\xca\x29\x3c\xf3\xcc\x33\
\x07\x35\xc6\xd3\x4f\x3f\x5d\xc6\x7c\x2f\xc1\x53\x88\x82\x4b\xa7\
\x80\xec\xe4\xfe\x8a\x6a\xa9\x90\x01\xac\xbb\x9e\x80\x6b\x0f\x68\
\xa6\x03\x22\x2d\x8a\xa6\xc5\x1c\xa3\x30\xd2\x4c\x2c\x31\x0f\x81\
\xe4\xb1\xc7\x9f\xe2\x4b\x5f\xfa\x52\x51\x88\x7b\xf1\xe2\xc5\xa1\
\xdb\xe0\xd7\x8c\xc0\x90\xf6\xae\x77\xbd\x8b\xdb\x6f\xbf\xbd\x2c\
\x3e\x30\x5d\xdb\xb5\x6b\x17\x5f\xfd\xea\x57\xb9\xf0\xa2\x4b\xa8\
\x6b\x38\xa9\x88\xf9\x85\x04\x4f\x89\x94\xba\x2f\xc2\xad\xfc\x24\
\x8b\x96\xae\x0a\x01\x80\xbb\x70\x13\x60\xbe\x94\x66\xe1\xd2\x4c\
\xa4\x16\x75\x54\x82\x16\x43\x08\x83\x89\x89\x6e\x06\x7a\x9e\x25\
\x3b\xd1\xc3\x5d\x77\xdd\xe5\xdb\x2e\x5e\xbb\xe0\x82\x0b\xca\xf2\
\x09\x0e\x57\x92\xc8\xe1\x4c\x3e\x39\xac\x2a\xa0\xb4\xad\x5a\xb5\
\x8a\x65\xcb\x96\xb1\x74\xe9\x52\xd2\xe9\x34\xf5\xf5\xf5\xc4\xe3\
\x71\xc6\xc7\xc7\x19\x19\x19\xa1\xb7\xb7\x97\xad\x5b\xb7\xf2\xf2\
\xcb\x2f\x73\xf7\xd7\xbf\x8d\x61\x34\x10\x4d\xcc\x25\x99\x5a\x8e\
\x11\x69\xf2\x73\xef\x84\x90\x2e\xe3\x1c\x37\x4e\x37\xea\xd1\x0d\
\x27\xa5\x7b\x72\xbc\x9b\xc1\x7d\xff\x8f\xa1\xfd\x2f\xb9\x45\x1c\
\x1a\xf1\xfa\x05\xb4\xce\xfd\x73\x74\xa3\xc1\x0d\x0d\xeb\xce\x8c\
\xd7\xe3\xfe\xe5\x80\xc8\xc0\xb6\x32\x0c\xf5\xbf\xcc\xae\xed\xf7\
\xbb\x11\xbe\x77\x86\xb5\x7f\x54\x00\xa0\x54\xf8\xe8\x46\xbd\xbb\
\xfd\x4a\xe0\x44\x68\x57\x47\x47\x62\xb3\x68\x68\x3e\x03\xc3\x68\
\x40\xea\x51\xb7\x72\x58\xf9\xee\x9c\x26\x23\x3e\xf3\x74\xa3\x1e\
\xcd\x48\xa0\xb9\x5b\xc6\xe4\xf3\xe3\xe4\xb3\x23\x4e\x09\xb9\x9d\
\x73\xca\x47\xf5\x58\xe1\x5c\x21\xa1\x39\xba\x5f\x77\x2f\x2d\xe6\
\x6c\x37\xa3\x6c\x86\xfa\x37\xb3\xb3\xf3\xbb\x0c\x0d\xbc\x7c\x4c\
\x47\xf8\x8e\x7a\x00\x18\x66\x92\x54\xdb\x85\xe8\x66\x32\x90\x69\
\x25\x0a\x9b\x44\x49\x13\xa9\xc7\x8b\xb7\xae\xc3\x5b\x8a\x35\x91\
\x7a\x14\x4d\x4f\xa0\xeb\x09\x74\xa3\xce\x35\xe8\xa2\xfe\xc6\x4e\
\x4a\x59\x7e\x25\x8f\xbf\x91\x84\xca\x3b\x2e\xa1\xd4\x0b\x7a\xdf\
\xa5\x13\x08\x86\x06\xb6\xb1\xb3\xf3\xdf\x18\xea\xdf\x74\x5c\x30\
\xff\xb0\xc4\x01\xaa\x46\x9e\x34\x88\x44\x5b\x1d\xd1\x1e\x1a\xcd\
\x0b\x1e\x07\x27\xfc\x44\x0c\x29\x23\x68\x5a\x04\xa9\xc7\xd0\x3d\
\xf1\xed\xce\x60\xa9\x45\x90\x6e\x01\x86\x97\xc4\x11\x78\xa0\x9f\
\xb4\x21\x85\x8e\x70\xf5\xbf\x90\x86\x33\xf3\x07\x3b\x9d\x99\x7f\
\x1c\x31\xff\xc8\x02\x00\xe9\x8a\xe0\xb8\xbf\x18\xa4\xb0\x43\xbf\
\xe7\x30\xdf\x49\xc2\xf0\x0c\x36\x5f\x7f\x6b\x71\x57\x8c\x47\xdd\
\x04\x0d\x37\x17\x41\x49\xf7\x4c\x41\x6f\xe5\xaf\x90\xb5\xe3\x00\
\xc9\xf1\x00\x50\x8a\xe1\xc1\x4e\x76\x6e\xff\x1e\x43\xfd\x2f\x1d\
\x57\xcc\x3f\xb2\x00\x10\x12\x4d\xaf\x73\xca\xb2\x03\x65\xe2\x41\
\x9f\x57\x04\x66\xbe\x28\x8b\xe1\xc7\x5c\xb7\x2d\xe6\x7c\xe6\xce\
\x66\xe1\x3a\x36\xce\x98\xd2\x5d\xc3\x17\x28\x69\x15\x01\xc0\x2b\
\xd5\x1a\x1e\xec\x64\xd7\xf6\xef\x1d\x77\x33\xff\x88\x03\x00\xa1\
\xa1\x1b\x75\xe8\x46\xa3\x5f\x5b\xa7\x4a\xca\xbb\x84\x57\xbe\xed\
\x27\x61\x38\x2e\x9b\xe6\x87\x70\x63\x8e\x3a\xd0\x4c\xc7\xd5\x93\
\x9a\x2f\xf6\x05\x12\x65\x4b\x77\xfb\x19\x19\xa8\x44\x76\xd4\x01\
\xca\x62\x78\xe0\x95\xe3\x9a\xf9\x47\x5c\x02\xe8\x7a\x1d\x86\xd9\
\x18\xd8\x28\x2a\xb8\x4b\x88\xf0\x7d\x7d\xc7\xed\x33\x0a\x06\xa0\
\x34\x11\x5a\xc1\x8f\xf7\x72\xf4\x70\xcb\xb7\xfc\xfc\x00\x29\x41\
\x09\xa4\x9b\xc0\xe1\xd7\x12\xda\x79\x86\x06\xb7\xb9\x62\xff\xf8\
\x65\xfe\x91\xb7\x01\x8c\x04\xba\x51\x0f\x6e\x36\x50\x61\x65\x4f\
\x05\x74\xb7\x2c\x44\xfc\x5c\x1d\xef\xcc\x78\xdd\x07\x85\x13\xe4\
\x29\x6c\x34\xe5\xb8\x36\xb6\xf3\x5e\x49\x7f\xd9\x58\x29\x85\xb2\
\xb2\x0c\x0d\xbe\x72\x5c\x1a\x7c\x47\x99\x0a\x90\xce\x22\x4e\x00\
\x00\xce\x6b\xb1\xf1\x5f\xd8\xf8\x59\xf3\x23\x7f\x4e\x44\xaf\x50\
\x9c\x21\x65\xa1\x42\xc7\xf3\x6c\x85\x72\x5e\x9d\xdd\x47\x9d\x8d\
\xa7\xec\xfc\x24\x43\x83\x5b\xd9\xb5\xfd\x3e\x86\x07\x36\x81\xca\
\x1f\x33\x25\x5e\x87\xab\x38\xe4\x08\xaa\x00\xe1\xe8\x71\x3d\xe6\
\x6e\x0e\xa7\x02\xbb\x82\x15\x4a\xbe\xbc\x2d\x5c\xfc\x52\x2c\x21\
\x91\x52\xf3\xc5\xbd\x70\x75\xbc\xaf\x32\x5c\xf9\xe2\xed\x30\xe2\
\xc9\x03\x65\x65\x18\xea\xdf\xcc\x8e\x57\xbe\xc3\xe0\xfe\x17\xfd\
\x99\x5f\x2d\x00\x0e\x94\x01\x07\x02\x30\x8f\x26\x78\xa6\x73\xd8\
\xfe\xcd\xc7\xb6\x04\x40\xb8\xbb\x73\x44\x02\x4c\x2f\x6c\x2d\x2f\
\x8a\x8e\x01\x15\x85\x05\x1d\x77\xfd\xbf\x70\xef\x32\xbe\x64\x93\
\x26\x81\x7b\x7a\xb4\xd0\xb0\xac\x49\x86\xfb\x37\xb3\xb3\xf3\x5e\
\x86\x07\x5e\x42\x60\x21\xa4\x9c\x96\x01\x65\x1e\xc9\x1f\x69\x62\
\x78\x4d\xd3\xb4\xd0\xf3\x16\xc2\xfe\xbe\x63\x12\x00\xbe\x5e\x0f\
\xce\x34\x7f\xdf\x70\x02\x33\x1a\x84\xf4\xf4\x7b\xe1\xec\x78\x81\
\x40\xc8\x29\xce\x8b\x15\xb8\xb1\xfd\x4d\x74\xbd\x72\x0f\x43\xfd\
\x2f\x96\x89\xfd\x6a\xcf\x48\xf8\x63\x48\x80\xb0\x67\x07\xcf\x70\
\x0a\xdb\xbe\xff\x60\x41\x70\x44\x4b\xc3\x3c\x7f\x3c\xf8\x7f\xfb\
\xb5\xfe\x45\x4c\x02\x43\x17\xa4\x9a\x35\x0c\xc3\x99\xb9\x96\x0d\
\x7d\xfd\x36\x96\x7b\x7e\x84\xae\x43\xba\x45\xc7\xd0\x05\xb9\xbc\
\x62\xdf\xfe\x3c\xd9\x4c\x96\xa1\xfe\x4d\xec\x7c\xe5\xdb\x4c\x8e\
\x6d\xe3\xc4\x85\x27\x60\x9a\xce\x96\xae\xd9\x6c\x96\xb7\xde\x7a\
\x8b\x6c\x36\x8b\x10\x02\xd3\x34\x69\x6f\x6f\x27\x12\x71\x24\x52\
\x26\x93\xf1\xfb\x01\x0c\xc3\xa0\xbd\xbd\x1d\xd3\x34\xc9\x66\xb3\
\xec\xd9\xb3\xa7\x28\x83\xd8\x34\x4d\xe6\xce\x9d\x1b\x3a\xbe\xd7\
\x1f\x36\x7e\x2e\x97\xab\xd8\x1f\x7c\x46\xa5\x33\x98\x0e\x16\x04\
\x47\xb6\x36\xd0\x17\xeb\xa2\x38\x14\x5c\x12\x05\x46\x08\xd2\x2d\
\x1a\x0f\xdc\x35\xab\x68\xa6\xfc\xed\xe7\x7a\xe8\xde\x67\x21\x84\
\x20\xd9\x28\xf9\xde\x9d\x85\x1a\x84\x4f\xac\xde\xc3\xf6\xce\x4d\
\xec\xd8\x76\x0f\xc3\x03\x2f\x31\xff\x84\xb9\x6c\xdb\xb6\xad\xe8\
\xf1\xa7\x9f\x7e\xba\x5f\x10\xd2\xd1\xd1\xc1\xd6\xad\x5b\xcb\xfa\
\xbb\xba\xba\x00\xa7\xbe\xa1\xb3\xb3\xd3\xff\xb1\x97\x2c\x59\xe2\
\xf7\x79\xf4\x61\xe3\x7b\xdf\x99\x37\x6f\x1e\x5b\xb6\x14\x97\x8f\
\x9d\x71\xc6\x19\x53\xf6\x7b\xf4\x61\xa7\xb2\x78\xbf\x43\x70\x4b\
\xfe\xd2\x83\x3c\xaa\x91\x5c\x47\xb8\xa4\xb5\x10\xaa\xf5\x8f\x02\
\x0f\x5c\xc2\xcd\xdf\x33\x74\x41\xaa\x45\x47\x08\xc1\x2d\x6b\xfa\
\xb9\xf9\x4e\x27\xf1\x23\xdd\xa2\x13\x31\x9d\x90\xef\xc8\x98\xe2\
\x53\x5f\xec\xe5\x5f\xbe\xe9\x1c\x54\x9d\x19\xdf\xce\xce\xce\x7f\
\x65\x74\xe8\x65\xa2\x11\x9d\x79\xf3\xe6\x21\x84\xe0\x83\x1f\xfc\
\x20\x97\x5f\x7e\x39\x42\x08\xe6\xcd\x9b\x47\x3c\x1e\x27\x1e\x8f\
\xfb\x05\x28\x97\x5f\x7e\x39\x97\x5f\x7e\xb9\xcf\xd4\x58\x2c\x86\
\xa6\x69\x0c\x0c\x0c\x70\xe6\x99\x67\x72\xcd\x35\xd7\x20\x84\x20\
\x1e\x8f\xfb\xc7\xea\x46\xa3\x51\x3a\x3a\x3a\x42\xc7\x4f\x24\x12\
\x24\x12\x09\xbf\xff\xca\x2b\xaf\xe4\xca\x2b\xaf\x44\x08\x41\x47\
\x47\x47\xd9\xf3\xaf\xb8\xe2\x8a\xa2\xe7\x47\xa3\x51\xff\x18\xdf\
\xe0\x71\xbe\x52\x4a\xbf\x88\xd6\xbb\xf7\x5e\x4b\xd5\xca\x54\x6a\
\xe8\x88\x7a\x01\xc5\x7f\x98\xa8\x08\x91\x54\x8b\xc6\x1d\x37\xa4\
\xf8\x5f\xb7\xef\xe7\xd5\xae\x2c\x02\xb8\xf1\x6b\xfd\xdc\xfe\xcf\
\x29\xfe\xee\x0b\xbd\xf4\xf4\x59\xd8\x16\xec\xeb\xb3\x30\x35\x47\
\xa4\xee\x7d\xe3\x51\x86\x07\x36\x21\xb0\x98\x37\x6f\x21\xbf\xf8\
\xc5\x2f\xb8\xe4\x92\x4b\xd8\xb8\x71\x23\x00\x97\x5e\x7a\x29\x4f\
\x3e\xf9\x24\xcb\x97\x2f\x07\xe0\xc9\x27\x9f\xe4\xd2\x4b\x2f\xf5\
\x33\x9a\xbd\xfe\x65\xcb\x96\xb1\x63\xc7\x0e\xf2\xf9\x3c\xbb\x76\
\xed\x22\x1a\x75\x96\x9c\x3d\x46\x00\x9c\x70\xc2\x09\x6c\xd8\xb0\
\x61\xda\xf1\x2f\xbb\xec\x32\x7f\xfc\xcb\x2e\xbb\x8c\x9f\xff\xfc\
\xe7\x9c\x7d\xf6\xd9\x80\xb3\x15\x8d\xd7\xaf\x94\xf2\xe9\xcf\x3a\
\xeb\x2c\x5f\x0a\x04\x0f\xe7\x92\x52\xfa\xef\x4b\x8f\xe3\x99\x2a\
\x85\xac\xb4\xef\x88\x97\x87\x57\x42\xa8\xf7\x91\x00\x4c\xc3\x41\
\xf6\xf0\xa8\x4d\x2e\x87\x7f\xef\xe8\x4e\xe1\x0b\x0d\xdb\xca\x32\
\x32\xf4\x06\xd0\xce\xd8\xe8\x1f\x90\xc2\x06\x77\x86\x02\xf4\xf7\
\xf7\xfb\x3a\xd7\x3b\xd2\x3e\x16\x8b\xf9\xcf\x1c\x18\x18\xf0\xfb\
\xbd\x32\xb1\x58\x2c\xe6\x1f\x7d\xa3\x94\xf2\xef\xbd\xd9\x08\x1c\
\xf4\xf8\xa5\xfd\x4a\xa9\xb2\xe7\x07\x99\x5e\xfa\x5a\xca\xf8\xa9\
\xec\x82\xd2\xbe\xa3\x7a\x83\x08\xef\x00\x11\x21\x02\xd1\x01\x51\
\x60\xb8\x07\x14\x29\x41\x59\x59\x86\x07\x36\x31\xde\xfd\x33\xe0\
\x42\x04\xb6\x3f\x43\x3d\x46\x05\xc5\x64\xf0\x28\x9b\x20\x53\x4b\
\x69\x3c\x31\x5f\xaa\x5f\xc3\xbe\x1b\x36\x7e\x50\x2c\x87\xd1\x84\
\xf5\x97\x02\x4d\xd3\xb4\x22\x2f\xc0\xb2\xac\x50\x10\x48\x29\xa7\
\x3c\xd7\x29\x0c\x04\xc7\xd4\x0e\x21\xa5\x80\xf0\x00\xa0\xec\x2c\
\x43\x03\x2f\xb3\x6b\xfb\x7d\xcc\x4a\x8d\x95\x49\x96\x30\x06\x04\
\x19\x51\x0d\x53\xbd\x1f\x33\x8c\x6e\xaa\xf1\xa7\x02\x5b\xd8\x38\
\x95\xfa\x3d\x46\x97\xde\x97\x8a\xf7\x30\x83\x70\x2a\x10\x1c\xf5\
\xfb\x9a\x08\x01\xf9\xbc\xf3\x0f\x34\x36\x68\x98\x3a\x98\x06\x34\
\x36\x48\xdf\xdd\x72\x72\xf8\xee\x63\x64\x70\x33\xc2\xcd\x29\x08\
\x1a\x4d\x9e\xd8\x4d\xa7\xd3\x44\xa3\x51\x62\xb1\x18\xa9\x94\x53\
\x81\x94\xcf\xe7\xc9\xe7\x9d\xbc\xbf\x54\x2a\x45\x34\x1a\x25\x1a\
\x8d\xfa\xfd\xb9\x5c\xae\x68\x56\x97\x32\x6b\x26\xe3\xa7\xd3\x69\
\x62\xb1\x18\xf1\x78\xdc\x2f\x7a\xb1\x2c\xab\xac\x3f\xf8\xfc\x6c\
\x36\x8b\x94\x92\x48\x24\xe2\xbb\x89\x42\x08\xff\xbd\x69\x9a\xfe\
\x7b\xcf\x0d\x2d\x55\xab\x95\x8c\x40\x21\xc4\xd1\x09\x00\x51\x12\
\xdb\xe9\x1f\xb4\xf8\xe7\xaf\xf6\xf1\x95\x2f\x15\xab\x9a\xbc\x00\
\x00\x04\x2c\x49\x44\x41\x54\xb6\x70\xfa\xa9\x26\x4b\x4e\x31\xb9\
\xed\x73\x2d\xdc\x7c\x67\x37\x5d\x6f\xbe\xc4\xee\x3f\xdc\xc7\xe4\
\x58\x27\xf3\x4f\x98\xcb\x82\x05\x0b\x00\x58\xb0\x60\x01\x0b\x16\
\x2c\x20\x12\x89\xd0\xd3\xd3\xc3\x15\x57\x5c\xc1\x8f\x7f\xfc\x63\
\xce\x3f\xff\x7c\xce\x3b\xef\x3c\x9e\x78\xe2\x09\x56\xae\x5c\x49\
\x4f\x4f\x0f\xdd\xdd\xdd\x5c\x75\xd5\x55\xac\x5f\xbf\x9e\xf3\xce\
\x3b\x8f\xf3\xce\x3b\x8f\xf5\xeb\xd7\x73\xd5\x55\x57\xd1\xd3\xd3\
\xe3\xff\xc0\x0b\x17\x2e\x3c\xa8\xf1\xd7\xad\x5b\xc7\xb9\xe7\x9e\
\xcb\x39\xe7\x9c\xc3\xe3\x8f\x3f\xce\xd5\x57\x5f\x4d\x77\x77\x37\
\xdd\xdd\xdd\x5c\x7d\xf5\xd5\x7e\xbf\xf7\xfc\x95\x2b\x57\xd2\xdb\
\xdb\x8b\x10\x82\xf6\xf6\x76\xb6\x6c\xd9\x42\x7b\x7b\x3b\x42\x08\
\xe6\xce\x9d\xcb\x6b\xaf\xbd\xe6\x7b\x17\x1d\x1d\x1d\x74\x75\x75\
\xf9\xde\x44\xb5\x20\x38\x26\x54\x40\x2e\x07\xfb\xfb\x9d\x64\x8e\
\x5b\x56\xb5\xf8\x9f\xef\xe8\xda\xc6\xeb\x9b\xef\x65\x64\x70\x33\
\xb3\x67\xa5\xf8\xfd\xef\x7f\xef\xf7\x79\xe5\x5b\xcb\x97\x2f\x67\
\xef\xde\xbd\x74\x77\x77\x03\x4e\x79\x99\xd7\xba\xbb\xbb\xc9\x64\
\x32\x08\x21\xfc\xfe\x87\x1f\x7e\xb8\xa8\xdf\x0b\xc4\xa4\x52\x29\
\x9e\x7d\xf6\xd9\x19\x8f\xef\xd1\x87\x8d\xbf\x77\xef\x5e\x32\x99\
\x8c\x7f\x5f\xa9\xbf\x94\x91\xd3\xb9\x76\xa5\x27\xc0\x4f\xa5\x0e\
\x8e\x58\x52\x68\x5d\xc3\xc9\x9c\xf9\xae\xfb\x48\x34\x9e\x14\xe2\
\xbb\x16\x5e\x85\x1b\xe6\xd7\x0d\x68\x6d\xd1\x31\x0d\x81\x52\x59\
\x06\xf7\x77\xf2\xe2\x33\xdf\xa2\xaf\x77\x23\x02\x0b\xd3\x34\x69\
\x6b\x6b\xf3\x45\xa4\x52\x8a\x4c\x26\xc3\xde\xbd\x7b\xc9\xe5\x72\
\x44\x22\x11\xda\xda\xda\x30\x0c\x03\x21\x04\xb9\x5c\x8e\xb7\xdf\
\x7e\x9b\x5c\x2e\xe7\x47\x02\xbd\x7e\x4f\xf4\x7b\x91\x3c\xa5\x14\
\xa6\x69\x32\x7b\xf6\x6c\x3f\xd2\xe7\x45\xeb\xf6\xee\xdd\x4b\x36\
\x9b\x9d\xd1\xf8\x42\x08\xb2\xd9\xac\x4f\xeb\x45\x02\xe7\xcc\x99\
\xe3\x3f\xdf\x8b\x24\x66\x32\x19\x6c\xdb\xc6\x30\x0c\x9a\x9b\x9b\
\xe9\xed\xed\x65\x72\x72\x12\x5d\xd7\x69\x69\x69\xf1\xdf\x1b\x86\
\x41\x3a\x9d\xa6\xa7\xa7\xc7\x07\x55\xd8\xb1\xbd\xc7\x04\x00\x7c\
\xe6\x3b\xab\xc6\xfe\xab\x14\x4e\xed\xde\xf0\xc0\x26\x76\x76\x7e\
\x87\x91\xc1\x97\xfd\xd8\x7e\xd8\xac\xa8\xf4\xbe\xf4\xb5\xda\x95\
\xc0\xe9\x8e\xd1\x9b\x6a\xfc\x6a\xc4\x71\x18\xb3\x4a\xcf\x64\x0e\
\xc6\x02\xa6\x3a\xb9\x7d\xaa\xbf\xfb\x98\x71\x03\xbd\x65\x01\x04\<|fim▁hole|>\x4d\x76\xb2\xc7\x67\x7e\xe9\x35\x1d\x10\x82\x4c\x9f\x8a\x29\x95\
\x4e\x4a\xaf\x76\x45\x6f\xba\xf1\xab\x91\x38\x40\xe8\xec\x9e\x0a\
\x98\x33\x5d\x18\x3a\xaa\x01\xa0\x70\x66\xfe\xe0\xfe\x17\xd9\xf1\
\xca\xb7\x18\xea\xdf\x84\x20\x57\x16\x70\x09\xf3\xf9\xa7\x13\xcf\
\xd5\x2c\xc5\xce\x64\x59\x78\xaa\xf1\x67\x9a\x4b\x30\x95\x24\x98\
\x4e\xdc\x1f\x5b\xab\x81\xd3\x88\x7e\x65\x67\x18\xdc\xff\x02\x5d\
\x5b\xbf\xc5\x50\xff\x0b\xa0\xf2\x7e\x80\xc4\x0b\x84\x4c\x65\x15\
\x57\xeb\x0b\x57\xc3\x88\xe9\x7e\xe4\x03\x19\x7f\xa6\x76\x47\x70\
\x25\xb0\xf4\x7e\x3a\xd5\x50\xe9\x7f\x38\x6a\x01\x60\x5b\x0e\xf3\
\xdf\xdc\xf2\x0d\x9f\xf9\xc1\xe5\xcf\xa9\x98\x5f\xad\xc1\x35\xd5\
\x77\xa6\x62\xf6\x4c\x44\xfb\x81\x00\x20\x0c\x78\x95\x8c\xc3\xe9\
\x8c\xbc\xe9\x0c\x57\xfd\x68\x65\xfe\x40\xdf\x0b\xbc\xb9\xe5\xeb\
\x0c\xf5\xbf\x80\x72\xb7\x67\xab\x64\x74\x4d\xa5\x7b\x0f\x96\x29\
\x07\x22\x5a\x0f\x55\xfa\xd8\x74\x86\xdf\x54\x33\xbe\x5a\xfb\x40\
\x3f\x9a\x99\x3f\xb8\x7f\xa3\xcf\xfc\xb0\x4c\x98\xa0\xa5\x7d\x38\
\x77\xd1\x38\xf2\xea\xb0\xf2\x8c\xae\xd6\x56\xa9\x04\x64\xfd\x68\
\x67\x7e\x98\x7b\x35\x93\x59\x7a\x38\x40\x50\x9c\xb4\xfa\xc7\x63\
\xfe\x74\xef\x67\xfa\xfb\x28\xa5\x8e\x1e\x00\x54\x62\x7e\x25\x1f\
\xbb\x34\x51\xf2\x50\x8a\xf0\xc3\xa5\x1a\x0e\x87\x34\x38\xd0\xbf\
\xef\xa8\x5a\x0e\x2e\x65\xbe\x77\xae\x6f\x25\xd7\xac\xd4\xdf\x9f\
\xce\x35\x7b\x27\xa9\x80\x43\x01\xc8\xa3\x2a\x12\x68\xdb\x19\x06\
\xfb\x5e\x2c\x63\xfe\x54\xa2\x36\x2c\xfa\x75\x34\xcd\xd2\x23\x0d\
\x86\x99\xd0\xeb\x47\x9a\xf9\x43\xfb\x5e\xe2\xcd\xad\xe5\xcc\xaf\
\x34\xeb\x8f\x17\x46\xff\xb1\x40\x73\xc4\x00\x60\x5b\x19\x06\xf6\
\xbf\x40\xef\xce\x9f\x32\xb8\xff\xc5\x50\xe6\xcf\x14\x08\x35\x46\
\x1f\x80\xcb\xca\x11\x5a\x0d\x94\xd2\xc4\x88\xa6\xc8\x4d\xf6\x39\
\xa7\x78\x1c\x82\x76\x2c\x83\xe3\x48\x49\xb1\x23\xb8\x4b\xd8\xe1\
\x79\xfc\xb1\x0a\x82\xe3\x14\x00\xb5\x76\xa4\x9b\xac\xfd\x04\x35\
\x00\xd4\x5a\x0d\x00\xb5\x56\x03\x40\xad\x1d\x97\xed\xff\x03\x44\
\xcc\x2a\x9e\xfe\x98\xe9\xac\x00\x00\x00\x00\x49\x45\x4e\x44\xae\
\x42\x60\x82\
\x00\x00\x0b\x40\
\x3c\
\x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\
\x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x55\x54\x46\
\x2d\x38\x22\x20\x73\x74\x61\x6e\x64\x61\x6c\x6f\x6e\x65\x3d\x22\
\x6e\x6f\x22\x3f\x3e\x0a\x3c\x21\x2d\x2d\x20\x43\x72\x65\x61\x74\
\x65\x64\x20\x77\x69\x74\x68\x20\x49\x6e\x6b\x73\x63\x61\x70\x65\
\x20\x28\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x2e\x6f\x72\x67\x2f\x29\x20\x2d\x2d\x3e\x0a\
\x0a\x3c\x73\x76\x67\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x64\
\x63\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x70\x75\x72\x6c\x2e\x6f\
\x72\x67\x2f\x64\x63\x2f\x65\x6c\x65\x6d\x65\x6e\x74\x73\x2f\x31\
\x2e\x31\x2f\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x63\x63\
\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x63\x72\x65\x61\x74\x69\x76\
\x65\x63\x6f\x6d\x6d\x6f\x6e\x73\x2e\x6f\x72\x67\x2f\x6e\x73\x23\
\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x72\x64\x66\x3d\x22\
\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\
\x67\x2f\x31\x39\x39\x39\x2f\x30\x32\x2f\x32\x32\x2d\x72\x64\x66\
\x2d\x73\x79\x6e\x74\x61\x78\x2d\x6e\x73\x23\x22\x0a\x20\x20\x20\
\x78\x6d\x6c\x6e\x73\x3a\x73\x76\x67\x3d\x22\x68\x74\x74\x70\x3a\
\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x32\x30\x30\
\x30\x2f\x73\x76\x67\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3d\
\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\
\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x0a\x20\x20\x20\
\x78\x6d\x6c\x6e\x73\x3a\x73\x6f\x64\x69\x70\x6f\x64\x69\x3d\x22\
\x68\x74\x74\x70\x3a\x2f\x2f\x73\x6f\x64\x69\x70\x6f\x64\x69\x2e\
\x73\x6f\x75\x72\x63\x65\x66\x6f\x72\x67\x65\x2e\x6e\x65\x74\x2f\
\x44\x54\x44\x2f\x73\x6f\x64\x69\x70\x6f\x64\x69\x2d\x30\x2e\x64\
\x74\x64\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\
\x77\x2e\x69\x6e\x6b\x73\x63\x61\x70\x65\x2e\x6f\x72\x67\x2f\x6e\
\x61\x6d\x65\x73\x70\x61\x63\x65\x73\x2f\x69\x6e\x6b\x73\x63\x61\
\x70\x65\x22\x0a\x20\x20\x20\x77\x69\x64\x74\x68\x3d\x22\x33\x32\
\x70\x78\x22\x0a\x20\x20\x20\x68\x65\x69\x67\x68\x74\x3d\x22\x33\
\x32\x70\x78\x22\x0a\x20\x20\x20\x76\x69\x65\x77\x42\x6f\x78\x3d\
\x22\x30\x20\x30\x20\x33\x32\x20\x33\x32\x22\x0a\x20\x20\x20\x76\
\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x0a\x20\x20\x20\
\x69\x64\x3d\x22\x53\x56\x47\x52\x6f\x6f\x74\x22\x0a\x20\x20\x20\
\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x76\x65\x72\x73\x69\x6f\x6e\
\x3d\x22\x30\x2e\x39\x32\x2e\x31\x20\x72\x22\x0a\x20\x20\x20\x73\
\x6f\x64\x69\x70\x6f\x64\x69\x3a\x64\x6f\x63\x6e\x61\x6d\x65\x3d\
\x22\x65\x71\x75\x61\x6c\x73\x5f\x71\x6d\x2e\x73\x76\x67\x22\x3e\
\x0a\x20\x20\x3c\x73\x6f\x64\x69\x70\x6f\x64\x69\x3a\x6e\x61\x6d\
\x65\x64\x76\x69\x65\x77\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\x22\
\x62\x61\x73\x65\x22\x0a\x20\x20\x20\x20\x20\x70\x61\x67\x65\x63\
\x6f\x6c\x6f\x72\x3d\x22\x23\x66\x66\x66\x66\x66\x66\x22\x0a\x20\
\x20\x20\x20\x20\x62\x6f\x72\x64\x65\x72\x63\x6f\x6c\x6f\x72\x3d\
\x22\x23\x36\x36\x36\x36\x36\x36\x22\x0a\x20\x20\x20\x20\x20\x62\
\x6f\x72\x64\x65\x72\x6f\x70\x61\x63\x69\x74\x79\x3d\x22\x31\x2e\
\x30\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\
\x3a\x70\x61\x67\x65\x6f\x70\x61\x63\x69\x74\x79\x3d\x22\x30\x2e\
\x30\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\
\x3a\x70\x61\x67\x65\x73\x68\x61\x64\x6f\x77\x3d\x22\x32\x22\x0a\
\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x7a\x6f\
\x6f\x6d\x3d\x22\x31\x36\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x3a\x63\x78\x3d\x22\x32\x30\x2e\x33\x38\x34\
\x37\x34\x33\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\
\x70\x65\x3a\x63\x79\x3d\x22\x31\x34\x2e\x39\x35\x33\x31\x32\x35\
\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\
\x64\x6f\x63\x75\x6d\x65\x6e\x74\x2d\x75\x6e\x69\x74\x73\x3d\x22\
\x70\x78\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\
\x65\x3a\x63\x75\x72\x72\x65\x6e\x74\x2d\x6c\x61\x79\x65\x72\x3d\
\x22\x6c\x61\x79\x65\x72\x31\x22\x0a\x20\x20\x20\x20\x20\x73\x68\
\x6f\x77\x67\x72\x69\x64\x3d\x22\x66\x61\x6c\x73\x65\x22\x0a\x20\
\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\
\x64\x6f\x77\x2d\x77\x69\x64\x74\x68\x3d\x22\x31\x39\x32\x30\x22\
\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\
\x69\x6e\x64\x6f\x77\x2d\x68\x65\x69\x67\x68\x74\x3d\x22\x31\x31\
\x34\x31\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\
\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x78\x3d\x22\x30\x22\x0a\x20\
\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\
\x64\x6f\x77\x2d\x79\x3d\x22\x30\x22\x0a\x20\x20\x20\x20\x20\x69\
\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x6d\
\x61\x78\x69\x6d\x69\x7a\x65\x64\x3d\x22\x31\x22\x0a\x20\x20\x20\
\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x67\x72\x69\x64\x2d\
\x62\x62\x6f\x78\x3d\x22\x74\x72\x75\x65\x22\x20\x2f\x3e\x0a\x20\
\x20\x3c\x64\x65\x66\x73\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\x22\
\x64\x65\x66\x73\x34\x34\x38\x35\x22\x20\x2f\x3e\x0a\x20\x20\x3c\
\x6d\x65\x74\x61\x64\x61\x74\x61\x0a\x20\x20\x20\x20\x20\x69\x64\
\x3d\x22\x6d\x65\x74\x61\x64\x61\x74\x61\x34\x34\x38\x38\x22\x3e\
\x0a\x20\x20\x20\x20\x3c\x72\x64\x66\x3a\x52\x44\x46\x3e\x0a\x20\
\x20\x20\x20\x20\x20\x3c\x63\x63\x3a\x57\x6f\x72\x6b\x0a\x20\x20\
\x20\x20\x20\x20\x20\x20\x20\x72\x64\x66\x3a\x61\x62\x6f\x75\x74\
\x3d\x22\x22\x3e\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x3c\x64\x63\
\x3a\x66\x6f\x72\x6d\x61\x74\x3e\x69\x6d\x61\x67\x65\x2f\x73\x76\
\x67\x2b\x78\x6d\x6c\x3c\x2f\x64\x63\x3a\x66\x6f\x72\x6d\x61\x74\
\x3e\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x3c\x64\x63\x3a\x74\x79\
\x70\x65\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x20\x20\x72\x64\
\x66\x3a\x72\x65\x73\x6f\x75\x72\x63\x65\x3d\x22\x68\x74\x74\x70\
\x3a\x2f\x2f\x70\x75\x72\x6c\x2e\x6f\x72\x67\x2f\x64\x63\x2f\x64\
\x63\x6d\x69\x74\x79\x70\x65\x2f\x53\x74\x69\x6c\x6c\x49\x6d\x61\
\x67\x65\x22\x20\x2f\x3e\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x3c\
\x64\x63\x3a\x74\x69\x74\x6c\x65\x3e\x3c\x2f\x64\x63\x3a\x74\x69\
\x74\x6c\x65\x3e\x0a\x20\x20\x20\x20\x20\x20\x3c\x2f\x63\x63\x3a\
\x57\x6f\x72\x6b\x3e\x0a\x20\x20\x20\x20\x3c\x2f\x72\x64\x66\x3a\
\x52\x44\x46\x3e\x0a\x20\x20\x3c\x2f\x6d\x65\x74\x61\x64\x61\x74\
\x61\x3e\x0a\x20\x20\x3c\x67\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\
\x22\x6c\x61\x79\x65\x72\x31\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\
\x6b\x73\x63\x61\x70\x65\x3a\x67\x72\x6f\x75\x70\x6d\x6f\x64\x65\
\x3d\x22\x6c\x61\x79\x65\x72\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\
\x6b\x73\x63\x61\x70\x65\x3a\x6c\x61\x62\x65\x6c\x3d\x22\x45\x62\
\x65\x6e\x65\x20\x31\x22\x3e\x0a\x20\x20\x20\x20\x3c\x67\x0a\x20\
\x20\x20\x20\x20\x20\x20\x61\x72\x69\x61\x2d\x6c\x61\x62\x65\x6c\
\x3d\x22\x09\xe2\x89\x9f\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x73\
\x74\x79\x6c\x65\x3d\x22\x66\x6f\x6e\x74\x2d\x73\x74\x79\x6c\x65\
\x3a\x6e\x6f\x72\x6d\x61\x6c\x3b\x66\x6f\x6e\x74\x2d\x76\x61\x72\
\x69\x61\x6e\x74\x3a\x6e\x6f\x72\x6d\x61\x6c\x3b\x66\x6f\x6e\x74\
\x2d\x77\x65\x69\x67\x68\x74\x3a\x39\x30\x30\x3b\x66\x6f\x6e\x74\
\x2d\x73\x74\x72\x65\x74\x63\x68\x3a\x6e\x6f\x72\x6d\x61\x6c\x3b\
\x66\x6f\x6e\x74\x2d\x73\x69\x7a\x65\x3a\x34\x30\x70\x78\x3b\x6c\
\x69\x6e\x65\x2d\x68\x65\x69\x67\x68\x74\x3a\x31\x2e\x32\x35\x3b\
\x66\x6f\x6e\x74\x2d\x66\x61\x6d\x69\x6c\x79\x3a\x27\x53\x6f\x75\
\x72\x63\x65\x20\x43\x6f\x64\x65\x20\x50\x72\x6f\x27\x3b\x2d\x69\
\x6e\x6b\x73\x63\x61\x70\x65\x2d\x66\x6f\x6e\x74\x2d\x73\x70\x65\
\x63\x69\x66\x69\x63\x61\x74\x69\x6f\x6e\x3a\x27\x53\x6f\x75\x72\
\x63\x65\x20\x43\x6f\x64\x65\x20\x50\x72\x6f\x20\x48\x65\x61\x76\
\x79\x27\x3b\x6c\x65\x74\x74\x65\x72\x2d\x73\x70\x61\x63\x69\x6e\
\x67\x3a\x30\x70\x78\x3b\x77\x6f\x72\x64\x2d\x73\x70\x61\x63\x69\
\x6e\x67\x3a\x30\x70\x78\x3b\x66\x69\x6c\x6c\x3a\x23\x30\x30\x35\
\x35\x64\x34\x3b\x66\x69\x6c\x6c\x2d\x6f\x70\x61\x63\x69\x74\x79\
\x3a\x31\x3b\x73\x74\x72\x6f\x6b\x65\x3a\x6e\x6f\x6e\x65\x22\x0a\
\x20\x20\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x74\x65\x78\x74\x35\
\x30\x34\x36\x22\x3e\x0a\x20\x20\x20\x20\x20\x20\x3c\x70\x61\x74\
\x68\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x64\x3d\x22\x4d\x20\
\x33\x2e\x39\x37\x32\x36\x35\x36\x33\x2c\x31\x37\x2e\x34\x37\x32\
\x36\x35\x36\x20\x48\x20\x32\x39\x2e\x30\x31\x31\x37\x31\x39\x20\
\x56\x20\x32\x32\x2e\x30\x36\x32\x35\x20\x48\x20\x33\x2e\x39\x37\
\x32\x36\x35\x36\x33\x20\x5a\x20\x6d\x20\x30\x2c\x38\x2e\x38\x38\
\x36\x37\x31\x39\x20\x48\x20\x32\x39\x2e\x30\x31\x31\x37\x31\x39\
\x20\x76\x20\x34\x2e\x36\x32\x38\x39\x30\x36\x20\x48\x20\x33\x2e\
\x39\x37\x32\x36\x35\x36\x33\x20\x5a\x20\x4d\x20\x31\x37\x2e\x35\
\x38\x35\x39\x33\x37\x2c\x31\x30\x2e\x35\x33\x39\x30\x36\x33\x20\
\x68\x20\x2d\x33\x2e\x35\x33\x35\x31\x35\x36\x20\x76\x20\x2d\x30\
\x2e\x34\x36\x38\x37\x35\x20\x71\x20\x30\x2c\x2d\x30\x2e\x38\x32\
\x30\x33\x31\x33\x20\x30\x2e\x33\x31\x32\x35\x2c\x2d\x31\x2e\x34\
\x32\x35\x37\x38\x31\x37\x20\x30\x2e\x33\x33\x32\x30\x33\x32\x2c\
\x2d\x30\x2e\x36\x32\x35\x20\x31\x2e\x33\x36\x37\x31\x38\x38\x2c\
\x2d\x31\x2e\x35\x38\x32\x30\x33\x31\x33\x20\x6c\x20\x30\x2e\x36\
\x32\x35\x2c\x2d\x30\x2e\x35\x36\x36\x34\x30\x36\x33\x20\x71\x20\
\x30\x2e\x35\x36\x36\x34\x30\x36\x2c\x2d\x30\x2e\x35\x30\x37\x38\
\x31\x32\x35\x20\x30\x2e\x38\x32\x30\x33\x31\x32\x2c\x2d\x30\x2e\
\x39\x35\x37\x30\x33\x31\x32\x20\x30\x2e\x32\x35\x33\x39\x30\x36\
\x2c\x2d\x30\x2e\x34\x34\x39\x32\x31\x38\x38\x20\x30\x2e\x32\x35\
\x33\x39\x30\x36\x2c\x2d\x30\x2e\x38\x39\x38\x34\x33\x37\x35\x20\
\x30\x2c\x2d\x30\x2e\x36\x38\x33\x35\x39\x33\x37\x20\x2d\x30\x2e\
\x34\x36\x38\x37\x35\x2c\x2d\x31\x2e\x30\x35\x34\x36\x38\x37\x35\
\x20\x2d\x30\x2e\x34\x36\x38\x37\x35\x2c\x2d\x30\x2e\x33\x39\x30\
\x36\x32\x35\x20\x2d\x31\x2e\x33\x30\x38\x35\x39\x33\x2c\x2d\x30\
\x2e\x33\x39\x30\x36\x32\x35\x20\x2d\x30\x2e\x38\x30\x30\x37\x38\
\x31\x2c\x30\x20\x2d\x31\x2e\x37\x31\x38\x37\x35\x2c\x30\x2e\x33\
\x33\x32\x30\x33\x31\x33\x20\x2d\x30\x2e\x39\x31\x37\x39\x36\x39\
\x2c\x30\x2e\x33\x31\x32\x35\x20\x2d\x31\x2e\x38\x39\x34\x35\x33\
\x31\x2c\x30\x2e\x39\x35\x37\x30\x33\x31\x32\x20\x56\x20\x31\x2e\
\x34\x31\x37\x39\x36\x38\x37\x20\x51\x20\x31\x33\x2e\x32\x31\x30\
\x39\x33\x38\x2c\x31\x2e\x30\x30\x37\x38\x31\x32\x35\x20\x31\x34\
\x2e\x31\x38\x37\x35\x2c\x30\x2e\x38\x31\x32\x35\x20\x71\x20\x30\
\x2e\x39\x37\x36\x35\x36\x33\x2c\x2d\x30\x2e\x31\x39\x35\x33\x31\
\x32\x35\x20\x31\x2e\x38\x37\x35\x2c\x2d\x30\x2e\x31\x39\x35\x33\
\x31\x32\x35\x20\x32\x2e\x33\x38\x32\x38\x31\x32\x2c\x30\x20\x33\
\x2e\x36\x33\x32\x38\x31\x32\x2c\x30\x2e\x39\x37\x36\x35\x36\x32\
\x35\x20\x31\x2e\x32\x35\x2c\x30\x2e\x39\x37\x36\x35\x36\x32\x35\
\x20\x31\x2e\x32\x35\x2c\x32\x2e\x38\x33\x32\x30\x33\x31\x32\x20\
\x30\x2c\x30\x2e\x39\x35\x37\x30\x33\x31\x33\x20\x2d\x30\x2e\x33\
\x37\x31\x30\x39\x33\x2c\x31\x2e\x37\x31\x38\x37\x35\x20\x51\x20\
\x32\x30\x2e\x32\x30\x33\x31\x32\x35\x2c\x36\x2e\x39\x30\x36\x32\
\x35\x20\x31\x39\x2e\x32\x36\x35\x36\x32\x35\x2c\x37\x2e\x37\x36\
\x35\x36\x32\x35\x20\x6c\x20\x2d\x30\x2e\x36\x32\x35\x2c\x30\x2e\
\x35\x34\x36\x38\x37\x35\x20\x71\x20\x2d\x30\x2e\x36\x36\x34\x30\
\x36\x33\x2c\x30\x2e\x36\x32\x35\x20\x2d\x30\x2e\x38\x35\x39\x33\
\x37\x35\x2c\x30\x2e\x39\x39\x36\x30\x39\x33\x38\x20\x2d\x30\x2e\
\x31\x39\x35\x33\x31\x33\x2c\x30\x2e\x33\x35\x31\x35\x36\x32\x35\
\x20\x2d\x30\x2e\x31\x39\x35\x33\x31\x33\x2c\x30\x2e\x38\x30\x30\
\x37\x38\x31\x32\x20\x7a\x20\x6d\x20\x2d\x33\x2e\x35\x33\x35\x31\
\x35\x36\x2c\x31\x2e\x34\x34\x35\x33\x31\x32\x20\x68\x20\x33\x2e\
\x35\x33\x35\x31\x35\x36\x20\x76\x20\x33\x2e\x34\x37\x36\x35\x36\
\x33\x20\x68\x20\x2d\x33\x2e\x35\x33\x35\x31\x35\x36\x20\x7a\x22\
\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x73\x74\x79\x6c\x65\x3d\
\x22\x66\x69\x6c\x6c\x3a\x23\x30\x30\x35\x35\x64\x34\x3b\x66\x69\
\x6c\x6c\x2d\x6f\x70\x61\x63\x69\x74\x79\x3a\x31\x22\x0a\x20\x20\
\x20\x20\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x70\x61\x74\x68\x35\
\x30\x34\x38\x22\x20\x2f\x3e\x0a\x20\x20\x20\x20\x3c\x2f\x67\x3e\
\x0a\x20\x20\x3c\x2f\x67\x3e\x0a\x3c\x2f\x73\x76\x67\x3e\x0a\
\x00\x00\x09\x70\
\x3c\
\x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\
\x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x55\x54\x46\
\x2d\x38\x22\x20\x73\x74\x61\x6e\x64\x61\x6c\x6f\x6e\x65\x3d\x22\
\x6e\x6f\x22\x3f\x3e\x0a\x3c\x21\x2d\x2d\x20\x43\x72\x65\x61\x74\
\x65\x64\x20\x77\x69\x74\x68\x20\x49\x6e\x6b\x73\x63\x61\x70\x65\
\x20\x28\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x2e\x6f\x72\x67\x2f\x29\x20\x2d\x2d\x3e\x0a\
\x0a\x3c\x73\x76\x67\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x64\
\x63\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x70\x75\x72\x6c\x2e\x6f\
\x72\x67\x2f\x64\x63\x2f\x65\x6c\x65\x6d\x65\x6e\x74\x73\x2f\x31\
\x2e\x31\x2f\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x63\x63\
\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x63\x72\x65\x61\x74\x69\x76\
\x65\x63\x6f\x6d\x6d\x6f\x6e\x73\x2e\x6f\x72\x67\x2f\x6e\x73\x23\
\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x72\x64\x66\x3d\x22\
\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\
\x67\x2f\x31\x39\x39\x39\x2f\x30\x32\x2f\x32\x32\x2d\x72\x64\x66\
\x2d\x73\x79\x6e\x74\x61\x78\x2d\x6e\x73\x23\x22\x0a\x20\x20\x20\
\x78\x6d\x6c\x6e\x73\x3a\x73\x76\x67\x3d\x22\x68\x74\x74\x70\x3a\
\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x32\x30\x30\
\x30\x2f\x73\x76\x67\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3d\
\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\
\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x0a\x20\x20\x20\
\x78\x6d\x6c\x6e\x73\x3a\x73\x6f\x64\x69\x70\x6f\x64\x69\x3d\x22\
\x68\x74\x74\x70\x3a\x2f\x2f\x73\x6f\x64\x69\x70\x6f\x64\x69\x2e\
\x73\x6f\x75\x72\x63\x65\x66\x6f\x72\x67\x65\x2e\x6e\x65\x74\x2f\
\x44\x54\x44\x2f\x73\x6f\x64\x69\x70\x6f\x64\x69\x2d\x30\x2e\x64\
\x74\x64\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\
\x77\x2e\x69\x6e\x6b\x73\x63\x61\x70\x65\x2e\x6f\x72\x67\x2f\x6e\
\x61\x6d\x65\x73\x70\x61\x63\x65\x73\x2f\x69\x6e\x6b\x73\x63\x61\
\x70\x65\x22\x0a\x20\x20\x20\x77\x69\x64\x74\x68\x3d\x22\x38\x6d\
\x6d\x22\x0a\x20\x20\x20\x68\x65\x69\x67\x68\x74\x3d\x22\x31\x36\
\x6d\x6d\x22\x0a\x20\x20\x20\x76\x69\x65\x77\x42\x6f\x78\x3d\x22\
\x30\x20\x30\x20\x38\x20\x31\x36\x22\x0a\x20\x20\x20\x76\x65\x72\
\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x0a\x20\x20\x20\x69\x64\
\x3d\x22\x73\x76\x67\x38\x22\x0a\x20\x20\x20\x69\x6e\x6b\x73\x63\
\x61\x70\x65\x3a\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x30\x2e\x39\
\x32\x2e\x31\x20\x72\x22\x0a\x20\x20\x20\x73\x6f\x64\x69\x70\x6f\
\x64\x69\x3a\x64\x6f\x63\x6e\x61\x6d\x65\x3d\x22\x73\x70\x6c\x69\
\x74\x74\x65\x72\x5f\x68\x61\x6e\x64\x6c\x65\x5f\x76\x65\x72\x74\
\x69\x63\x61\x6c\x2e\x73\x76\x67\x22\x3e\x0a\x20\x20\x3c\x64\x65\
\x66\x73\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x64\x65\x66\x73\
\x32\x22\x20\x2f\x3e\x0a\x20\x20\x3c\x73\x6f\x64\x69\x70\x6f\x64\
\x69\x3a\x6e\x61\x6d\x65\x64\x76\x69\x65\x77\x0a\x20\x20\x20\x20\
\x20\x69\x64\x3d\x22\x62\x61\x73\x65\x22\x0a\x20\x20\x20\x20\x20\
\x70\x61\x67\x65\x63\x6f\x6c\x6f\x72\x3d\x22\x23\x66\x66\x66\x66\
\x66\x66\x22\x0a\x20\x20\x20\x20\x20\x62\x6f\x72\x64\x65\x72\x63\
\x6f\x6c\x6f\x72\x3d\x22\x23\x36\x36\x36\x36\x36\x36\x22\x0a\x20\
\x20\x20\x20\x20\x62\x6f\x72\x64\x65\x72\x6f\x70\x61\x63\x69\x74\
\x79\x3d\x22\x31\x2e\x30\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x3a\x70\x61\x67\x65\x6f\x70\x61\x63\x69\x74\
\x79\x3d\x22\x30\x2e\x30\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x3a\x70\x61\x67\x65\x73\x68\x61\x64\x6f\x77\
\x3d\x22\x32\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\
\x70\x65\x3a\x7a\x6f\x6f\x6d\x3d\x22\x31\x31\x2e\x32\x22\x0a\x20\
\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x63\x78\x3d\
\x22\x32\x38\x2e\x36\x38\x32\x36\x33\x36\x22\x0a\x20\x20\x20\x20\
\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x63\x79\x3d\x22\x33\x35\
\x2e\x31\x32\x38\x36\x37\x39\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\
\x6b\x73\x63\x61\x70\x65\x3a\x64\x6f\x63\x75\x6d\x65\x6e\x74\x2d\
\x75\x6e\x69\x74\x73\x3d\x22\x6d\x6d\x22\x0a\x20\x20\x20\x20\x20\
\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x63\x75\x72\x72\x65\x6e\x74\
\x2d\x6c\x61\x79\x65\x72\x3d\x22\x6c\x61\x79\x65\x72\x31\x22\x0a\
\x20\x20\x20\x20\x20\x73\x68\x6f\x77\x67\x72\x69\x64\x3d\x22\x66\
\x61\x6c\x73\x65\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\
\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x77\x69\x64\x74\x68\
\x3d\x22\x31\x39\x32\x30\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x68\x65\x69\
\x67\x68\x74\x3d\x22\x31\x31\x34\x31\x22\x0a\x20\x20\x20\x20\x20\
\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\
\x78\x3d\x22\x30\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\
\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x79\x3d\x22\x30\x22\
\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\
\x69\x6e\x64\x6f\x77\x2d\x6d\x61\x78\x69\x6d\x69\x7a\x65\x64\x3d\
\x22\x31\x22\x20\x2f\x3e\x0a\x20\x20\x3c\x6d\x65\x74\x61\x64\x61\
\x74\x61\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x6d\x65\x74\x61\
\x64\x61\x74\x61\x35\x22\x3e\x0a\x20\x20\x20\x20\x3c\x72\x64\x66\
\x3a\x52\x44\x46\x3e\x0a\x20\x20\x20\x20\x20\x20\x3c\x63\x63\x3a\
\x57\x6f\x72\x6b\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x72\x64\
\x66\x3a\x61\x62\x6f\x75\x74\x3d\x22\x22\x3e\x0a\x20\x20\x20\x20\
\x20\x20\x20\x20\x3c\x64\x63\x3a\x66\x6f\x72\x6d\x61\x74\x3e\x69\
\x6d\x61\x67\x65\x2f\x73\x76\x67\x2b\x78\x6d\x6c\x3c\x2f\x64\x63\
\x3a\x66\x6f\x72\x6d\x61\x74\x3e\x0a\x20\x20\x20\x20\x20\x20\x20\
\x20\x3c\x64\x63\x3a\x74\x79\x70\x65\x0a\x20\x20\x20\x20\x20\x20\
\x20\x20\x20\x20\x20\x72\x64\x66\x3a\x72\x65\x73\x6f\x75\x72\x63\
\x65\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x70\x75\x72\x6c\x2e\x6f\
\x72\x67\x2f\x64\x63\x2f\x64\x63\x6d\x69\x74\x79\x70\x65\x2f\x53\
\x74\x69\x6c\x6c\x49\x6d\x61\x67\x65\x22\x20\x2f\x3e\x0a\x20\x20\
\x20\x20\x20\x20\x20\x20\x3c\x64\x63\x3a\x74\x69\x74\x6c\x65\x3e\
\x3c\x2f\x64\x63\x3a\x74\x69\x74\x6c\x65\x3e\x0a\x20\x20\x20\x20\
\x20\x20\x3c\x2f\x63\x63\x3a\x57\x6f\x72\x6b\x3e\x0a\x20\x20\x20\
\x20\x3c\x2f\x72\x64\x66\x3a\x52\x44\x46\x3e\x0a\x20\x20\x3c\x2f\
\x6d\x65\x74\x61\x64\x61\x74\x61\x3e\x0a\x20\x20\x3c\x67\x0a\x20\
\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x6c\x61\x62\
\x65\x6c\x3d\x22\x45\x62\x65\x6e\x65\x20\x31\x22\x0a\x20\x20\x20\
\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x67\x72\x6f\x75\x70\
\x6d\x6f\x64\x65\x3d\x22\x6c\x61\x79\x65\x72\x22\x0a\x20\x20\x20\
\x20\x20\x69\x64\x3d\x22\x6c\x61\x79\x65\x72\x31\x22\x0a\x20\x20\
\x20\x20\x20\x74\x72\x61\x6e\x73\x66\x6f\x72\x6d\x3d\x22\x74\x72\
\x61\x6e\x73\x6c\x61\x74\x65\x28\x30\x2c\x2d\x32\x38\x31\x29\x22\
\x3e\x0a\x20\x20\x20\x20\x3c\x63\x69\x72\x63\x6c\x65\x0a\x20\x20\
\x20\x20\x20\x20\x20\x73\x74\x79\x6c\x65\x3d\x22\x66\x69\x6c\x6c\
\x3a\x23\x30\x30\x30\x30\x30\x30\x3b\x66\x69\x6c\x6c\x2d\x6f\x70\
\x61\x63\x69\x74\x79\x3a\x31\x3b\x73\x74\x72\x6f\x6b\x65\x3a\x6e\
\x6f\x6e\x65\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x77\x69\x64\x74\x68\
\x3a\x30\x2e\x32\x35\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x6d\x69\x74\
\x65\x72\x6c\x69\x6d\x69\x74\x3a\x34\x3b\x73\x74\x72\x6f\x6b\x65\
\x2d\x64\x61\x73\x68\x61\x72\x72\x61\x79\x3a\x6e\x6f\x6e\x65\x3b\
\x73\x74\x72\x6f\x6b\x65\x2d\x6f\x70\x61\x63\x69\x74\x79\x3a\x31\
\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x70\x61\x74\
\x68\x34\x34\x38\x37\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x63\x78\
\x3d\x22\x2d\x32\x39\x34\x2e\x39\x38\x36\x34\x38\x22\x0a\x20\x20\
\x20\x20\x20\x20\x20\x63\x79\x3d\x22\x33\x2e\x39\x31\x33\x35\x30\
\x34\x36\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x72\x3d\x22\x31\x2e\
\x39\x31\x33\x35\x30\x34\x35\x22\x0a\x20\x20\x20\x20\x20\x20\x20\
\x74\x72\x61\x6e\x73\x66\x6f\x72\x6d\x3d\x22\x72\x6f\x74\x61\x74\
\x65\x28\x2d\x39\x30\x29\x22\x20\x2f\x3e\x0a\x20\x20\x20\x20\x3c\
\x63\x69\x72\x63\x6c\x65\x0a\x20\x20\x20\x20\x20\x20\x20\x73\x74\
\x79\x6c\x65\x3d\x22\x66\x69\x6c\x6c\x3a\x23\x30\x30\x30\x30\x30\
\x30\x3b\x66\x69\x6c\x6c\x2d\x6f\x70\x61\x63\x69\x74\x79\x3a\x31\
\x3b\x73\x74\x72\x6f\x6b\x65\x3a\x6e\x6f\x6e\x65\x3b\x73\x74\x72\
\x6f\x6b\x65\x2d\x77\x69\x64\x74\x68\x3a\x30\x2e\x32\x35\x3b\x73\
\x74\x72\x6f\x6b\x65\x2d\x6d\x69\x74\x65\x72\x6c\x69\x6d\x69\x74\
\x3a\x34\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x64\x61\x73\x68\x61\x72\
\x72\x61\x79\x3a\x6e\x6f\x6e\x65\x3b\x73\x74\x72\x6f\x6b\x65\x2d\
\x6f\x70\x61\x63\x69\x74\x79\x3a\x31\x22\x0a\x20\x20\x20\x20\x20\
\x20\x20\x69\x64\x3d\x22\x70\x61\x74\x68\x34\x34\x38\x37\x2d\x36\
\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x63\x78\x3d\x22\x2d\x32\x38\
\x39\x2e\x30\x38\x36\x34\x39\x22\x0a\x20\x20\x20\x20\x20\x20\x20\
\x63\x79\x3d\x22\x33\x2e\x39\x31\x33\x35\x30\x34\x36\x22\x0a\x20\
\x20\x20\x20\x20\x20\x20\x72\x3d\x22\x31\x2e\x39\x31\x33\x35\x30\
\x34\x35\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x74\x72\x61\x6e\x73\
\x66\x6f\x72\x6d\x3d\x22\x72\x6f\x74\x61\x74\x65\x28\x2d\x39\x30\
\x29\x22\x20\x2f\x3e\x0a\x20\x20\x20\x20\x3c\x63\x69\x72\x63\x6c\
\x65\x0a\x20\x20\x20\x20\x20\x20\x20\x73\x74\x79\x6c\x65\x3d\x22\
\x66\x69\x6c\x6c\x3a\x23\x30\x30\x30\x30\x30\x30\x3b\x66\x69\x6c\
\x6c\x2d\x6f\x70\x61\x63\x69\x74\x79\x3a\x31\x3b\x73\x74\x72\x6f\
\x6b\x65\x3a\x6e\x6f\x6e\x65\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x77\
\x69\x64\x74\x68\x3a\x30\x2e\x32\x35\x3b\x73\x74\x72\x6f\x6b\x65\
\x2d\x6d\x69\x74\x65\x72\x6c\x69\x6d\x69\x74\x3a\x34\x3b\x73\x74\
\x72\x6f\x6b\x65\x2d\x64\x61\x73\x68\x61\x72\x72\x61\x79\x3a\x6e\
\x6f\x6e\x65\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x6f\x70\x61\x63\x69\
\x74\x79\x3a\x31\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x69\x64\x3d\
\x22\x70\x61\x74\x68\x34\x34\x38\x37\x2d\x37\x22\x0a\x20\x20\x20\
\x20\x20\x20\x20\x63\x78\x3d\x22\x2d\x32\x38\x32\x2e\x39\x38\x36\
\x34\x38\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x63\x79\x3d\x22\x33\
\x2e\x39\x31\x33\x35\x30\x34\x36\x22\x0a\x20\x20\x20\x20\x20\x20\
\x20\x72\x3d\x22\x31\x2e\x39\x31\x33\x35\x30\x34\x35\x22\x0a\x20\
\x20\x20\x20\x20\x20\x20\x74\x72\x61\x6e\x73\x66\x6f\x72\x6d\x3d\
\x22\x72\x6f\x74\x61\x74\x65\x28\x2d\x39\x30\x29\x22\x20\x2f\x3e\
\x0a\x20\x20\x3c\x2f\x67\x3e\x0a\x3c\x2f\x73\x76\x67\x3e\x0a\
\x00\x01\x19\x0f\
\x3c\
\x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\
\x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x55\x54\x46\
\x2d\x38\x22\x20\x73\x74\x61\x6e\x64\x61\x6c\x6f\x6e\x65\x3d\x22\
\x6e\x6f\x22\x3f\x3e\x0a\x3c\x21\x2d\x2d\x20\x43\x72\x65\x61\x74\
\x65\x64\x20\x77\x69\x74\x68\x20\x49\x6e\x6b\x73\x63\x61\x70\x65\
\x20\x28\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x2e\x6f\x72\x67\x2f\x29\x20\x2d\x2d\x3e\x0a\
\x0a\x3c\x73\x76\x67\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x64\
\x63\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x70\x75\x72\x6c\x2e\x6f\
\x72\x67\x2f\x64\x63\x2f\x65\x6c\x65\x6d\x65\x6e\x74\x73\x2f\x31\
\x2e\x31\x2f\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x63\x63\
\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x63\x72\x65\x61\x74\x69\x76\
\x65\x63\x6f\x6d\x6d\x6f\x6e\x73\x2e\x6f\x72\x67\x2f\x6e\x73\x23\
\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x72\x64\x66\x3d\x22\
\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\
\x67\x2f\x31\x39\x39\x39\x2f\x30\x32\x2f\x32\x32\x2d\x72\x64\x66\
\x2d\x73\x79\x6e\x74\x61\x78\x2d\x6e\x73\x23\x22\x0a\x20\x20\x20\
\x78\x6d\x6c\x6e\x73\x3a\x73\x76\x67\x3d\x22\x68\x74\x74\x70\x3a\
\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x32\x30\x30\
\x30\x2f\x73\x76\x67\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3d\
\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\
\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x0a\x20\x20\x20\
\x78\x6d\x6c\x6e\x73\x3a\x73\x6f\x64\x69\x70\x6f\x64\x69\x3d\x22\
\x68\x74\x74\x70\x3a\x2f\x2f\x73\x6f\x64\x69\x70\x6f\x64\x69\x2e\
\x73\x6f\x75\x72\x63\x65\x66\x6f\x72\x67\x65\x2e\x6e\x65\x74\x2f\
\x44\x54\x44\x2f\x73\x6f\x64\x69\x70\x6f\x64\x69\x2d\x30\x2e\x64\
\x74\x64\x22\x0a\x20\x20\x20\x78\x6d\x6c\x6e\x73\x3a\x69\x6e\x6b\
\x73\x63\x61\x70\x65\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\
\x77\x2e\x69\x6e\x6b\x73\x63\x61\x70\x65\x2e\x6f\x72\x67\x2f\x6e\
\x61\x6d\x65\x73\x70\x61\x63\x65\x73\x2f\x69\x6e\x6b\x73\x63\x61\
\x70\x65\x22\x0a\x20\x20\x20\x77\x69\x64\x74\x68\x3d\x22\x31\x36\
\x70\x78\x22\x0a\x20\x20\x20\x68\x65\x69\x67\x68\x74\x3d\x22\x31\
\x36\x70\x78\x22\x0a\x20\x20\x20\x76\x69\x65\x77\x42\x6f\x78\x3d\
\x22\x30\x20\x30\x20\x31\x36\x20\x31\x36\x22\x0a\x20\x20\x20\x76\
\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x0a\x20\x20\x20\
\x69\x64\x3d\x22\x53\x56\x47\x52\x6f\x6f\x74\x22\x0a\x20\x20\x20\
\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x76\x65\x72\x73\x69\x6f\x6e\
\x3d\x22\x30\x2e\x39\x32\x2e\x31\x20\x72\x22\x0a\x20\x20\x20\x73\
\x6f\x64\x69\x70\x6f\x64\x69\x3a\x64\x6f\x63\x6e\x61\x6d\x65\x3d\
\x22\x6d\x6f\x64\x75\x6c\x61\x74\x69\x6f\x6e\x2e\x73\x76\x67\x22\
\x3e\x0a\x20\x20\x3c\x73\x6f\x64\x69\x70\x6f\x64\x69\x3a\x6e\x61\
\x6d\x65\x64\x76\x69\x65\x77\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\
\x22\x62\x61\x73\x65\x22\x0a\x20\x20\x20\x20\x20\x70\x61\x67\x65\
\x63\x6f\x6c\x6f\x72\x3d\x22\x23\x66\x66\x66\x66\x66\x66\x22\x0a\
\x20\x20\x20\x20\x20\x62\x6f\x72\x64\x65\x72\x63\x6f\x6c\x6f\x72\
\x3d\x22\x23\x36\x36\x36\x36\x36\x36\x22\x0a\x20\x20\x20\x20\x20\
\x62\x6f\x72\x64\x65\x72\x6f\x70\x61\x63\x69\x74\x79\x3d\x22\x31\
\x2e\x30\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\
\x65\x3a\x70\x61\x67\x65\x6f\x70\x61\x63\x69\x74\x79\x3d\x22\x30\
\x2e\x30\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\
\x65\x3a\x70\x61\x67\x65\x73\x68\x61\x64\x6f\x77\x3d\x22\x32\x22\
\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x7a\
\x6f\x6f\x6d\x3d\x22\x33\x32\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\
\x6b\x73\x63\x61\x70\x65\x3a\x63\x78\x3d\x22\x38\x2e\x30\x33\x38\
\x35\x38\x32\x32\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\
\x61\x70\x65\x3a\x63\x79\x3d\x22\x38\x2e\x33\x34\x39\x32\x34\x32\
\x34\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\
\x3a\x64\x6f\x63\x75\x6d\x65\x6e\x74\x2d\x75\x6e\x69\x74\x73\x3d\
\x22\x70\x78\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\
\x70\x65\x3a\x63\x75\x72\x72\x65\x6e\x74\x2d\x6c\x61\x79\x65\x72\
\x3d\x22\x6c\x61\x79\x65\x72\x31\x22\x0a\x20\x20\x20\x20\x20\x73\
\x68\x6f\x77\x67\x72\x69\x64\x3d\x22\x66\x61\x6c\x73\x65\x22\x0a\
\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\
\x6e\x64\x6f\x77\x2d\x77\x69\x64\x74\x68\x3d\x22\x31\x39\x32\x30\
\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\
\x77\x69\x6e\x64\x6f\x77\x2d\x68\x65\x69\x67\x68\x74\x3d\x22\x31\
\x31\x34\x31\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\
\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\x78\x3d\x22\x30\x22\x0a\
\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\
\x6e\x64\x6f\x77\x2d\x79\x3d\x22\x30\x22\x0a\x20\x20\x20\x20\x20\
\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x77\x69\x6e\x64\x6f\x77\x2d\
\x6d\x61\x78\x69\x6d\x69\x7a\x65\x64\x3d\x22\x31\x22\x0a\x20\x20\
\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\x67\x72\x69\x64\
\x2d\x62\x62\x6f\x78\x3d\x22\x74\x72\x75\x65\x22\x20\x2f\x3e\x0a\
\x20\x20\x3c\x64\x65\x66\x73\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\
\x22\x64\x65\x66\x73\x35\x30\x33\x36\x22\x20\x2f\x3e\x0a\x20\x20\
\x3c\x6d\x65\x74\x61\x64\x61\x74\x61\x0a\x20\x20\x20\x20\x20\x69\
\x64\x3d\x22\x6d\x65\x74\x61\x64\x61\x74\x61\x35\x30\x33\x39\x22\
\x3e\x0a\x20\x20\x20\x20\x3c\x72\x64\x66\x3a\x52\x44\x46\x3e\x0a\
\x20\x20\x20\x20\x20\x20\x3c\x63\x63\x3a\x57\x6f\x72\x6b\x0a\x20\
\x20\x20\x20\x20\x20\x20\x20\x20\x72\x64\x66\x3a\x61\x62\x6f\x75\
\x74\x3d\x22\x22\x3e\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x3c\x64\
\x63\x3a\x66\x6f\x72\x6d\x61\x74\x3e\x69\x6d\x61\x67\x65\x2f\x73\
\x76\x67\x2b\x78\x6d\x6c\x3c\x2f\x64\x63\x3a\x66\x6f\x72\x6d\x61\
\x74\x3e\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x3c\x64\x63\x3a\x74\
\x79\x70\x65\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x20\x20\x72\
\x64\x66\x3a\x72\x65\x73\x6f\x75\x72\x63\x65\x3d\x22\x68\x74\x74\
\x70\x3a\x2f\x2f\x70\x75\x72\x6c\x2e\x6f\x72\x67\x2f\x64\x63\x2f\
\x64\x63\x6d\x69\x74\x79\x70\x65\x2f\x53\x74\x69\x6c\x6c\x49\x6d\
\x61\x67\x65\x22\x20\x2f\x3e\x0a\x20\x20\x20\x20\x20\x20\x20\x20\
\x3c\x64\x63\x3a\x74\x69\x74\x6c\x65\x3e\x3c\x2f\x64\x63\x3a\x74\
\x69\x74\x6c\x65\x3e\x0a\x20\x20\x20\x20\x20\x20\x3c\x2f\x63\x63\
\x3a\x57\x6f\x72\x6b\x3e\x0a\x20\x20\x20\x20\x3c\x2f\x72\x64\x66\
\x3a\x52\x44\x46\x3e\x0a\x20\x20\x3c\x2f\x6d\x65\x74\x61\x64\x61\
\x74\x61\x3e\x0a\x20\x20\x3c\x67\x0a\x20\x20\x20\x20\x20\x69\x6e\
\x6b\x73\x63\x61\x70\x65\x3a\x6c\x61\x62\x65\x6c\x3d\x22\x45\x62\
\x65\x6e\x65\x20\x31\x22\x0a\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\
\x63\x61\x70\x65\x3a\x67\x72\x6f\x75\x70\x6d\x6f\x64\x65\x3d\x22\
\x6c\x61\x79\x65\x72\x22\x0a\x20\x20\x20\x20\x20\x69\x64\x3d\x22\
\x6c\x61\x79\x65\x72\x31\x22\x3e\x0a\x20\x20\x20\x20\x3c\x67\x0a\
\x20\x20\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x74\x65\x78\x74\x35\
\x38\x30\x35\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x73\x74\x79\x6c\
\x65\x3d\x22\x66\x6f\x6e\x74\x2d\x73\x74\x79\x6c\x65\x3a\x6e\x6f\
\x72\x6d\x61\x6c\x3b\x66\x6f\x6e\x74\x2d\x76\x61\x72\x69\x61\x6e\
\x74\x3a\x6e\x6f\x72\x6d\x61\x6c\x3b\x66\x6f\x6e\x74\x2d\x77\x65\
\x69\x67\x68\x74\x3a\x39\x30\x30\x3b\x66\x6f\x6e\x74\x2d\x73\x74\
\x72\x65\x74\x63\x68\x3a\x6e\x6f\x72\x6d\x61\x6c\x3b\x66\x6f\x6e\
\x74\x2d\x73\x69\x7a\x65\x3a\x39\x2e\x33\x33\x33\x33\x33\x33\x30\
\x32\x70\x78\x3b\x6c\x69\x6e\x65\x2d\x68\x65\x69\x67\x68\x74\x3a\
\x31\x2e\x32\x35\x3b\x66\x6f\x6e\x74\x2d\x66\x61\x6d\x69\x6c\x79\
\x3a\x27\x53\x6f\x75\x72\x63\x65\x20\x43\x6f\x64\x65\x20\x50\x72\
\x6f\x27\x3b\x2d\x69\x6e\x6b\x73\x63\x61\x70\x65\x2d\x66\x6f\x6e\
\x74\x2d\x73\x70\x65\x63\x69\x66\x69\x63\x61\x74\x69\x6f\x6e\x3a\
\x27\x53\x6f\x75\x72\x63\x65\x20\x43\x6f\x64\x65\x20\x50\x72\x6f\
\x20\x48\x65\x61\x76\x79\x27\x3b\x6c\x65\x74\x74\x65\x72\x2d\x73\
\x70\x61\x63\x69\x6e\x67\x3a\x30\x70\x78\x3b\x77\x6f\x72\x64\x2d\
\x73\x70\x61\x63\x69\x6e\x67\x3a\x30\x70\x78\x3b\x66\x69\x6c\x6c\
\x3a\x23\x66\x66\x30\x30\x30\x30\x3b\x66\x69\x6c\x6c\x2d\x6f\x70\
\x61\x63\x69\x74\x79\x3a\x31\x3b\x73\x74\x72\x6f\x6b\x65\x3a\x6e\
\x6f\x6e\x65\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x61\x72\x69\x61\
\x2d\x6c\x61\x62\x65\x6c\x3d\x22\x31\x30\x31\x22\x3e\x0a\x20\x20\
\x20\x20\x20\x20\x3c\x70\x61\x74\x68\x0a\x20\x20\x20\x20\x20\x20\
\x20\x20\x20\x69\x64\x3d\x22\x70\x61\x74\x68\x35\x38\x34\x37\x22\
\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x73\x74\x79\x6c\x65\x3d\
\x22\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x64\x3d\x22\x4d\
\x20\x30\x2e\x32\x37\x31\x39\x39\x39\x39\x39\x2c\x36\x2e\x33\x38\
\x38\x20\x48\x20\x34\x2e\x36\x30\x32\x36\x36\x36\x35\x20\x56\x20\
\x35\x2e\x31\x30\x30\x30\x30\x30\x31\x20\x48\x20\x33\x2e\x33\x33\
\x33\x33\x33\x33\x32\x20\x56\x20\x30\x2e\x34\x37\x30\x36\x36\x36\
\x38\x38\x20\x48\x20\x32\x2e\x31\x35\x37\x33\x33\x33\x33\x20\x43\
\x20\x31\x2e\x36\x39\x30\x36\x36\x36\x36\x2c\x30\x2e\x37\x35\x30\
\x36\x36\x36\x38\x37\x20\x31\x2e\x32\x32\x34\x2c\x30\x2e\x39\x31\
\x38\x36\x36\x36\x38\x36\x20\x30\x2e\x35\x31\x34\x36\x36\x36\x36\
\x35\x2c\x31\x2e\x30\x34\x39\x33\x33\x33\x35\x20\x56\x20\x32\x2e\
\x30\x33\x38\x36\x36\x36\x38\x20\x48\x20\x31\x2e\x37\x32\x37\x39\
\x39\x39\x39\x20\x56\x20\x35\x2e\x31\x30\x30\x30\x30\x30\x31\x20\
\x48\x20\x30\x2e\x32\x37\x31\x39\x39\x39\x39\x39\x20\x5a\x22\x20\
\x2f\x3e\x0a\x20\x20\x20\x20\x20\x20\x3c\x70\x61\x74\x68\x0a\x20\
\x20\x20\x20\x20\x20\x20\x20\x20\x69\x64\x3d\x22\x70\x61\x74\x68\
\x35\x38\x34\x39\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x73\
\x74\x79\x6c\x65\x3d\x22\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\
\x20\x64\x3d\x22\x6d\x20\x37\x2e\x39\x35\x39\x30\x32\x30\x36\x2c\
\x36\x2e\x35\x20\x63\x20\x31\x2e\x33\x39\x30\x36\x36\x36\x36\x2c\
\x30\x20\x32\x2e\x33\x33\x33\x33\x33\x33\x34\x2c\x2d\x31\x2e\x30\
\x37\x33\x33\x33\x33\x33\x20\x32\x2e\x33\x33\x33\x33\x33\x33\x34\
\x2c\x2d\x33\x2e\x30\x39\x38\x36\x36\x36\x36\x20\x30\x2c\x2d\x32\
\x2e\x30\x32\x35\x33\x33\x33\x32\x20\x2d\x30\x2e\x39\x34\x32\x36\
\x36\x36\x38\x2c\x2d\x33\x2e\x30\x34\x32\x36\x36\x36\x35\x32\x20\
\x2d\x32\x2e\x33\x33\x33\x33\x33\x33\x34\x2c\x2d\x33\x2e\x30\x34\
\x32\x36\x36\x36\x35\x32\x20\x2d\x31\x2e\x33\x39\x30\x36\x36\x36\
\x36\x2c\x30\x20\x2d\x32\x2e\x33\x33\x33\x33\x33\x33\x33\x2c\x31\
\x2e\x30\x31\x37\x33\x33\x33\x33\x32\x20\x2d\x32\x2e\x33\x33\x33\
\x33\x33\x33\x33\x2c\x33\x2e\x30\x34\x32\x36\x36\x36\x35\x32\x20\
\x43\x20\x35\x2e\x36\x32\x35\x36\x38\x37\x33\x2c\x35\x2e\x34\x32\
\x36\x36\x36\x36\x37\x20\x36\x2e\x35\x36\x38\x33\x35\x34\x2c\x36\
\x2e\x35\x20\x37\x2e\x39\x35\x39\x30\x32\x30\x36\x2c\x36\x2e\x35\
\x20\x5a\x20\x6d\x20\x30\x2c\x2d\x31\x2e\x32\x33\x32\x20\x43\x20\
\x37\x2e\x34\x36\x34\x33\x35\x33\x39\x2c\x35\x2e\x32\x36\x38\x20\
\x37\x2e\x30\x34\x34\x33\x35\x34\x2c\x34\x2e\x38\x37\x36\x30\x30\
\x30\x31\x20\x37\x2e\x30\x34\x34\x33\x35\x34\x2c\x33\x2e\x34\x30\
\x31\x33\x33\x33\x34\x20\x63\x20\x30\x2c\x2d\x31\x2e\x34\x37\x34\
\x36\x36\x36\x36\x20\x30\x2e\x34\x31\x39\x39\x39\x39\x39\x2c\x2d\
\x31\x2e\x38\x31\x30\x36\x36\x36\x36\x20\x30\x2e\x39\x31\x34\x36\
\x36\x36\x36\x2c\x2d\x31\x2e\x38\x31\x30\x36\x36\x36\x36\x20\x30\
\x2e\x34\x39\x34\x36\x36\x36\x36\x2c\x30\x20\x30\x2e\x39\x31\x34\
\x36\x36\x36\x36\x2c\x30\x2e\x33\x33\x36\x20\x30\x2e\x39\x31\x34\
\x36\x36\x36\x36\x2c\x31\x2e\x38\x31\x30\x36\x36\x36\x36\x20\x30\
\x2c\x31\x2e\x34\x37\x34\x36\x36\x36\x37\x20\x2d\x30\x2e\x34\x32\
\x2c\x31\x2e\x38\x36\x36\x36\x36\x36\x36\x20\x2d\x30\x2e\x39\x31\
\x34\x36\x36\x36\x36\x2c\x31\x2e\x38\x36\x36\x36\x36\x36\x36\x20\
\x7a\x20\x6d\x20\x30\x2c\x2d\x31\x2e\x31\x31\x39\x39\x39\x39\x39\
\x20\x63\x20\x30\x2e\x34\x32\x39\x33\x33\x33\x33\x2c\x30\x20\x30\
\x2e\x37\x34\x36\x36\x36\x36\x36\x2c\x2d\x30\x2e\x32\x39\x38\x36\
\x36\x36\x37\x20\x30\x2e\x37\x34\x36\x36\x36\x36\x36\x2c\x2d\x30\
\x2e\x37\x34\x36\x36\x36\x36\x37\x20\x30\x2c\x2d\x30\x2e\x34\x34\
\x37\x39\x39\x39\x39\x20\x2d\x30\x2e\x33\x31\x37\x33\x33\x33\x33\
\x2c\x2d\x30\x2e\x37\x34\x36\x36\x36\x36\x36\x20\x2d\x30\x2e\x37\
\x34\x36\x36\x36\x36\x36\x2c\x2d\x30\x2e\x37\x34\x36\x36\x36\x36\
\x36\x20\x2d\x30\x2e\x34\x32\x39\x33\x33\x33\x33\x2c\x30\x20\x2d\
\x30\x2e\x37\x34\x36\x36\x36\x36\x36\x2c\x30\x2e\x32\x39\x38\x36\
\x36\x36\x37\x20\x2d\x30\x2e\x37\x34\x36\x36\x36\x36\x36\x2c\x30\
\x2e\x37\x34\x36\x36\x36\x36\x36\x20\x30\x2c\x30\x2e\x34\x34\x38\
\x20\x30\x2e\x33\x31\x37\x33\x33\x33\x33\x2c\x30\x2e\x37\x34\x36\
\x36\x36\x36\x37\x20\x30\x2e\x37\x34\x36\x36\x36\x36\x36\x2c\x30\
\x2e\x37\x34\x36\x36\x36\x36\x37\x20\x7a\x22\x20\x2f\x3e\x0a\x20\
\x20\x20\x20\x20\x20\x3c\x70\x61\x74\x68\x0a\x20\x20\x20\x20\x20\
\x20\x20\x20\x20\x69\x64\x3d\x22\x70\x61\x74\x68\x35\x38\x35\x31\
\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x73\x74\x79\x6c\x65\
\x3d\x22\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x20\x20\x64\x3d\x22\
\x6d\x20\x31\x31\x2e\x34\x36\x34\x37\x30\x38\x2c\x36\x2e\x33\x38\
\x38\x20\x68\x20\x34\x2e\x33\x33\x30\x36\x36\x37\x20\x56\x20\x35\
\x2e\x31\x30\x30\x30\x30\x30\x31\x20\x48\x20\x31\x34\x2e\x35\x32\
\x36\x30\x34\x31\x20\x56\x20\x30\x2e\x34\x37\x30\x36\x36\x36\x38\
\x38\x20\x68\x20\x2d\x31\x2e\x31\x37\x36\x20\x43\x20\x31\x32\x2e\
\x38\x38\x33\x33\x37\x35\x2c\x30\x2e\x37\x35\x30\x36\x36\x36\x38\
\x37\x20\x31\x32\x2e\x34\x31\x36\x37\x30\x38\x2c\x30\x2e\x39\x31\
\x38\x36\x36\x36\x38\x36\x20\x31\x31\x2e\x37\x30\x37\x33\x37\x35\
\x2c\x31\x2e\x30\x34\x39\x33\x33\x33\x35\x20\x76\x20\x30\x2e\x39\
\x38\x39\x33\x33\x33\x33\x20\x68\x20\x31\x2e\x32\x31\x33\x33\x33\
\x33\x20\x76\x20\x33\x2e\x30\x36\x31\x33\x33\x33\x33\x20\x68\x20\
\x2d\x31\x2e\x34\x35\x36\x20\x7a\x22\x20\x2f\x3e\x0a\x20\x20\x20\
\x20\x3c\x2f\x67\x3e\x0a\x20\x20\x20\x20\x3c\x70\x61\x74\x68\x0a\
\x20\x20\x20\x20\x20\x20\x20\x69\x6e\x6b\x73\x63\x61\x70\x65\x3a\
\x63\x6f\x6e\x6e\x65\x63\x74\x6f\x72\x2d\x63\x75\x72\x76\x61\x74\
\x75\x72\x65\x3d\x22\x30\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x69\
\x64\x3d\x22\x70\x61\x74\x68\x35\x38\x34\x35\x22\x0a\x20\x20\x20\
\x20\x20\x20\x20\x64\x3d\x22\x4d\x20\x30\x2c\x37\x2e\x35\x30\x30\
\x34\x38\x37\x36\x20\x48\x20\x31\x36\x22\x0a\x20\x20\x20\x20\x20\
\x20\x20\x73\x74\x79\x6c\x65\x3d\x22\x66\x69\x6c\x6c\x3a\x6e\x6f\
\x6e\x65\x3b\x73\x74\x72\x6f\x6b\x65\x3a\x23\x30\x30\x30\x30\x30\
\x30\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x77\x69\x64\x74\x68\x3a\x30\
\x2e\x39\x39\x39\x30\x32\x34\x38\x37\x70\x78\x3b\x73\x74\x72\x6f\
\x6b\x65\x2d\x6c\x69\x6e\x65\x63\x61\x70\x3a\x62\x75\x74\x74\x3b\
\x73\x74\x72\x6f\x6b\x65\x2d\x6c\x69\x6e\x65\x6a\x6f\x69\x6e\x3a\
\x6d\x69\x74\x65\x72\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x6f\x70\x61\
\x63\x69\x74\x79\x3a\x31\x22\x20\x2f\x3e\x0a\x20\x20\x20\x20\x3c\
\x70\x61\x74\x68\x0a\x20\x20\x20\x20\x20\x20\x20\x69\x64\x3d\x22\
\x70\x61\x74\x68\x35\x38\x39\x34\x22\x0a\x20\x20\x20\x20\x20\x20\
\x20\x74\x69\x74\x6c\x65\x3d\x22\x73\x69\x6e\x28\x78\x29\x22\x0a\
\x20\x20\x20\x20\x20\x20\x20\x64\x3d\x22\x20\x4d\x20\x30\x2e\x35\
\x32\x30\x30\x37\x39\x30\x38\x20\x31\x32\x2e\x31\x35\x31\x32\x34\
\x34\x39\x20\x43\x20\x30\x2e\x35\x32\x36\x33\x32\x30\x31\x34\x38\
\x38\x33\x36\x20\x31\x32\x2e\x31\x39\x33\x32\x39\x31\x34\x36\x34\
\x39\x20\x30\x2e\x35\x33\x32\x35\x36\x31\x32\x31\x37\x36\x37\x32\
\x20\x31\x32\x2e\x32\x33\x35\x33\x33\x37\x39\x39\x35\x37\x20\x30\
\x2e\x35\x33\x38\x38\x30\x32\x32\x38\x36\x35\x30\x38\x20\x31\x32\
\x2e\x32\x37\x37\x33\x35\x32\x30\x39\x35\x35\x20\x43\x20\x30\x2e\
\x35\x34\x35\x30\x34\x33\x33\x35\x35\x33\x34\x34\x20\x31\x32\x2e\
\x33\x31\x39\x33\x36\x36\x31\x39\x35\x34\x20\x30\x2e\x35\x35\x31\
\x32\x38\x34\x34\x32\x34\x31\x38\x20\x31\x32\x2e\x33\x36\x31\x33\
\x34\x37\x36\x36\x36\x31\x20\x30\x2e\x35\x35\x37\x35\x32\x35\x34\
\x39\x33\x30\x31\x36\x20\x31\x32\x2e\x34\x30\x33\x32\x36\x34\x33\
\x35\x36\x20\x43\x20\x30\x2e\x35\x36\x33\x37\x36\x36\x35\x36\x31\
\x38\x35\x32\x20\x31\x32\x2e\x34\x34\x35\x31\x38\x31\x30\x34\x35\
\x38\x20\x30\x2e\x35\x37\x30\x30\x30\x37\x36\x33\x30\x36\x38\x38\
\x20\x31\x32\x2e\x34\x38\x37\x30\x33\x32\x35\x36\x32\x20\x30\x2e\
\x35\x37\x36\x32\x34\x38\x36\x39\x39\x35\x32\x34\x20\x31\x32\x2e\
\x35\x32\x38\x37\x38\x37\x30\x34\x37\x35\x20\x43\x20\x30\x2e\x35\
\x38\x32\x34\x38\x39\x37\x36\x38\x33\x36\x31\x20\x31\x32\x2e\x35\
\x37\x30\x35\x34\x31\x35\x33\x33\x20\x30\x2e\x35\x38\x38\x37\x33\
\x30\x38\x33\x37\x31\x39\x36\x20\x31\x32\x2e\x36\x31\x32\x31\x39\
\x38\x34\x30\x31\x20\x30\x2e\x35\x39\x34\x39\x37\x31\x39\x30\x36\
\x30\x33\x33\x20\x31\x32\x2e\x36\x35\x33\x37\x32\x36\x31\x33\x38\
\x34\x20\x43\x20\x30\x2e\x36\x30\x31\x32\x31\x32\x39\x37\x34\x38\
\x36\x39\x20\x31\x32\x2e\x36\x39\x35\x32\x35\x33\x38\x37\x35\x39\
\x20\x30\x2e\x36\x30\x37\x34\x35\x34\x30\x34\x33\x37\x30\x35\x20\
\x31\x32\x2e\x37\x33\x36\x36\x35\x31\x37\x30\x33\x20\x30\x2e\x36\
\x31\x33\x36\x39\x35\x31\x31\x32\x35\x34\x31\x20\x31\x32\x2e\x37\
\x37\x37\x38\x38\x38\x34\x39\x39\x34\x20\x43\x20\x30\x2e\x36\x31\
\x39\x39\x33\x36\x31\x38\x31\x33\x37\x37\x20\x31\x32\x2e\x38\x31\
\x39\x31\x32\x35\x32\x39\x35\x38\x20\x30\x2e\x36\x32\x36\x31\x37\
\x37\x32\x35\x30\x32\x31\x33\x20\x31\x32\x2e\x38\x36\x30\x32\x30\
\x30\x30\x38\x39\x37\x20\x30\x2e\x36\x33\x32\x34\x31\x38\x33\x31\
\x39\x30\x34\x39\x20\x31\x32\x2e\x39\x30\x31\x30\x38\x32\x32\x30\
\x31\x35\x20\x43\x20\x30\x2e\x36\x33\x38\x36\x35\x39\x33\x38\x37\
\x38\x38\x35\x20\x31\x32\x2e\x39\x34\x31\x39\x36\x34\x33\x31\x33\
\x34\x20\x30\x2e\x36\x34\x34\x39\x30\x30\x34\x35\x36\x37\x32\x31\
\x20\x31\x32\x2e\x39\x38\x32\x36\x35\x32\x35\x38\x31\x31\x20\x30\
\x2e\x36\x35\x31\x31\x34\x31\x35\x32\x35\x35\x35\x37\x20\x31\x33\
\x2e\x30\x32\x33\x31\x31\x36\x38\x31\x33\x33\x20\x43\x20\x30\x2e\
\x36\x35\x37\x33\x38\x32\x35\x39\x34\x33\x39\x33\x20\x31\x33\x2e\
\x30\x36\x33\x35\x38\x31\x30\x34\x35\x36\x20\x30\x2e\x36\x36\x33\
\x36\x32\x33\x36\x36\x33\x32\x32\x39\x20\x31\x33\x2e\x31\x30\x33\
\x38\x31\x39\x38\x39\x31\x36\x20\x30\x2e\x36\x36\x39\x38\x36\x34\
\x37\x33\x32\x30\x36\x35\x20\x31\x33\x2e\x31\x34\x33\x38\x30\x33\
\x36\x39\x35\x31\x20\x43\x20\x30\x2e\x36\x37\x36\x31\x30\x35\x38\
\x30\x30\x39\x30\x31\x20\x31\x33\x2e\x31\x38\x33\x37\x38\x37\x34\
\x39\x38\x35\x20\x30\x2e\x36\x38\x32\x33\x34\x36\x38\x36\x39\x37\
\x33\x37\x20\x31\x33\x2e\x32\x32\x33\x35\x31\x34\x37\x32\x32\x31\
\x20\x30\x2e\x36\x38\x38\x35\x38\x37\x39\x33\x38\x35\x37\x33\x20\
\x31\x33\x2e\x32\x36\x32\x39\x35\x36\x32\x39\x30\x33\x20\x43\x20\
\x30\x2e\x36\x39\x34\x38\x32\x39\x30\x30\x37\x34\x30\x39\x20\x31\
\x33\x2e\x33\x30\x32\x33\x39\x37\x38\x35\x38\x34\x20\x30\x2e\x37\
\x30\x31\x30\x37\x30\x30\x37\x36\x32\x34\x35\x20\x31\x33\x2e\x33\
\x34\x31\x35\x35\x32\x30\x34\x39\x37\x20\x30\x2e\x37\x30\x37\x33\
\x31\x31\x31\x34\x35\x30\x38\x31\x20\x31\x33\x2e\x33\x38\x30\x33\
\x39\x30\x34\x31\x34\x31\x20\x43\x20\x30\x2e\x37\x31\x33\x35\x35\
\x32\x32\x31\x33\x39\x31\x37\x20\x31\x33\x2e\x34\x31\x39\x32\x32\
\x38\x37\x37\x38\x36\x20\x30\x2e\x37\x31\x39\x37\x39\x33\x32\x38\
\x32\x37\x35\x33\x20\x31\x33\x2e\x34\x35\x37\x37\x34\x39\x34\x31\
\x33\x34\x20\x30\x2e\x37\x32\x36\x30\x33\x34\x33\x35\x31\x35\x38\
\x39\x20\x31\x33\x2e\x34\x39\x35\x39\x32\x34\x35\x33\x38\x33\x20\
\x43\x20\x30\x2e\x37\x33\x32\x32\x37\x35\x34\x32\x30\x34\x32\x36\
\x20\x31\x33\x2e\x35\x33\x34\x30\x39\x39\x36\x36\x33\x31\x20\x30\
\x2e\x37\x33\x38\x35\x31\x36\x34\x38\x39\x32\x36\x31\x20\x31\x33\
\x2e\x35\x37\x31\x39\x32\x37\x31\x39\x36\x37\x20\x30\x2e\x37\x34\
\x34\x37\x35\x37\x35\x35\x38\x30\x39\x38\x20\x31\x33\x2e\x36\x30\
\x39\x33\x38\x30\x30\x37\x31\x33\x20\x43\x20\x30\x2e\x37\x35\x30\
\x39\x39\x38\x36\x32\x36\x39\x33\x34\x20\x31\x33\x2e\x36\x34\x36\
\x38\x33\x32\x39\x34\x35\x39\x20\x30\x2e\x37\x35\x37\x32\x33\x39\
\x36\x39\x35\x37\x37\x20\x31\x33\x2e\x36\x38\x33\x39\x30\x38\x39\
\x30\x34\x39\x20\x30\x2e\x37\x36\x33\x34\x38\x30\x37\x36\x34\x36\
\x30\x36\x20\x31\x33\x2e\x37\x32\x30\x35\x38\x31\x36\x33\x34\x39\
\x20\x43\x20\x30\x2e\x37\x36\x39\x37\x32\x31\x38\x33\x33\x34\x34\
\x32\x20\x31\x33\x2e\x37\x35\x37\x32\x35\x34\x33\x36\x35\x20\x30\
\x2e\x37\x37\x35\x39\x36\x32\x39\x30\x32\x32\x37\x38\x20\x31\x33\
\x2e\x37\x39\x33\x35\x32\x31\x34\x33\x37\x37\x20\x30\x2e\x37\x38\
\x32\x32\x30\x33\x39\x37\x31\x31\x31\x34\x20\x31\x33\x2e\x38\x32\
\x39\x33\x35\x37\x33\x33\x35\x20\x43\x20\x30\x2e\x37\x38\x38\x34\
\x34\x35\x30\x33\x39\x39\x35\x20\x31\x33\x2e\x38\x36\x35\x31\x39\
\x33\x32\x33\x32\x32\x20\x30\x2e\x37\x39\x34\x36\x38\x36\x31\x30\
\x38\x37\x38\x36\x20\x31\x33\x2e\x39\x30\x30\x35\x39\x35\x33\x35\
\x37\x35\x20\x30\x2e\x38\x30\x30\x39\x32\x37\x31\x37\x37\x36\x32\
\x32\x20\x31\x33\x2e\x39\x33\x35\x35\x33\x39\x30\x32\x37\x31\x20\
\x43\x20\x30\x2e\x38\x30\x37\x31\x36\x38\x32\x34\x36\x34\x35\x38\
\x20\x31\x33\x2e\x39\x37\x30\x34\x38\x32\x36\x39\x36\x38\x20\x30\
\x2e\x38\x31\x33\x34\x30\x39\x33\x31\x35\x32\x39\x34\x20\x31\x34\
\x2e\x30\x30\x34\x39\x36\x35\x31\x35\x30\x34\x20\x30\x2e\x38\x31\
\x39\x36\x35\x30\x33\x38\x34\x31\x33\x20\x31\x34\x2e\x30\x33\x38\
\x39\x36\x32\x35\x37\x36\x39\x20\x43\x20\x30\x2e\x38\x32\x35\x38\
\x39\x31\x34\x35\x32\x39\x36\x36\x20\x31\x34\x2e\x30\x37\x32\x39\
\x36\x30\x30\x30\x33\x35\x20\x30\x2e\x38\x33\x32\x31\x33\x32\x35\
\x32\x31\x38\x30\x32\x20\x31\x34\x2e\x31\x30\x36\x34\x36\x39\x34\
\x38\x32\x37\x20\x30\x2e\x38\x33\x38\x33\x37\x33\x35\x39\x30\x36\
\x33\x38\x20\x31\x34\x2e\x31\x33\x39\x34\x36\x38\x31\x31\x33\x33\
\x20\x43\x20\x30\x2e\x38\x34\x34\x36\x31\x34\x36\x35\x39\x34\x37\
\x34\x20\x31\x34\x2e\x31\x37\x32\x34\x36\x36\x37\x34\x33\x39\x20\
\x30\x2e\x38\x35\x30\x38\x35\x35\x37\x32\x38\x33\x31\x20\x31\x34\
\x2e\x32\x30\x34\x39\x35\x31\x34\x35\x30\x33\x20\x30\x2e\x38\x35\
\x37\x30\x39\x36\x37\x39\x37\x31\x34\x36\x20\x31\x34\x2e\x32\x33\
\x36\x39\x30\x30\x32\x37\x36\x20\x43\x20\x30\x2e\x38\x36\x33\x33\
\x33\x37\x38\x36\x35\x39\x38\x33\x20\x31\x34\x2e\x32\x36\x38\x38\
\x34\x39\x31\x30\x31\x37\x20\x30\x2e\x38\x36\x39\x35\x37\x38\x39\
\x33\x34\x38\x31\x38\x20\x31\x34\x2e\x33\x30\x30\x32\x35\x38\x38\
\x32\x30\x37\x20\x30\x2e\x38\x37\x35\x38\x32\x30\x30\x30\x33\x36\
\x35\x35\x20\x31\x34\x2e\x33\x33\x31\x31\x30\x38\x34\x35\x35\x34\
\x20\x43\x20\x30\x2e\x38\x38\x32\x30\x36\x31\x30\x37\x32\x34\x39\
\x31\x20\x31\x34\x2e\x33\x36\x31\x39\x35\x38\x30\x39\x30\x31\x20\
\x30\x2e\x38\x38\x38\x33\x30\x32\x31\x34\x31\x33\x32\x37\x20\x31\
\x34\x2e\x33\x39\x32\x32\x34\x34\x32\x36\x38\x39\x20\x30\x2e\x38\
\x39\x34\x35\x34\x33\x32\x31\x30\x31\x36\x33\x20\x31\x34\x2e\x34\
\x32\x31\x39\x34\x37\x30\x32\x35\x35\x20\x43\x20\x30\x2e\x39\x30\
\x30\x37\x38\x34\x32\x37\x38\x39\x39\x39\x20\x31\x34\x2e\x34\x35\
\x31\x36\x34\x39\x37\x38\x32\x31\x20\x30\x2e\x39\x30\x37\x30\x32\
\x35\x33\x34\x37\x38\x33\x35\x20\x31\x34\x2e\x34\x38\x30\x37\x36\
\x35\x36\x30\x34\x37\x20\x30\x2e\x39\x31\x33\x32\x36\x36\x34\x31\
\x36\x36\x37\x31\x20\x31\x34\x2e\x35\x30\x39\x32\x37\x35\x35\x36\
\x39\x20\x43\x20\x30\x2e\x39\x31\x39\x35\x30\x37\x34\x38\x35\x35\
\x30\x37\x20\x31\x34\x2e\x35\x33\x37\x37\x38\x35\x35\x33\x33\x34\
\x20\x30\x2e\x39\x32\x35\x37\x34\x38\x35\x35\x34\x33\x34\x33\x20\
\x31\x34\x2e\x35\x36\x35\x36\x38\x35\x39\x39\x32\x38\x20\x30\x2e\
\x39\x33\x31\x39\x38\x39\x36\x32\x33\x31\x37\x39\x20\x31\x34\x2e\
\x35\x39\x32\x39\x35\x39\x30\x39\x34\x35\x20\x43\x20\x30\x2e\x39\
\x33\x38\x32\x33\x30\x36\x39\x32\x30\x31\x35\x20\x31\x34\x2e\x36\
\x32\x30\x32\x33\x32\x31\x39\x36\x32\x20\x30\x2e\x39\x34\x34\x34\
\x37\x31\x37\x36\x30\x38\x35\x31\x20\x31\x34\x2e\x36\x34\x36\x38\
\x37\x34\x31\x36\x34\x33\x20\x30\x2e\x39\x35\x30\x37\x31\x32\x38\
\x32\x39\x36\x38\x37\x20\x31\x34\x2e\x36\x37\x32\x38\x36\x38\x32\
\x34\x34\x39\x20\x43\x20\x30\x2e\x39\x35\x36\x39\x35\x33\x38\x39\
\x38\x35\x32\x33\x20\x31\x34\x2e\x36\x39\x38\x38\x36\x32\x33\x32\
\x35\x35\x20\x30\x2e\x39\x36\x33\x31\x39\x34\x39\x36\x37\x33\x35\
\x39\x20\x31\x34\x2e\x37\x32\x34\x32\x30\x34\x36\x31\x39\x33\x20\
\x30\x2e\x39\x36\x39\x34\x33\x36\x30\x33\x36\x31\x39\x35\x20\x31\
\x34\x2e\x37\x34\x38\x38\x37\x39\x34\x39\x37\x34\x20\x43\x20\x30\
\x2e\x39\x37\x35\x36\x37\x37\x31\x30\x35\x30\x33\x31\x20\x31\x34\
\x2e\x37\x37\x33\x35\x35\x34\x33\x37\x35\x35\x20\x30\x2e\x39\x38\
\x31\x39\x31\x38\x31\x37\x33\x38\x36\x37\x20\x31\x34\x2e\x37\x39\
\x37\x35\x35\x37\x38\x32\x31\x32\x20\x30\x2e\x39\x38\x38\x31\x35\
\x39\x32\x34\x32\x37\x30\x33\x20\x31\x34\x2e\x38\x32\x30\x38\x37\
\x35\x33\x35\x34\x37\x20\x43\x20\x30\x2e\x39\x39\x34\x34\x30\x30\
\x33\x31\x31\x35\x34\x20\x31\x34\x2e\x38\x34\x34\x31\x39\x32\x38\
\x38\x38\x32\x20\x31\x2e\x30\x30\x30\x36\x34\x31\x33\x38\x30\x33\
\x38\x20\x31\x34\x2e\x38\x36\x36\x38\x32\x30\x33\x38\x31\x36\x20\
\x31\x2e\x30\x30\x36\x38\x38\x32\x34\x34\x39\x32\x31\x20\x31\x34\
\x2e\x38\x38\x38\x37\x34\x34\x35\x32\x36\x34\x20\x43\x20\x31\x2e\
\x30\x31\x33\x31\x32\x33\x35\x31\x38\x30\x35\x20\x31\x34\x2e\x39\
\x31\x30\x36\x36\x38\x36\x37\x31\x33\x20\x31\x2e\x30\x31\x39\x33\
\x36\x34\x35\x38\x36\x38\x38\x20\x31\x34\x2e\x39\x33\x31\x38\x38\
\x35\x32\x33\x35\x20\x31\x2e\x30\x32\x35\x36\x30\x35\x36\x35\x35\
\x37\x32\x20\x31\x34\x2e\x39\x35\x32\x33\x38\x32\x31\x30\x31\x31\
\x20\x43\x20\x31\x2e\x30\x33\x31\x38\x34\x36\x37\x32\x34\x35\x36\
\x20\x31\x34\x2e\x39\x37\x32\x38\x37\x38\x39\x36\x37\x33\x20\x31\
\x2e\x30\x33\x38\x30\x38\x37\x37\x39\x33\x33\x39\x20\x31\x34\x2e\
\x39\x39\x32\x36\x35\x31\x38\x30\x35\x20\x31\x2e\x30\x34\x34\x33\
\x32\x38\x38\x36\x32\x32\x33\x20\x31\x35\x2e\x30\x31\x31\x36\x38\
\x39\x37\x30\x38\x36\x20\x43\x20\x31\x2e\x30\x35\x30\x35\x36\x39\
\x39\x33\x31\x30\x36\x20\x31\x35\x2e\x30\x33\x30\x37\x32\x37\x36\
\x31\x32\x32\x20\x31\x2e\x30\x35\x36\x38\x31\x30\x39\x39\x39\x39\
\x20\x31\x35\x2e\x30\x34\x39\x30\x32\x36\x31\x35\x39\x31\x20\x31\
\x2e\x30\x36\x33\x30\x35\x32\x30\x36\x38\x37\x34\x20\x31\x35\x2e\
\x30\x36\x36\x35\x37\x35\x36\x37\x31\x36\x20\x43\x20\x31\x2e\x30\
\x36\x39\x32\x39\x33\x31\x33\x37\x35\x37\x20\x31\x35\x2e\x30\x38\
\x34\x31\x32\x35\x31\x38\x34\x31\x20\x31\x2e\x30\x37\x35\x35\x33\
\x34\x32\x30\x36\x34\x31\x20\x31\x35\x2e\x31\x30\x30\x39\x32\x31\
\x31\x35\x34\x37\x20\x31\x2e\x30\x38\x31\x37\x37\x35\x32\x37\x35\
\x32\x34\x20\x31\x35\x2e\x31\x31\x36\x39\x35\x35\x31\x34\x38\x32\
\x20\x43\x20\x31\x2e\x30\x38\x38\x30\x31\x36\x33\x34\x34\x30\x38\
\x20\x31\x35\x2e\x31\x33\x32\x39\x38\x39\x31\x34\x31\x37\x20\x31\
\x2e\x30\x39\x34\x32\x35\x37\x34\x31\x32\x39\x32\x20\x31\x35\x2e\
\x31\x34\x38\x32\x35\x36\x35\x37\x32\x39\x20\x31\x2e\x31\x30\x30\
\x34\x39\x38\x34\x38\x31\x37\x35\x20\x31\x35\x2e\x31\x36\x32\x37\
\x35\x30\x32\x36\x32\x33\x20\x43\x20\x31\x2e\x31\x30\x36\x37\x33\
\x39\x35\x35\x30\x35\x39\x20\x31\x35\x2e\x31\x37\x37\x32\x34\x33\
\x39\x35\x31\x36\x20\x31\x2e\x31\x31\x32\x39\x38\x30\x36\x31\x39\
\x34\x32\x20\x31\x35\x2e\x31\x39\x30\x39\x35\x39\x32\x34\x33\x33\
\x20\x31\x2e\x31\x31\x39\x32\x32\x31\x36\x38\x38\x32\x36\x20\x31\
\x35\x2e\x32\x30\x33\x38\x39\x30\x32\x32\x34\x32\x20\x43\x20\x31\
\x2e\x31\x32\x35\x34\x36\x32\x37\x35\x37\x31\x20\x31\x35\x2e\x32\
\x31\x36\x38\x32\x31\x32\x30\x35\x32\x20\x31\x2e\x31\x33\x31\x37\
\x30\x33\x38\x32\x35\x39\x33\x20\x31\x35\x2e\x32\x32\x38\x39\x36\
\x33\x31\x35\x36\x33\x20\x31\x2e\x31\x33\x37\x39\x34\x34\x38\x39\
\x34\x37\x37\x20\x31\x35\x2e\x32\x34\x30\x33\x31\x31\x34\x34\x30\
\x34\x20\x43\x20\x31\x2e\x31\x34\x34\x31\x38\x35\x39\x36\x33\x36\
\x20\x31\x35\x2e\x32\x35\x31\x36\x35\x39\x37\x32\x34\x34\x20\x31\
\x2e\x31\x35\x30\x34\x32\x37\x30\x33\x32\x34\x34\x20\x31\x35\x2e\
\x32\x36\x32\x32\x30\x39\x35\x36\x36\x31\x20\x31\x2e\x31\x35\x36\
\x36\x36\x38\x31\x30\x31\x32\x38\x20\x31\x35\x2e\x32\x37\x31\x39\
\x35\x37\x36\x31\x31\x32\x20\x43\x20\x31\x2e\x31\x36\x32\x39\x30\
\x39\x31\x37\x30\x31\x31\x20\x31\x35\x2e\x32\x38\x31\x37\x30\x35\
\x36\x35\x36\x33\x20\x31\x2e\x31\x36\x39\x31\x35\x30\x32\x33\x38\
\x39\x35\x20\x31\x35\x2e\x32\x39\x30\x36\x34\x37\x30\x38\x30\x37\
\x20\x31\x2e\x31\x37\x35\x33\x39\x31\x33\x30\x37\x37\x38\x20\x31\
\x35\x2e\x32\x39\x38\x37\x37\x39\x38\x31\x38\x34\x20\x43\x20\x31\
\x2e\x31\x38\x31\x36\x33\x32\x33\x37\x36\x36\x32\x20\x31\x35\x2e\
\x33\x30\x36\x39\x31\x32\x35\x35\x36\x31\x20\x31\x2e\x31\x38\x37\
\x38\x37\x33\x34\x34\x35\x34\x36\x20\x31\x35\x2e\x33\x31\x34\x32\
\x33\x31\x37\x34\x31\x37\x20\x31\x2e\x31\x39\x34\x31\x31\x34\x35\
\x31\x34\x32\x39\x20\x31\x35\x2e\x33\x32\x30\x37\x33\x36\x36\x30\
\x30\x35\x20\x43\x20\x31\x2e\x32\x30\x30\x33\x35\x35\x35\x38\x33\
\x31\x33\x20\x31\x35\x2e\x33\x32\x37\x32\x34\x31\x34\x35\x39\x34\
\x20\x31\x2e\x32\x30\x36\x35\x39\x36\x36\x35\x31\x39\x37\x20\x31\
\x35\x2e\x33\x33\x32\x39\x32\x37\x30\x39\x32\x32\x20\x31\x2e\x32\
\x31\x32\x38\x33\x37\x37\x32\x30\x38\x20\x31\x35\x2e\x33\x33\x37\
\x37\x39\x34\x30\x31\x37\x20\x43\x20\x31\x2e\x32\x31\x39\x30\x37\
\x38\x37\x38\x39\x36\x34\x20\x31\x35\x2e\x33\x34\x32\x36\x36\x30\
\x39\x34\x31\x38\x20\x31\x2e\x32\x32\x35\x33\x31\x39\x38\x35\x38\
\x34\x37\x20\x31\x35\x2e\x33\x34\x36\x37\x30\x34\x32\x33\x33\x31\
\x20\x31\x2e\x32\x33\x31\x35\x36\x30\x39\x32\x37\x33\x31\x20\x31\
\x35\x2e\x33\x34\x39\x39\x32\x35\x37\x30\x30\x36\x20\x43\x20\x31\
\x2e\x32\x33\x37\x38\x30\x31\x39\x39\x36\x31\x35\x20\x31\x35\x2e\
\x33\x35\x33\x31\x34\x37\x31\x36\x38\x31\x20\x31\x2e\x32\x34\x34\
\x30\x34\x33\x30\x36\x34\x39\x38\x20\x31\x35\x2e\x33\x35\x35\x35\
\x34\x31\x38\x36\x37\x38\x20\x31\x2e\x32\x35\x30\x32\x38\x34\x31\
\x33\x33\x38\x32\x20\x31\x35\x2e\x33\x35\x37\x31\x31\x32\x38\x39\
\x38\x34\x20\x43\x20\x31\x2e\x32\x35\x36\x35\x32\x35\x32\x30\x32\
\x36\x35\x20\x31\x35\x2e\x33\x35\x38\x36\x38\x33\x39\x32\x38\x39\
\x20\x31\x2e\x32\x36\x32\x37\x36\x36\x32\x37\x31\x34\x39\x20\x31\
\x35\x2e\x33\x35\x39\x34\x32\x36\x33\x33\x35\x33\x20\x31\x2e\x32\
\x36\x39\x30\x30\x37\x33\x34\x30\x33\x33\x20\x31\x35\x2e\x33\x35\
\x39\x33\x34\x34\x35\x30\x30\x34\x20\x43\x20\x31\x2e\x32\x37\x35\
\x32\x34\x38\x34\x30\x39\x31\x36\x20\x31\x35\x2e\x33\x35\x39\x32\
\x36\x32\x36\x36\x35\x35\x20\x31\x2e\x32\x38\x31\x34\x38\x39\x34\
\x37\x38\x20\x31\x35\x2e\x33\x35\x38\x33\x35\x31\x36\x33\x30\x39\
\x20\x31\x2e\x32\x38\x37\x37\x33\x30\x35\x34\x36\x38\x33\x20\x31\
\x35\x2e\x33\x35\x36\x36\x31\x37\x30\x35\x37\x31\x20\x43\x20\x31\
\x2e\x32\x39\x33\x39\x37\x31\x36\x31\x35\x36\x37\x20\x31\x35\x2e\
\x33\x35\x34\x38\x38\x32\x34\x38\x33\x32\x20\x31\x2e\x33\x30\x30\
\x32\x31\x32\x36\x38\x34\x35\x31\x20\x31\x35\x2e\x33\x35\x32\x33\
\x31\x39\x34\x31\x36\x20\x31\x2e\x33\x30\x36\x34\x35\x33\x37\x35\
\x33\x33\x34\x20\x31\x35\x2e\x33\x34\x38\x39\x33\x34\x37\x38\x34\
\x35\x20\x43\x20\x31\x2e\x33\x31\x32\x36\x39\x34\x38\x32\x32\x31\
\x38\x20\x31\x35\x2e\x33\x34\x35\x35\x35\x30\x31\x35\x33\x20\x31\
\x2e\x33\x31\x38\x39\x33\x35\x38\x39\x31\x30\x31\x20\x31\x35\x2e\
\x33\x34\x31\x33\x33\x39\x30\x31\x35\x31\x20\x31\x2e\x33\x32\x35\
\x31\x37\x36\x39\x35\x39\x38\x35\x20\x31\x35\x2e\x33\x33\x36\x33\
\x30\x39\x35\x35\x37\x38\x20\x43\x20\x31\x2e\x33\x33\x31\x34\x31\
\x38\x30\x32\x38\x36\x39\x20\x31\x35\x2e\x33\x33\x31\x32\x38\x30\
\x31\x30\x30\x35\x20\x31\x2e\x33\x33\x37\x36\x35\x39\x30\x39\x37\
\x35\x32\x20\x31\x35\x2e\x33\x32\x35\x34\x32\x37\x34\x30\x31\x35\
\x20\x31\x2e\x33\x34\x33\x39\x30\x30\x31\x36\x36\x33\x36\x20\x31\
\x35\x2e\x33\x31\x38\x37\x36\x30\x38\x39\x33\x20\x43\x20\x31\x2e\
\x33\x35\x30\x31\x34\x31\x32\x33\x35\x31\x39\x20\x31\x35\x2e\x33\
\x31\x32\x30\x39\x34\x33\x38\x34\x34\x20\x31\x2e\x33\x35\x36\x33\
\x38\x32\x33\x30\x34\x30\x33\x20\x31\x35\x2e\x33\x30\x34\x36\x30\
\x39\x31\x37\x31\x33\x20\x31\x2e\x33\x36\x32\x36\x32\x33\x33\x37\
\x32\x38\x37\x20\x31\x35\x2e\x32\x39\x36\x33\x31\x35\x39\x31\x36\
\x35\x20\x43\x20\x31\x2e\x33\x36\x38\x38\x36\x34\x34\x34\x31\x37\
\x20\x31\x35\x2e\x32\x38\x38\x30\x32\x32\x36\x36\x31\x37\x20\x31\
\x2e\x33\x37\x35\x31\x30\x35\x35\x31\x30\x35\x34\x20\x31\x35\x2e\
\x32\x37\x38\x39\x31\x36\x35\x30\x35\x20\x31\x2e\x33\x38\x31\x33\
\x34\x36\x35\x37\x39\x33\x37\x20\x31\x35\x2e\x32\x36\x39\x30\x30\
\x39\x33\x32\x33\x36\x20\x43\x20\x31\x2e\x33\x38\x37\x35\x38\x37\
\x36\x34\x38\x32\x31\x20\x31\x35\x2e\x32\x35\x39\x31\x30\x32\x31\
\x34\x32\x32\x20\x31\x2e\x33\x39\x33\x38\x32\x38\x37\x31\x37\x30\
\x35\x20\x31\x35\x2e\x32\x34\x38\x33\x38\x39\x31\x31\x38\x31\x20\
\x31\x2e\x34\x30\x30\x30\x36\x39\x37\x38\x35\x38\x38\x20\x31\x35\
\x2e\x32\x33\x36\x38\x38\x33\x33\x32\x34\x35\x20\x43\x20\x31\x2e\
\x34\x30\x36\x33\x31\x30\x38\x35\x34\x37\x32\x20\x31\x35\x2e\x32\
\x32\x35\x33\x37\x37\x35\x33\x30\x38\x20\x31\x2e\x34\x31\x32\x35\
\x35\x31\x39\x32\x33\x35\x35\x20\x31\x35\x2e\x32\x31\x33\x30\x37\
\x34\x31\x39\x39\x35\x20\x31\x2e\x34\x31\x38\x37\x39\x32\x39\x39\
\x32\x33\x39\x20\x31\x35\x2e\x31\x39\x39\x39\x38\x37\x35\x37\x39\
\x32\x20\x43\x20\x31\x2e\x34\x32\x35\x30\x33\x34\x30\x36\x31\x32\
\x33\x20\x31\x35\x2e\x31\x38\x36\x39\x30\x30\x39\x35\x38\x39\x20\
\x31\x2e\x34\x33\x31\x32\x37\x35\x31\x33\x30\x30\x36\x20\x31\x35\
\x2e\x31\x37\x33\x30\x32\x36\x33\x33\x38\x36\x20\x31\x2e\x34\x33\
\x37\x35\x31\x36\x31\x39\x38\x39\x20\x31\x35\x2e\x31\x35\x38\x33\
\x37\x39\x31\x32\x30\x37\x20\x43\x20\x31\x2e\x34\x34\x33\x37\x35\
\x37\x32\x36\x37\x37\x33\x20\x31\x35\x2e\x31\x34\x33\x37\x33\x31\
\x39\x30\x32\x39\x20\x31\x2e\x34\x34\x39\x39\x39\x38\x33\x33\x36\
\x35\x37\x20\x31\x35\x2e\x31\x32\x38\x33\x30\x37\x34\x34\x30\x39\
\x20\x31\x2e\x34\x35\x36\x32\x33\x39\x34\x30\x35\x34\x31\x20\x31\
\x35\x2e\x31\x31\x32\x31\x32\x32\x32\x36\x37\x31\x20\x43\x20\x31\
\x2e\x34\x36\x32\x34\x38\x30\x34\x37\x34\x32\x34\x20\x31\x35\x2e\
\x30\x39\x35\x39\x33\x37\x30\x39\x33\x32\x20\x31\x2e\x34\x36\x38\
\x37\x32\x31\x35\x34\x33\x30\x38\x20\x31\x35\x2e\x30\x37\x38\x39\
\x38\x36\x36\x33\x32\x35\x20\x31\x2e\x34\x37\x34\x39\x36\x32\x36\
\x31\x31\x39\x31\x20\x31\x35\x2e\x30\x36\x31\x32\x38\x38\x35\x32\
\x31\x35\x20\x43\x20\x31\x2e\x34\x38\x31\x32\x30\x33\x36\x38\x30\
\x37\x35\x20\x31\x35\x2e\x30\x34\x33\x35\x39\x30\x34\x31\x30\x35\
\x20\x31\x2e\x34\x38\x37\x34\x34\x34\x37\x34\x39\x35\x39\x20\x31\
\x35\x2e\x30\x32\x35\x31\x34\x30\x31\x35\x32\x39\x20\x31\x2e\x34\
\x39\x33\x36\x38\x35\x38\x31\x38\x34\x32\x20\x31\x35\x2e\x30\x30\
\x35\x39\x35\x36\x34\x36\x32\x33\x20\x43\x20\x31\x2e\x34\x39\x39\
\x39\x32\x36\x38\x38\x37\x32\x36\x20\x31\x34\x2e\x39\x38\x36\x37\
\x37\x32\x37\x37\x31\x36\x20\x31\x2e\x35\x30\x36\x31\x36\x37\x39\
\x35\x36\x31\x20\x31\x34\x2e\x39\x36\x36\x38\x35\x31\x32\x33\x37\
\x33\x20\x31\x2e\x35\x31\x32\x34\x30\x39\x30\x32\x34\x39\x33\x20\
\x31\x34\x2e\x39\x34\x36\x32\x31\x31\x36\x32\x31\x31\x20\x43\x20\
\x31\x2e\x35\x31\x38\x36\x35\x30\x30\x39\x33\x37\x37\x20\x31\x34\
\x2e\x39\x32\x35\x35\x37\x32\x30\x30\x34\x38\x20\x31\x2e\x35\x32\
\x34\x38\x39\x31\x31\x36\x32\x36\x20\x31\x34\x2e\x39\x30\x34\x32\
\x30\x39\x39\x38\x38\x33\x20\x31\x2e\x35\x33\x31\x31\x33\x32\x32\
\x33\x31\x34\x34\x20\x31\x34\x2e\x38\x38\x32\x31\x34\x36\x33\x35\
\x30\x39\x20\x43\x20\x31\x2e\x35\x33\x37\x33\x37\x33\x33\x30\x30\
\x32\x38\x20\x31\x34\x2e\x38\x36\x30\x30\x38\x32\x37\x31\x33\x34\
\x20\x31\x2e\x35\x34\x33\x36\x31\x34\x33\x36\x39\x31\x31\x20\x31\
\x34\x2e\x38\x33\x37\x33\x31\x33\x32\x33\x35\x39\x20\x31\x2e\x35\
\x34\x39\x38\x35\x35\x34\x33\x37\x39\x35\x20\x31\x34\x2e\x38\x31\
\x33\x38\x35\x39\x36\x38\x33\x20\x43\x20\x31\x2e\x35\x35\x36\x30\
\x39\x36\x35\x30\x36\x37\x38\x20\x31\x34\x2e\x37\x39\x30\x34\x30\
\x36\x31\x33\x30\x31\x20\x31\x2e\x35\x36\x32\x33\x33\x37\x35\x37\
\x35\x36\x32\x20\x31\x34\x2e\x37\x36\x36\x32\x36\x34\x33\x38\x38\
\x34\x20\x31\x2e\x35\x36\x38\x35\x37\x38\x36\x34\x34\x34\x36\x20\
\x31\x34\x2e\x37\x34\x31\x34\x35\x37\x31\x37\x34\x33\x20\x43\x20\
\x31\x2e\x35\x37\x34\x38\x31\x39\x37\x31\x33\x32\x39\x20\x31\x34\
\x2e\x37\x31\x36\x36\x34\x39\x39\x36\x30\x32\x20\x31\x2e\x35\x38\
\x31\x30\x36\x30\x37\x38\x32\x31\x33\x20\x31\x34\x2e\x36\x39\x31\
\x31\x37\x33\x32\x37\x32\x33\x20\x31\x2e\x35\x38\x37\x33\x30\x31\
\x38\x35\x30\x39\x36\x20\x31\x34\x2e\x36\x36\x35\x30\x35\x30\x37\
\x34\x33\x37\x20\x43\x20\x31\x2e\x35\x39\x33\x35\x34\x32\x39\x31\
\x39\x38\x20\x31\x34\x2e\x36\x33\x38\x39\x32\x38\x32\x31\x35\x32\
\x20\x31\x2e\x35\x39\x39\x37\x38\x33\x39\x38\x38\x36\x34\x20\x31\
\x34\x2e\x36\x31\x32\x31\x35\x35\x39\x36\x32\x37\x20\x31\x2e\x36\
\x30\x36\x30\x32\x35\x30\x35\x37\x34\x37\x20\x31\x34\x2e\x35\x38\
\x34\x37\x35\x38\x34\x39\x39\x35\x20\x43\x20\x31\x2e\x36\x31\x32\
\x32\x36\x36\x31\x32\x36\x33\x31\x20\x31\x34\x2e\x35\x35\x37\x33\
\x36\x31\x30\x33\x36\x34\x20\x31\x2e\x36\x31\x38\x35\x30\x37\x31\
\x39\x35\x31\x34\x20\x31\x34\x2e\x35\x32\x39\x33\x33\x34\x36\x30\
\x33\x36\x20\x31\x2e\x36\x32\x34\x37\x34\x38\x32\x36\x33\x39\x38\
\x20\x31\x34\x2e\x35\x30\x30\x37\x30\x34\x35\x35\x36\x36\x20\x43\
\x20\x31\x2e\x36\x33\x30\x39\x38\x39\x33\x33\x32\x38\x32\x20\x31\
\x34\x2e\x34\x37\x32\x30\x37\x34\x35\x30\x39\x36\x20\x31\x2e\x36\
\x33\x37\x32\x33\x30\x34\x30\x31\x36\x35\x20\x31\x34\x2e\x34\x34\
\x32\x38\x33\x37\x32\x31\x39\x34\x20\x31\x2e\x36\x34\x33\x34\x37\
\x31\x34\x37\x30\x34\x39\x20\x31\x34\x2e\x34\x31\x33\x30\x31\x38\
\x38\x34\x34\x36\x20\x43\x20\x31\x2e\x36\x34\x39\x37\x31\x32\x35\
\x33\x39\x33\x32\x20\x31\x34\x2e\x33\x38\x33\x32\x30\x30\x34\x36\
\x39\x38\x20\x31\x2e\x36\x35\x35\x39\x35\x33\x36\x30\x38\x31\x36\
\x20\x31\x34\x2e\x33\x35\x32\x37\x39\x37\x35\x31\x36\x39\x20\x31\
\x2e\x36\x36\x32\x31\x39\x34\x36\x37\x37\x20\x31\x34\x2e\x33\x32\
\x31\x38\x33\x36\x39\x30\x37\x31\x20\x43\x20\x31\x2e\x36\x36\x38\
\x34\x33\x35\x37\x34\x35\x38\x33\x20\x31\x34\x2e\x32\x39\x30\x38\
\x37\x36\x32\x39\x37\x34\x20\x31\x2e\x36\x37\x34\x36\x37\x36\x38\
\x31\x34\x36\x37\x20\x31\x34\x2e\x32\x35\x39\x33\x35\x34\x36\x37\
\x38\x33\x20\x31\x2e\x36\x38\x30\x39\x31\x37\x38\x38\x33\x35\x20\
\x31\x34\x2e\x32\x32\x37\x32\x39\x39\x36\x39\x32\x32\x20\x43\x20\
\x31\x2e\x36\x38\x37\x31\x35\x38\x39\x35\x32\x33\x34\x20\x31\x34\
\x2e\x31\x39\x35\x32\x34\x34\x37\x30\x36\x31\x20\x31\x2e\x36\x39\
\x33\x34\x30\x30\x30\x32\x31\x31\x38\x20\x31\x34\x2e\x31\x36\x32\
\x36\x35\x33\x31\x34\x36\x37\x20\x31\x2e\x36\x39\x39\x36\x34\x31\
\x30\x39\x30\x30\x31\x20\x31\x34\x2e\x31\x32\x39\x35\x35\x33\x33\
\x33\x34\x35\x20\x43\x20\x31\x2e\x37\x30\x35\x38\x38\x32\x31\x35\
\x38\x38\x35\x20\x31\x34\x2e\x30\x39\x36\x34\x35\x33\x35\x32\x32\
\x33\x20\x31\x2e\x37\x31\x32\x31\x32\x33\x32\x32\x37\x36\x38\x20\
\x31\x34\x2e\x30\x36\x32\x38\x34\x32\x34\x30\x32\x32\x20\x31\x2e\
\x37\x31\x38\x33\x36\x34\x32\x39\x36\x35\x32\x20\x31\x34\x2e\x30\
\x32\x38\x37\x34\x38\x39\x32\x39\x32\x20\x43\x20\x31\x2e\x37\x32\
\x34\x36\x30\x35\x33\x36\x35\x33\x36\x20\x31\x33\x2e\x39\x39\x34\
\x36\x35\x35\x34\x35\x36\x32\x20\x31\x2e\x37\x33\x30\x38\x34\x36\
\x34\x33\x34\x31\x39\x20\x31\x33\x2e\x39\x36\x30\x30\x37\x36\x37\
\x33\x31\x31\x20\x31\x2e\x37\x33\x37\x30\x38\x37\x35\x30\x33\x30\
\x33\x20\x31\x33\x2e\x39\x32\x35\x30\x34\x32\x32\x39\x38\x37\x20\
\x43\x20\x31\x2e\x37\x34\x33\x33\x32\x38\x35\x37\x31\x38\x36\x20\
\x31\x33\x2e\x38\x39\x30\x30\x30\x37\x38\x36\x36\x32\x20\x31\x2e\
\x37\x34\x39\x35\x36\x39\x36\x34\x30\x37\x20\x31\x33\x2e\x38\x35\
\x34\x35\x31\x34\x39\x38\x37\x36\x20\x31\x2e\x37\x35\x35\x38\x31\
\x30\x37\x30\x39\x35\x34\x20\x31\x33\x2e\x38\x31\x38\x35\x39\x33\
\x37\x35\x31\x35\x20\x43\x20\x31\x2e\x37\x36\x32\x30\x35\x31\x37\
\x37\x38\x33\x37\x20\x31\x33\x2e\x37\x38\x32\x36\x37\x32\x35\x31\
\x35\x35\x20\x31\x2e\x37\x36\x38\x32\x39\x32\x38\x34\x37\x32\x31\
\x20\x31\x33\x2e\x37\x34\x36\x33\x32\x30\x33\x34\x37\x37\x20\x31\
\x2e\x37\x37\x34\x35\x33\x33\x39\x31\x36\x30\x35\x20\x31\x33\x2e\
\x37\x30\x39\x35\x36\x37\x38\x33\x34\x37\x20\x43\x20\x31\x2e\x37\
\x38\x30\x37\x37\x34\x39\x38\x34\x38\x38\x20\x31\x33\x2e\x36\x37\
\x32\x38\x31\x35\x33\x32\x31\x37\x20\x31\x2e\x37\x38\x37\x30\x31\
\x36\x30\x35\x33\x37\x32\x20\x31\x33\x2e\x36\x33\x35\x36\x36\x30\
\x30\x35\x37\x37\x20\x31\x2e\x37\x39\x33\x32\x35\x37\x31\x32\x32\
\x35\x35\x20\x31\x33\x2e\x35\x39\x38\x31\x33\x33\x30\x37\x39\x33\
\x20\x43\x20\x31\x2e\x37\x39\x39\x34\x39\x38\x31\x39\x31\x33\x39\
\x20\x31\x33\x2e\x35\x36\x30\x36\x30\x36\x31\x30\x31\x20\x31\x2e\
\x38\x30\x35\x37\x33\x39\x32\x36\x30\x32\x33\x20\x31\x33\x2e\x35\
\x32\x32\x37\x30\x35\x31\x37\x34\x39\x20\x31\x2e\x38\x31\x31\x39\
\x38\x30\x33\x32\x39\x30\x36\x20\x31\x33\x2e\x34\x38\x34\x34\x36\
\x31\x37\x34\x20\x43\x20\x31\x2e\x38\x31\x38\x32\x32\x31\x33\x39\
\x37\x39\x20\x31\x33\x2e\x34\x34\x36\x32\x31\x38\x33\x30\x35\x31\
\x20\x31\x2e\x38\x32\x34\x34\x36\x32\x34\x36\x36\x37\x33\x20\x31\
\x33\x2e\x34\x30\x37\x36\x33\x30\x33\x30\x33\x38\x20\x31\x2e\x38\
\x33\x30\x37\x30\x33\x35\x33\x35\x35\x37\x20\x31\x33\x2e\x33\x36\
\x38\x37\x32\x39\x35\x32\x38\x36\x20\x43\x20\x31\x2e\x38\x33\x36\
\x39\x34\x34\x36\x30\x34\x34\x31\x20\x31\x33\x2e\x33\x32\x39\x38\
\x32\x38\x37\x35\x33\x35\x20\x31\x2e\x38\x34\x33\x31\x38\x35\x36\
\x37\x33\x32\x34\x20\x31\x33\x2e\x32\x39\x30\x36\x31\x33\x33\x32\
\x35\x38\x20\x31\x2e\x38\x34\x39\x34\x32\x36\x37\x34\x32\x30\x38\
\x20\x31\x33\x2e\x32\x35\x31\x31\x31\x35\x33\x34\x32\x38\x20\x43\
\x20\x31\x2e\x38\x35\x35\x36\x36\x37\x38\x31\x30\x39\x31\x20\x31\
\x33\x2e\x32\x31\x31\x36\x31\x37\x33\x35\x39\x38\x20\x31\x2e\x38\
\x36\x31\x39\x30\x38\x38\x37\x39\x37\x35\x20\x31\x33\x2e\x31\x37\
\x31\x38\x33\x35\x31\x32\x34\x36\x20\x31\x2e\x38\x36\x38\x31\x34\
\x39\x39\x34\x38\x35\x39\x20\x31\x33\x2e\x31\x33\x31\x38\x30\x30\
\x39\x38\x39\x33\x20\x43\x20\x31\x2e\x38\x37\x34\x33\x39\x31\x30\
\x31\x37\x34\x32\x20\x31\x33\x2e\x30\x39\x31\x37\x36\x36\x38\x35\
\x33\x39\x20\x31\x2e\x38\x38\x30\x36\x33\x32\x30\x38\x36\x32\x36\
\x20\x31\x33\x2e\x30\x35\x31\x34\x37\x39\x33\x30\x36\x31\x20\x31\
\x2e\x38\x38\x36\x38\x37\x33\x31\x35\x35\x30\x39\x20\x31\x33\x2e\
\x30\x31\x30\x39\x37\x30\x39\x30\x32\x38\x20\x43\x20\x31\x2e\x38\
\x39\x33\x31\x31\x34\x32\x32\x33\x39\x33\x20\x31\x32\x2e\x39\x37\
\x30\x34\x36\x32\x34\x39\x39\x35\x20\x31\x2e\x38\x39\x39\x33\x35\
\x35\x32\x39\x32\x37\x37\x20\x31\x32\x2e\x39\x32\x39\x37\x33\x31\
\x39\x31\x35\x32\x20\x31\x2e\x39\x30\x35\x35\x39\x36\x33\x36\x31\
\x36\x20\x31\x32\x2e\x38\x38\x38\x38\x31\x31\x38\x36\x31\x33\x20\
\x43\x20\x31\x2e\x39\x31\x31\x38\x33\x37\x34\x33\x30\x34\x34\x20\
\x31\x32\x2e\x38\x34\x37\x38\x39\x31\x38\x30\x37\x35\x20\x31\x2e\
\x39\x31\x38\x30\x37\x38\x34\x39\x39\x32\x37\x20\x31\x32\x2e\x38\
\x30\x36\x37\x38\x31\x31\x34\x37\x35\x20\x31\x2e\x39\x32\x34\x33\
\x31\x39\x35\x36\x38\x31\x31\x20\x31\x32\x2e\x37\x36\x35\x35\x31\
\x32\x36\x39\x36\x39\x20\x43\x20\x31\x2e\x39\x33\x30\x35\x36\x30\
\x36\x33\x36\x39\x35\x20\x31\x32\x2e\x37\x32\x34\x32\x34\x34\x32\
\x34\x36\x33\x20\x31\x2e\x39\x33\x36\x38\x30\x31\x37\x30\x35\x37\
\x38\x20\x31\x32\x2e\x36\x38\x32\x38\x31\x37\x30\x35\x39\x20\x31\
\x2e\x39\x34\x33\x30\x34\x32\x37\x37\x34\x36\x32\x20\x31\x32\x2e\
\x36\x34\x31\x32\x36\x34\x30\x30\x34\x20\x43\x20\x31\x2e\x39\x34\
\x39\x32\x38\x33\x38\x34\x33\x34\x35\x20\x31\x32\x2e\x35\x39\x39\
\x37\x31\x30\x39\x34\x39\x20\x31\x2e\x39\x35\x35\x35\x32\x34\x39\
\x31\x32\x32\x39\x20\x31\x32\x2e\x35\x35\x38\x30\x33\x31\x32\x37\
\x32\x31\x20\x31\x2e\x39\x36\x31\x37\x36\x35\x39\x38\x31\x31\x33\
\x20\x31\x32\x2e\x35\x31\x36\x32\x35\x37\x38\x34\x34\x39\x20\x43\
\x20\x31\x2e\x39\x36\x38\x30\x30\x37\x30\x34\x39\x39\x36\x20\x31\
\x32\x2e\x34\x37\x34\x34\x38\x34\x34\x31\x37\x37\x20\x31\x2e\x39\
\x37\x34\x32\x34\x38\x31\x31\x38\x38\x20\x31\x32\x2e\x34\x33\x32\
\x36\x31\x36\x36\x37\x39\x33\x20\x31\x2e\x39\x38\x30\x34\x38\x39\
\x31\x38\x37\x36\x33\x20\x31\x32\x2e\x33\x39\x30\x36\x38\x37\x34\
\x35\x32\x38\x20\x43\x20\x31\x2e\x39\x38\x36\x37\x33\x30\x32\x35\
\x36\x34\x37\x20\x31\x32\x2e\x33\x34\x38\x37\x35\x38\x32\x32\x36\
\x33\x20\x31\x2e\x39\x39\x32\x39\x37\x31\x33\x32\x35\x33\x31\x20\
\x31\x32\x2e\x33\x30\x36\x37\x36\x37\x31\x34\x35\x20\x31\x2e\x39\
\x39\x39\x32\x31\x32\x33\x39\x34\x31\x34\x20\x31\x32\x2e\x32\x36\
\x34\x37\x34\x36\x39\x33\x33\x20\x43\x20\x32\x2e\x30\x30\x35\x34\
\x35\x33\x34\x36\x32\x39\x38\x20\x31\x32\x2e\x32\x32\x32\x37\x32\
\x36\x37\x32\x31\x20\x32\x2e\x30\x31\x31\x36\x39\x34\x35\x33\x31\
\x38\x31\x20\x31\x32\x2e\x31\x38\x30\x36\x37\x37\x32\x30\x36\x32\
\x20\x32\x2e\x30\x31\x37\x39\x33\x35\x36\x30\x30\x36\x35\x20\x31\
\x32\x2e\x31\x33\x38\x36\x33\x30\x39\x36\x33\x20\x43\x20\x32\x2e\
\x30\x32\x34\x31\x37\x36\x36\x36\x39\x34\x39\x20\x31\x32\x2e\x30\
\x39\x36\x35\x38\x34\x37\x31\x39\x39\x20\x32\x2e\x30\x33\x30\x34\
\x31\x37\x37\x33\x38\x33\x32\x20\x31\x32\x2e\x30\x35\x34\x35\x34\
\x31\x37\x37\x31\x32\x20\x32\x2e\x30\x33\x36\x36\x35\x38\x38\x30\
\x37\x31\x36\x20\x31\x32\x2e\x30\x31\x32\x35\x33\x34\x34\x39\x31\
\x35\x20\x43\x20\x32\x2e\x30\x34\x32\x38\x39\x39\x38\x37\x35\x39\
\x39\x20\x31\x31\x2e\x39\x37\x30\x35\x32\x37\x32\x31\x31\x38\x20\
\x32\x2e\x30\x34\x39\x31\x34\x30\x39\x34\x34\x38\x33\x20\x31\x31\
\x2e\x39\x32\x38\x35\x35\x35\x38\x31\x38\x38\x20\x32\x2e\x30\x35\
\x35\x33\x38\x32\x30\x31\x33\x36\x37\x20\x31\x31\x2e\x38\x38\x36\
\x36\x35\x32\x34\x33\x37\x20\x43\x20\x32\x2e\x30\x36\x31\x36\x32\
\x33\x30\x38\x32\x35\x20\x31\x31\x2e\x38\x34\x34\x37\x34\x39\x30\
\x35\x35\x32\x20\x32\x2e\x30\x36\x37\x38\x36\x34\x31\x35\x31\x33\
\x34\x20\x31\x31\x2e\x38\x30\x32\x39\x31\x34\x30\x39\x36\x39\x20\
\x32\x2e\x30\x37\x34\x31\x30\x35\x32\x32\x30\x31\x38\x20\x31\x31\
\x2e\x37\x36\x31\x31\x37\x39\x33\x38\x36\x37\x20\x43\x20\x32\x2e\
\x30\x38\x30\x33\x34\x36\x32\x38\x39\x30\x31\x20\x31\x31\x2e\x37\
\x31\x39\x34\x34\x34\x36\x37\x36\x36\x20\x32\x2e\x30\x38\x36\x35\
\x38\x37\x33\x35\x37\x38\x35\x20\x31\x31\x2e\x36\x37\x37\x38\x31\
\x30\x38\x32\x30\x38\x20\x32\x2e\x30\x39\x32\x38\x32\x38\x34\x32\
\x36\x36\x38\x20\x31\x31\x2e\x36\x33\x36\x33\x30\x39\x32\x39\x35\
\x34\x20\x43\x20\x32\x2e\x30\x39\x39\x30\x36\x39\x34\x39\x35\x35\
\x32\x20\x31\x31\x2e\x35\x39\x34\x38\x30\x37\x37\x37\x20\x32\x2e\
\x31\x30\x35\x33\x31\x30\x35\x36\x34\x33\x36\x20\x31\x31\x2e\x35\
\x35\x33\x34\x33\x39\x33\x37\x34\x20\x32\x2e\x31\x31\x31\x35\x35\
\x31\x36\x33\x33\x31\x39\x20\x31\x31\x2e\x35\x31\x32\x32\x33\x35\
\x31\x38\x35\x39\x20\x43\x20\x32\x2e\x31\x31\x37\x37\x39\x32\x37\
\x30\x32\x30\x33\x20\x31\x31\x2e\x34\x37\x31\x30\x33\x30\x39\x39\
\x37\x38\x20\x32\x2e\x31\x32\x34\x30\x33\x33\x37\x37\x30\x38\x36\
\x20\x31\x31\x2e\x34\x32\x39\x39\x39\x32\x30\x30\x38\x34\x20\x32\
\x2e\x31\x33\x30\x32\x37\x34\x38\x33\x39\x37\x20\x31\x31\x2e\x33\
\x38\x39\x31\x34\x38\x38\x35\x30\x37\x20\x43\x20\x32\x2e\x31\x33\
\x36\x35\x31\x35\x39\x30\x38\x35\x34\x20\x31\x31\x2e\x33\x34\x38\
\x33\x30\x35\x36\x39\x32\x39\x20\x32\x2e\x31\x34\x32\x37\x35\x36\
\x39\x37\x37\x33\x37\x20\x31\x31\x2e\x33\x30\x37\x36\x35\x39\x35\
\x34\x37\x37\x20\x32\x2e\x31\x34\x38\x39\x39\x38\x30\x34\x36\x32\
\x31\x20\x31\x31\x2e\x32\x36\x37\x32\x34\x30\x35\x35\x35\x32\x20\
\x43\x20\x32\x2e\x31\x35\x35\x32\x33\x39\x31\x31\x35\x30\x34\x20\
\x31\x31\x2e\x32\x32\x36\x38\x32\x31\x35\x36\x32\x36\x20\x32\x2e\
\x31\x36\x31\x34\x38\x30\x31\x38\x33\x38\x38\x20\x31\x31\x2e\x31\
\x38\x36\x36\x33\x31\x30\x39\x32\x20\x32\x2e\x31\x36\x37\x37\x32\
\x31\x32\x35\x32\x37\x32\x20\x31\x31\x2e\x31\x34\x36\x36\x39\x38\
\x37\x34\x33\x39\x20\x43\x20\x32\x2e\x31\x37\x33\x39\x36\x32\x33\
\x32\x31\x35\x35\x20\x31\x31\x2e\x31\x30\x36\x37\x36\x36\x33\x39\
\x35\x38\x20\x32\x2e\x31\x38\x30\x32\x30\x33\x33\x39\x30\x33\x39\
\x20\x31\x31\x2e\x30\x36\x37\x30\x39\x33\x37\x32\x35\x39\x20\x32\
\x2e\x31\x38\x36\x34\x34\x34\x34\x35\x39\x32\x32\x20\x31\x31\x2e\
\x30\x32\x37\x37\x30\x39\x37\x34\x39\x32\x20\x43\x20\x32\x2e\x31\
\x39\x32\x36\x38\x35\x35\x32\x38\x30\x36\x20\x31\x30\x2e\x39\x38\
\x38\x33\x32\x35\x37\x37\x32\x35\x20\x32\x2e\x31\x39\x38\x39\x32\
\x36\x35\x39\x36\x39\x20\x31\x30\x2e\x39\x34\x39\x32\x33\x32\x32\
\x32\x38\x37\x20\x32\x2e\x32\x30\x35\x31\x36\x37\x36\x36\x35\x37\
\x33\x20\x31\x30\x2e\x39\x31\x30\x34\x35\x37\x35\x30\x32\x38\x20\
\x43\x20\x32\x2e\x32\x31\x31\x34\x30\x38\x37\x33\x34\x35\x37\x20\
\x31\x30\x2e\x38\x37\x31\x36\x38\x32\x37\x37\x36\x39\x20\x32\x2e\
\x32\x31\x37\x36\x34\x39\x38\x30\x33\x34\x20\x31\x30\x2e\x38\x33\
\x33\x32\x32\x38\x37\x38\x39\x36\x20\x32\x2e\x32\x32\x33\x38\x39\
\x30\x38\x37\x32\x32\x34\x20\x31\x30\x2e\x37\x39\x35\x31\x32\x33\
\x32\x35\x32\x20\x43\x20\x32\x2e\x32\x33\x30\x31\x33\x31\x39\x34\
\x31\x30\x38\x20\x31\x30\x2e\x37\x35\x37\x30\x31\x37\x37\x31\x34\
\x34\x20\x32\x2e\x32\x33\x36\x33\x37\x33\x30\x30\x39\x39\x31\x20\
\x31\x30\x2e\x37\x31\x39\x32\x36\x32\x37\x32\x35\x34\x20\x32\x2e\
\x32\x34\x32\x36\x31\x34\x30\x37\x38\x37\x35\x20\x31\x30\x2e\x36\
\x38\x31\x38\x38\x35\x32\x37\x39\x33\x20\x43\x20\x32\x2e\x32\x34\
\x38\x38\x35\x35\x31\x34\x37\x35\x38\x20\x31\x30\x2e\x36\x34\x34\
\x35\x30\x37\x38\x33\x33\x31\x20\x32\x2e\x32\x35\x35\x30\x39\x36\
\x32\x31\x36\x34\x32\x20\x31\x30\x2e\x36\x30\x37\x35\x31\x30\x32\
\x30\x33\x37\x20\x32\x2e\x32\x36\x31\x33\x33\x37\x32\x38\x35\x32\
\x36\x20\x31\x30\x2e\x35\x37\x30\x39\x31\x38\x36\x32\x36\x36\x20\
\x43\x20\x32\x2e\x32\x36\x37\x35\x37\x38\x33\x35\x34\x30\x39\x20\
\x31\x30\x2e\x35\x33\x34\x33\x32\x37\x30\x34\x39\x35\x20\x32\x2e\
\x32\x37\x33\x38\x31\x39\x34\x32\x32\x39\x33\x20\x31\x30\x2e\x34\
\x39\x38\x31\x34\x33\x39\x37\x30\x31\x20\x32\x2e\x32\x38\x30\x30\
\x36\x30\x34\x39\x31\x37\x36\x20\x31\x30\x2e\x34\x36\x32\x33\x39\
\x34\x38\x32\x35\x20\x43\x20\x32\x2e\x32\x38\x36\x33\x30\x31\x35\
\x36\x30\x36\x20\x31\x30\x2e\x34\x32\x36\x36\x34\x35\x36\x37\x39\
\x38\x20\x32\x2e\x32\x39\x32\x35\x34\x32\x36\x32\x39\x34\x34\x20\
\x31\x30\x2e\x33\x39\x31\x33\x33\x33\x30\x38\x31\x39\x20\x32\x2e\
\x32\x39\x38\x37\x38\x33\x36\x39\x38\x32\x37\x20\x31\x30\x2e\x33\
\x35\x36\x34\x38\x31\x36\x32\x39\x34\x20\x43\x20\x32\x2e\x33\x30\
\x35\x30\x32\x34\x37\x36\x37\x31\x31\x20\x31\x30\x2e\x33\x32\x31\
\x36\x33\x30\x31\x37\x36\x38\x20\x32\x2e\x33\x31\x31\x32\x36\x35\
\x38\x33\x35\x39\x34\x20\x31\x30\x2e\x32\x38\x37\x32\x34\x32\x36\
\x34\x36\x32\x20\x32\x2e\x33\x31\x37\x35\x30\x36\x39\x30\x34\x37\
\x38\x20\x31\x30\x2e\x32\x35\x33\x33\x34\x32\x37\x35\x39\x32\x20\
\x43\x20\x32\x2e\x33\x32\x33\x37\x34\x37\x39\x37\x33\x36\x32\x20\
\x31\x30\x2e\x32\x31\x39\x34\x34\x32\x38\x37\x32\x33\x20\x32\x2e\
\x33\x32\x39\x39\x38\x39\x30\x34\x32\x34\x35\x20\x31\x30\x2e\x31\
\x38\x36\x30\x33\x33\x35\x36\x34\x39\x20\x32\x2e\x33\x33\x36\x32\
\x33\x30\x31\x31\x31\x32\x39\x20\x31\x30\x2e\x31\x35\x33\x31\x33\
\x37\x36\x34\x35\x35\x20\x43\x20\x32\x2e\x33\x34\x32\x34\x37\x31\
\x31\x38\x30\x31\x33\x20\x31\x30\x2e\x31\x32\x30\x32\x34\x31\x37\
\x32\x36\x32\x20\x32\x2e\x33\x34\x38\x37\x31\x32\x32\x34\x38\x39\
\x36\x20\x31\x30\x2e\x30\x38\x37\x38\x36\x32\x32\x38\x35\x37\x20\
\x32\x2e\x33\x35\x34\x39\x35\x33\x33\x31\x37\x38\x20\x31\x30\x2e\
\x30\x35\x36\x30\x32\x31\x31\x38\x34\x32\x20\x43\x20\x32\x2e\x33\
\x36\x31\x31\x39\x34\x33\x38\x36\x36\x33\x20\x31\x30\x2e\x30\x32\
\x34\x31\x38\x30\x30\x38\x32\x36\x20\x32\x2e\x33\x36\x37\x34\x33\
\x35\x34\x35\x35\x34\x37\x20\x39\x2e\x39\x39\x32\x38\x38\x30\x35\
\x36\x30\x38\x37\x20\x32\x2e\x33\x37\x33\x36\x37\x36\x35\x32\x34\
\x33\x31\x20\x39\x2e\x39\x36\x32\x31\x34\x33\x34\x39\x36\x37\x36\
\x20\x43\x20\x32\x2e\x33\x37\x39\x39\x31\x37\x35\x39\x33\x31\x34\
\x20\x39\x2e\x39\x33\x31\x34\x30\x36\x34\x33\x32\x36\x35\x20\x32\
\x2e\x33\x38\x36\x31\x35\x38\x36\x36\x31\x39\x38\x20\x39\x2e\x39\
\x30\x31\x32\x33\x35\x32\x31\x32\x30\x35\x20\x32\x2e\x33\x39\x32\
\x33\x39\x39\x37\x33\x30\x38\x31\x20\x39\x2e\x38\x37\x31\x36\x34\
\x39\x36\x39\x38\x33\x39\x20\x43\x20\x32\x2e\x33\x39\x38\x36\x34\
\x30\x37\x39\x39\x36\x35\x20\x39\x2e\x38\x34\x32\x30\x36\x34\x31\
\x38\x34\x37\x33\x20\x32\x2e\x34\x30\x34\x38\x38\x31\x38\x36\x38\
\x34\x39\x20\x39\x2e\x38\x31\x33\x30\x36\x37\x39\x30\x33\x36\x34\
\x20\x32\x2e\x34\x31\x31\x31\x32\x32\x39\x33\x37\x33\x32\x20\x39\
\x2e\x37\x38\x34\x36\x37\x39\x36\x37\x33\x33\x39\x20\x43\x20\x32\
\x2e\x34\x31\x37\x33\x36\x34\x30\x30\x36\x31\x36\x20\x39\x2e\x37\
\x35\x36\x32\x39\x31\x34\x34\x33\x31\x34\x20\x32\x2e\x34\x32\x33\
\x36\x30\x35\x30\x37\x34\x39\x39\x20\x39\x2e\x37\x32\x38\x35\x31\
\x34\x39\x32\x33\x36\x39\x20\x32\x2e\x34\x32\x39\x38\x34\x36\x31\
\x34\x33\x38\x33\x20\x39\x2e\x37\x30\x31\x33\x36\x37\x38\x35\x39\
\x30\x37\x20\x43\x20\x32\x2e\x34\x33\x36\x30\x38\x37\x32\x31\x32\
\x36\x37\x20\x39\x2e\x36\x37\x34\x32\x32\x30\x37\x39\x34\x34\x35\
\x20\x32\x2e\x34\x34\x32\x33\x32\x38\x32\x38\x31\x35\x20\x39\x2e\
\x36\x34\x37\x37\x30\x36\x39\x37\x33\x32\x39\x20\x32\x2e\x34\x34\
\x38\x35\x36\x39\x33\x35\x30\x33\x34\x20\x39\x2e\x36\x32\x31\x38\
\x34\x33\x30\x33\x37\x39\x33\x20\x43\x20\x32\x2e\x34\x35\x34\x38\
\x31\x30\x34\x31\x39\x31\x37\x20\x39\x2e\x35\x39\x35\x39\x37\x39\
\x31\x30\x32\x35\x38\x20\x32\x2e\x34\x36\x31\x30\x35\x31\x34\x38\
\x38\x30\x31\x20\x39\x2e\x35\x37\x30\x37\x36\x38\x39\x36\x34\x34\
\x37\x20\x32\x2e\x34\x36\x37\x32\x39\x32\x35\x35\x36\x38\x35\x20\
\x39\x2e\x35\x34\x36\x32\x32\x38\x31\x33\x38\x35\x37\x20\x43\x20\
\x32\x2e\x34\x37\x33\x35\x33\x33\x36\x32\x35\x36\x38\x20\x39\x2e\
\x35\x32\x31\x36\x38\x37\x33\x31\x32\x36\x37\x20\x32\x2e\x34\x37\
\x39\x37\x37\x34\x36\x39\x34\x35\x32\x20\x39\x2e\x34\x39\x37\x38\
\x31\x39\x38\x32\x37\x31\x38\x20\x32\x2e\x34\x38\x36\x30\x31\x35\
\x37\x36\x33\x33\x35\x20\x39\x2e\x34\x37\x34\x36\x34\x30\x30\x34\
\x35\x36\x37\x20\x43\x20\x32\x2e\x34\x39\x32\x32\x35\x36\x38\x33\
\x32\x31\x39\x20\x39\x2e\x34\x35\x31\x34\x36\x30\x32\x36\x34\x31\
\x36\x20\x32\x2e\x34\x39\x38\x34\x39\x37\x39\x30\x31\x30\x33\x20\
\x39\x2e\x34\x32\x38\x39\x37\x32\x33\x32\x35\x33\x38\x20\x32\x2e\
\x35\x30\x34\x37\x33\x38\x39\x36\x39\x38\x36\x20\x39\x2e\x34\x30\
\x37\x31\x38\x39\x34\x31\x39\x33\x32\x20\x43\x20\x32\x2e\x35\x31\
\x30\x39\x38\x30\x30\x33\x38\x37\x20\x39\x2e\x33\x38\x35\x34\x30\
\x36\x35\x31\x33\x32\x36\x20\x32\x2e\x35\x31\x37\x32\x32\x31\x31\
\x30\x37\x35\x33\x20\x39\x2e\x33\x36\x34\x33\x33\x32\x38\x38\x32\
\x38\x31\x20\x32\x2e\x35\x32\x33\x34\x36\x32\x31\x37\x36\x33\x37\
\x20\x39\x2e\x33\x34\x33\x39\x38\x30\x35\x32\x33\x39\x37\x20\x43\
\x20\x32\x2e\x35\x32\x39\x37\x30\x33\x32\x34\x35\x32\x31\x20\x39\
\x2e\x33\x32\x33\x36\x32\x38\x31\x36\x35\x31\x34\x20\x32\x2e\x35\
\x33\x35\x39\x34\x34\x33\x31\x34\x30\x34\x20\x39\x2e\x33\x30\x34\
\x30\x30\x31\x34\x31\x38\x33\x39\x20\x32\x2e\x35\x34\x32\x31\x38\
\x35\x33\x38\x32\x38\x38\x20\x39\x2e\x32\x38\x35\x31\x31\x31\x30\
\x36\x37\x32\x34\x20\x43\x20\x32\x2e\x35\x34\x38\x34\x32\x36\x34\
\x35\x31\x37\x31\x20\x39\x2e\x32\x36\x36\x32\x32\x30\x37\x31\x36\
\x30\x38\x20\x32\x2e\x35\x35\x34\x36\x36\x37\x35\x32\x30\x35\x35\
\x20\x39\x2e\x32\x34\x38\x30\x37\x31\x31\x39\x31\x38\x36\x20\x32\
\x2e\x35\x36\x30\x39\x30\x38\x35\x38\x39\x33\x39\x20\x39\x2e\x32\
\x33\x30\x36\x37\x32\x30\x34\x38\x38\x38\x20\x43\x20\x32\x2e\x35\
\x36\x37\x31\x34\x39\x36\x35\x38\x32\x32\x20\x39\x2e\x32\x31\x33\
\x32\x37\x32\x39\x30\x35\x39\x20\x32\x2e\x35\x37\x33\x33\x39\x30\
\x37\x32\x37\x30\x36\x20\x39\x2e\x31\x39\x36\x36\x32\x38\x36\x35\
\x39\x35\x34\x20\x32\x2e\x35\x37\x39\x36\x33\x31\x37\x39\x35\x38\
\x39\x20\x39\x2e\x31\x38\x30\x37\x34\x37\x36\x32\x30\x31\x34\x20\
\x43\x20\x32\x2e\x35\x38\x35\x38\x37\x32\x38\x36\x34\x37\x33\x20\
\x39\x2e\x31\x36\x34\x38\x36\x36\x35\x38\x30\x37\x35\x20\x32\x2e\
\x35\x39\x32\x31\x31\x33\x39\x33\x33\x35\x37\x20\x39\x2e\x31\x34\
\x39\x37\x35\x33\x33\x34\x30\x37\x34\x20\x32\x2e\x35\x39\x38\x33\
\x35\x35\x30\x30\x32\x34\x20\x39\x2e\x31\x33\x35\x34\x31\x34\x39\
\x35\x33\x36\x36\x20\x43\x20\x32\x2e\x36\x30\x34\x35\x39\x36\x30\
\x37\x31\x32\x34\x20\x39\x2e\x31\x32\x31\x30\x37\x36\x35\x36\x36\
\x35\x39\x20\x32\x2e\x36\x31\x30\x38\x33\x37\x31\x34\x30\x30\x38\
\x20\x39\x2e\x31\x30\x37\x35\x31\x37\x36\x39\x34\x38\x31\x20\x32\
\x2e\x36\x31\x37\x30\x37\x38\x32\x30\x38\x39\x31\x20\x39\x2e\x30\
\x39\x34\x37\x34\x34\x31\x32\x34\x31\x38\x20\x43\x20\x32\x2e\x36\
\x32\x33\x33\x31\x39\x32\x37\x37\x37\x35\x20\x39\x2e\x30\x38\x31\
\x39\x37\x30\x35\x35\x33\x35\x35\x20\x32\x2e\x36\x32\x39\x35\x36\
\x30\x33\x34\x36\x35\x38\x20\x39\x2e\x30\x36\x39\x39\x38\x37\x30\
\x30\x39\x31\x36\x20\x32\x2e\x36\x33\x35\x38\x30\x31\x34\x31\x35\
\x34\x32\x20\x39\x2e\x30\x35\x38\x37\x39\x38\x30\x30\x30\x32\x32\
\x20\x43\x20\x32\x2e\x36\x34\x32\x30\x34\x32\x34\x38\x34\x32\x36\
\x20\x39\x2e\x30\x34\x37\x36\x30\x38\x39\x39\x31\x32\x38\x20\x32\
\x2e\x36\x34\x38\x32\x38\x33\x35\x35\x33\x30\x39\x20\x39\x2e\x30\
\x33\x37\x32\x31\x39\x32\x39\x38\x33\x31\x20\x32\x2e\x36\x35\x34\
\x35\x32\x34\x36\x32\x31\x39\x33\x20\x39\x2e\x30\x32\x37\x36\x33\
\x32\x31\x34\x36\x39\x20\x43\x20\x32\x2e\x36\x36\x30\x37\x36\x35\
\x36\x39\x30\x37\x36\x20\x39\x2e\x30\x31\x38\x30\x34\x34\x39\x39\
\x35\x35\x20\x32\x2e\x36\x36\x37\x30\x30\x36\x37\x35\x39\x36\x20\
\x39\x2e\x30\x30\x39\x32\x36\x35\x32\x31\x34\x32\x33\x20\x32\x2e\
\x36\x37\x33\x32\x34\x37\x38\x32\x38\x34\x34\x20\x39\x2e\x30\x30\
\x31\x32\x39\x34\x37\x34\x30\x30\x37\x20\x43\x20\x32\x2e\x36\x37\
\x39\x34\x38\x38\x38\x39\x37\x32\x37\x20\x38\x2e\x39\x39\x33\x33\
\x32\x34\x32\x36\x35\x39\x32\x20\x32\x2e\x36\x38\x35\x37\x32\x39\
\x39\x36\x36\x31\x31\x20\x38\x2e\x39\x38\x36\x31\x36\x37\x39\x36\
\x38\x30\x33\x20\x32\x2e\x36\x39\x31\x39\x37\x31\x30\x33\x34\x39\
\x34\x20\x38\x2e\x39\x37\x39\x38\x32\x36\x34\x39\x31\x38\x20\x43\
\x20\x32\x2e\x36\x39\x38\x32\x31\x32\x31\x30\x33\x37\x38\x20\x38\
\x2e\x39\x37\x33\x34\x38\x35\x30\x31\x35\x35\x37\x20\x32\x2e\x37\
\x30\x34\x34\x35\x33\x31\x37\x32\x36\x32\x20\x38\x2e\x39\x36\x37\
\x39\x36\x33\x32\x36\x33\x31\x39\x20\x32\x2e\x37\x31\x30\x36\x39\
\x34\x32\x34\x31\x34\x35\x20\x38\x2e\x39\x36\x33\x32\x36\x30\x35\
\x38\x37\x34\x37\x20\x43\x20\x32\x2e\x37\x31\x36\x39\x33\x35\x33\
\x31\x30\x32\x39\x20\x38\x2e\x39\x35\x38\x35\x35\x37\x39\x31\x31\
\x37\x34\x20\x32\x2e\x37\x32\x33\x31\x37\x36\x33\x37\x39\x31\x32\
\x20\x38\x2e\x39\x35\x34\x36\x37\x39\x32\x34\x30\x33\x35\x20\x32\
\x2e\x37\x32\x39\x34\x31\x37\x34\x34\x37\x39\x36\x20\x38\x2e\x39\
\x35\x31\x36\x32\x32\x36\x33\x34\x34\x37\x20\x43\x20\x32\x2e\x37\
\x33\x35\x36\x35\x38\x35\x31\x36\x38\x20\x38\x2e\x39\x34\x38\x35\
\x36\x36\x30\x32\x38\x36\x20\x32\x2e\x37\x34\x31\x38\x39\x39\x35\
\x38\x35\x36\x33\x20\x38\x2e\x39\x34\x36\x33\x33\x36\x34\x33\x33\
\x37\x39\x20\x32\x2e\x37\x34\x38\x31\x34\x30\x36\x35\x34\x34\x37\
\x20\x38\x2e\x39\x34\x34\x39\x33\x30\x36\x32\x32\x36\x34\x20\x43\
\x20\x32\x2e\x37\x35\x34\x33\x38\x31\x37\x32\x33\x33\x20\x38\x2e\
\x39\x34\x33\x35\x32\x34\x38\x31\x31\x34\x38\x20\x32\x2e\x37\x36\
\x30\x36\x32\x32\x37\x39\x32\x31\x34\x20\x38\x2e\x39\x34\x32\x39\
\x34\x37\x37\x33\x39\x37\x34\x20\x32\x2e\x37\x36\x36\x38\x36\x33\
\x38\x36\x30\x39\x38\x20\x38\x2e\x39\x34\x33\x31\x39\x34\x38\x39\
\x36\x33\x39\x20\x43\x20\x32\x2e\x37\x37\x33\x31\x30\x34\x39\x32\
\x39\x38\x31\x20\x38\x2e\x39\x34\x33\x34\x34\x32\x30\x35\x33\x30\
\x35\x20\x32\x2e\x37\x37\x39\x33\x34\x35\x39\x39\x38\x36\x35\x20\
\x38\x2e\x39\x34\x34\x35\x31\x38\x33\x39\x36\x34\x31\x20\x32\x2e\
\x37\x38\x35\x35\x38\x37\x30\x36\x37\x34\x38\x20\x38\x2e\x39\x34\
\x36\x34\x31\x38\x31\x33\x38\x38\x31\x20\x43\x20\x32\x2e\x37\x39\
\x31\x38\x32\x38\x31\x33\x36\x33\x32\x20\x38\x2e\x39\x34\x38\x33\
\x31\x37\x38\x38\x31\x32\x32\x20\x32\x2e\x37\x39\x38\x30\x36\x39\
\x32\x30\x35\x31\x36\x20\x38\x2e\x39\x35\x31\x30\x34\x35\x39\x37\
\x35\x38\x38\x20\x32\x2e\x38\x30\x34\x33\x31\x30\x32\x37\x33\x39\
\x39\x20\x38\x2e\x39\x35\x34\x35\x39\x35\x33\x36\x37\x34\x34\x20\
\x43\x20\x32\x2e\x38\x31\x30\x35\x35\x31\x33\x34\x32\x38\x33\x20\
\x38\x2e\x39\x35\x38\x31\x34\x34\x37\x35\x39\x30\x31\x20\x32\x2e\
\x38\x31\x36\x37\x39\x32\x34\x31\x31\x36\x36\x20\x38\x2e\x39\x36\
\x32\x35\x32\x30\x33\x38\x37\x39\x31\x20\x32\x2e\x38\x32\x33\x30\
\x33\x33\x34\x38\x30\x35\x20\x38\x2e\x39\x36\x37\x37\x31\x33\x39\
\x34\x32\x30\x31\x20\x43\x20\x32\x2e\x38\x32\x39\x32\x37\x34\x35\
\x34\x39\x33\x34\x20\x38\x2e\x39\x37\x32\x39\x30\x37\x34\x39\x36\
\x31\x32\x20\x32\x2e\x38\x33\x35\x35\x31\x35\x36\x31\x38\x31\x37\
\x20\x38\x2e\x39\x37\x38\x39\x32\x33\x38\x39\x35\x34\x36\x20\x32\
\x2e\x38\x34\x31\x37\x35\x36\x36\x38\x37\x30\x31\x20\x38\x2e\x39\
\x38\x35\x37\x35\x33\x35\x38\x33\x39\x37\x20\x43\x20\x32\x2e\x38\
\x34\x37\x39\x39\x37\x37\x35\x35\x38\x34\x20\x38\x2e\x39\x39\x32\
\x35\x38\x33\x32\x37\x32\x34\x38\x20\x32\x2e\x38\x35\x34\x32\x33\
\x38\x38\x32\x34\x36\x38\x20\x39\x2e\x30\x30\x30\x32\x33\x31\x31\
\x34\x32\x31\x38\x20\x32\x2e\x38\x36\x30\x34\x37\x39\x38\x39\x33\
\x35\x32\x20\x39\x2e\x30\x30\x38\x36\x38\x36\x34\x30\x37\x38\x34\
\x20\x43\x20\x32\x2e\x38\x36\x36\x37\x32\x30\x39\x36\x32\x33\x35\
\x20\x39\x2e\x30\x31\x37\x31\x34\x31\x36\x37\x33\x35\x20\x32\x2e\
\x38\x37\x32\x39\x36\x32\x30\x33\x31\x31\x39\x20\x39\x2e\x30\x32\
\x36\x34\x30\x39\x31\x39\x31\x35\x36\x20\x32\x2e\x38\x37\x39\x32\
\x30\x33\x31\x30\x30\x30\x33\x20\x39\x2e\x30\x33\x36\x34\x37\x36\
\x39\x36\x34\x33\x20\x43\x20\x32\x2e\x38\x38\x35\x34\x34\x34\x31\
\x36\x38\x38\x36\x20\x39\x2e\x30\x34\x36\x35\x34\x34\x37\x33\x37\
\x30\x35\x20\x32\x2e\x38\x39\x31\x36\x38\x35\x32\x33\x37\x37\x20\
\x39\x2e\x30\x35\x37\x34\x31\x37\x35\x37\x37\x38\x35\x20\x32\x2e\
\x38\x39\x37\x39\x32\x36\x33\x30\x36\x35\x33\x20\x39\x2e\x30\x36\
\x39\x30\x38\x32\x32\x39\x35\x30\x33\x20\x43\x20\x32\x2e\x39\x30\
\x34\x31\x36\x37\x33\x37\x35\x33\x37\x20\x39\x2e\x30\x38\x30\x37\
\x34\x37\x30\x31\x32\x32\x31\x20\x32\x2e\x39\x31\x30\x34\x30\x38\
\x34\x34\x34\x32\x31\x20\x39\x2e\x30\x39\x33\x32\x30\x38\x33\x36\
\x38\x36\x33\x20\x32\x2e\x39\x31\x36\x36\x34\x39\x35\x31\x33\x30\
\x34\x20\x39\x2e\x31\x30\x36\x34\x35\x31\x39\x39\x39\x30\x35\x20\
\x43\x20\x32\x2e\x39\x32\x32\x38\x39\x30\x35\x38\x31\x38\x38\x20\
\x39\x2e\x31\x31\x39\x36\x39\x35\x36\x32\x39\x34\x38\x20\x32\x2e\
\x39\x32\x39\x31\x33\x31\x36\x35\x30\x37\x31\x20\x39\x2e\x31\x33\
\x33\x37\x32\x36\x32\x33\x38\x38\x38\x20\x32\x2e\x39\x33\x35\x33\
\x37\x32\x37\x31\x39\x35\x35\x20\x39\x2e\x31\x34\x38\x35\x32\x38\
\x33\x31\x30\x36\x39\x20\x43\x20\x32\x2e\x39\x34\x31\x36\x31\x33\
\x37\x38\x38\x33\x39\x20\x39\x2e\x31\x36\x33\x33\x33\x30\x33\x38\
\x32\x35\x20\x32\x2e\x39\x34\x37\x38\x35\x34\x38\x35\x37\x32\x32\
\x20\x39\x2e\x31\x37\x38\x39\x30\x38\x35\x35\x36\x35\x33\x20\x32\
\x2e\x39\x35\x34\x30\x39\x35\x39\x32\x36\x30\x36\x20\x39\x2e\x31\
\x39\x35\x32\x34\x36\x31\x38\x38\x38\x34\x20\x43\x20\x32\x2e\x39\
\x36\x30\x33\x33\x36\x39\x39\x34\x38\x39\x20\x39\x2e\x32\x31\x31\
\x35\x38\x33\x38\x32\x31\x31\x36\x20\x32\x2e\x39\x36\x36\x35\x37\
\x38\x30\x36\x33\x37\x33\x20\x39\x2e\x32\x32\x38\x36\x38\x35\x34\
\x37\x39\x32\x34\x20\x32\x2e\x39\x37\x32\x38\x31\x39\x31\x33\x32\
\x35\x37\x20\x39\x2e\x32\x34\x36\x35\x33\x33\x34\x31\x37\x35\x32\
\x20\x43\x20\x32\x2e\x39\x37\x39\x30\x36\x30\x32\x30\x31\x34\x20\
\x39\x2e\x32\x36\x34\x33\x38\x31\x33\x35\x35\x38\x31\x20\x32\x2e\
\x39\x38\x35\x33\x30\x31\x32\x37\x30\x32\x34\x20\x39\x2e\x32\x38\
\x32\x39\x38\x30\x30\x36\x32\x33\x39\x20\x32\x2e\x39\x39\x31\x35\
\x34\x32\x33\x33\x39\x30\x37\x20\x39\x2e\x33\x30\x32\x33\x31\x30\
\x37\x31\x37\x34\x39\x20\x43\x20\x32\x2e\x39\x39\x37\x37\x38\x33\
\x34\x30\x37\x39\x31\x20\x39\x2e\x33\x32\x31\x36\x34\x31\x33\x37\
\x32\x36\x20\x33\x2e\x30\x30\x34\x30\x32\x34\x34\x37\x36\x37\x35\
\x20\x39\x2e\x33\x34\x31\x37\x30\x38\x33\x37\x38\x20\x33\x2e\x30\
\x31\x30\x32\x36\x35\x35\x34\x35\x35\x38\x20\x39\x2e\x33\x36\x32\
\x34\x39\x31\x38\x36\x38\x38\x31\x20\x43\x20\x33\x2e\x30\x31\x36\
\x35\x30\x36\x36\x31\x34\x34\x32\x20\x39\x2e\x33\x38\x33\x32\x37\
\x35\x33\x35\x39\x36\x32\x20\x33\x2e\x30\x32\x32\x37\x34\x37\x36\
\x38\x33\x32\x35\x20\x39\x2e\x34\x30\x34\x37\x37\x39\x36\x34\x34\
\x34\x38\x20\x33\x2e\x30\x32\x38\x39\x38\x38\x37\x35\x32\x30\x39\
\x20\x39\x2e\x34\x32\x36\x39\x38\x33\x38\x34\x34\x31\x20\x43\x20\
\x33\x2e\x30\x33\x35\x32\x32\x39\x38\x32\x30\x39\x33\x20\x39\x2e\
\x34\x34\x39\x31\x38\x38\x30\x34\x33\x37\x33\x20\x33\x2e\x30\x34\
\x31\x34\x37\x30\x38\x38\x39\x37\x36\x20\x39\x2e\x34\x37\x32\x30\
\x39\x36\x33\x36\x36\x39\x37\x20\x33\x2e\x30\x34\x37\x37\x31\x31\
\x39\x35\x38\x36\x20\x39\x2e\x34\x39\x35\x36\x38\x36\x39\x35\x32\
\x33\x39\x20\x43\x20\x33\x2e\x30\x35\x33\x39\x35\x33\x30\x32\x37\
\x34\x33\x20\x39\x2e\x35\x31\x39\x32\x37\x37\x35\x33\x37\x38\x32\
\x20\x33\x2e\x30\x36\x30\x31\x39\x34\x30\x39\x36\x32\x37\x20\x39\
\x2e\x35\x34\x33\x35\x35\x34\x34\x38\x37\x39\x39\x20\x33\x2e\x30\
\x36\x36\x34\x33\x35\x31\x36\x35\x31\x31\x20\x39\x2e\x35\x36\x38\
\x34\x39\x34\x39\x39\x33\x31\x36\x20\x43\x20\x33\x2e\x30\x37\x32\
\x36\x37\x36\x32\x33\x33\x39\x34\x20\x39\x2e\x35\x39\x33\x34\x33\
\x35\x34\x39\x38\x33\x32\x20\x33\x2e\x30\x37\x38\x39\x31\x37\x33\
\x30\x32\x37\x38\x20\x39\x2e\x36\x31\x39\x30\x34\x33\x35\x34\x38\
\x33\x39\x20\x33\x2e\x30\x38\x35\x31\x35\x38\x33\x37\x31\x36\x31\
\x20\x39\x2e\x36\x34\x35\x32\x39\x35\x34\x32\x30\x35\x32\x20\x43\
\x20\x33\x2e\x30\x39\x31\x33\x39\x39\x34\x34\x30\x34\x35\x20\x39\
\x2e\x36\x37\x31\x35\x34\x37\x32\x39\x32\x36\x35\x20\x33\x2e\x30\
\x39\x37\x36\x34\x30\x35\x30\x39\x32\x39\x20\x39\x2e\x36\x39\x38\
\x34\x34\x36\x38\x35\x37\x39\x37\x20\x33\x2e\x31\x30\x33\x38\x38\
\x31\x35\x37\x38\x31\x32\x20\x39\x2e\x37\x32\x35\x39\x36\x39\x35\
\x31\x37\x32\x32\x20\x43\x20\x33\x2e\x31\x31\x30\x31\x32\x32\x36\
\x34\x36\x39\x36\x20\x39\x2e\x37\x35\x33\x34\x39\x32\x31\x37\x36\
\x34\x37\x20\x33\x2e\x31\x31\x36\x33\x36\x33\x37\x31\x35\x37\x39\
\x20\x39\x2e\x37\x38\x31\x36\x34\x31\x36\x37\x35\x39\x39\x20\x33\
\x2e\x31\x32\x32\x36\x30\x34\x37\x38\x34\x36\x33\x20\x39\x2e\x38\
\x31\x30\x33\x39\x32\x35\x37\x38\x31\x33\x20\x43\x20\x33\x2e\x31\
\x32\x38\x38\x34\x35\x38\x35\x33\x34\x37\x20\x39\x2e\x38\x33\x39\
\x31\x34\x33\x34\x38\x30\x32\x37\x20\x33\x2e\x31\x33\x35\x30\x38\
\x36\x39\x32\x32\x33\x20\x39\x2e\x38\x36\x38\x34\x39\x39\x34\x30\
\x30\x37\x39\x20\x33\x2e\x31\x34\x31\x33\x32\x37\x39\x39\x31\x31\
\x34\x20\x39\x2e\x38\x39\x38\x34\x33\x34\x31\x30\x32\x39\x39\x20\
\x43\x20\x33\x2e\x31\x34\x37\x35\x36\x39\x30\x35\x39\x39\x37\x20\
\x39\x2e\x39\x32\x38\x33\x36\x38\x38\x30\x35\x31\x39\x20\x33\x2e\
\x31\x35\x33\x38\x31\x30\x31\x32\x38\x38\x31\x20\x39\x2e\x39\x35\
\x38\x38\x38\x35\x37\x36\x38\x36\x36\x20\x33\x2e\x31\x36\x30\x30\
\x35\x31\x31\x39\x37\x36\x35\x20\x39\x2e\x39\x38\x39\x39\x35\x37\
\x39\x39\x38\x31\x38\x20\x43\x20\x33\x2e\x31\x36\x36\x32\x39\x32\
\x32\x36\x36\x34\x38\x20\x31\x30\x2e\x30\x32\x31\x30\x33\x30\x32\
\x32\x37\x37\x20\x33\x2e\x31\x37\x32\x35\x33\x33\x33\x33\x35\x33\
\x32\x20\x31\x30\x2e\x30\x35\x32\x36\x36\x31\x30\x36\x31\x33\x20\
\x33\x2e\x31\x37\x38\x37\x37\x34\x34\x30\x34\x31\x36\x20\x31\x30\
\x2e\x30\x38\x34\x38\x32\x32\x37\x38\x37\x31\x20\x43\x20\x33\x2e\
\x31\x38\x35\x30\x31\x35\x34\x37\x32\x39\x39\x20\x31\x30\x2e\x31\
\x31\x36\x39\x38\x34\x35\x31\x32\x38\x20\x33\x2e\x31\x39\x31\x32\
\x35\x36\x35\x34\x31\x38\x33\x20\x31\x30\x2e\x31\x34\x39\x36\x38\
\x30\x33\x32\x32\x20\x33\x2e\x31\x39\x37\x34\x39\x37\x36\x31\x30\
\x36\x36\x20\x31\x30\x2e\x31\x38\x32\x38\x38\x31\x38\x32\x38\x37\
\x20\x43\x20\x33\x2e\x32\x30\x33\x37\x33\x38\x36\x37\x39\x35\x20\
\x31\x30\x2e\x32\x31\x36\x30\x38\x33\x33\x33\x35\x34\x20\x33\x2e\
\x32\x30\x39\x39\x37\x39\x37\x34\x38\x33\x34\x20\x31\x30\x2e\x32\
\x34\x39\x37\x39\x33\x35\x37\x39\x33\x20\x33\x2e\x32\x31\x36\x32\
\x32\x30\x38\x31\x37\x31\x37\x20\x31\x30\x2e\x32\x38\x33\x39\x38\
\x33\x35\x34\x34\x34\x20\x43\x20\x33\x2e\x32\x32\x32\x34\x36\x31\
\x38\x38\x36\x30\x31\x20\x31\x30\x2e\x33\x31\x38\x31\x37\x33\x35\
\x30\x39\x36\x20\x33\x2e\x32\x32\x38\x37\x30\x32\x39\x35\x34\x38\
\x34\x20\x31\x30\x2e\x33\x35\x32\x38\x34\x36\x30\x37\x39\x33\x20\
\x33\x2e\x32\x33\x34\x39\x34\x34\x30\x32\x33\x36\x38\x20\x31\x30\
\x2e\x33\x38\x37\x39\x37\x31\x36\x35\x32\x34\x20\x43\x20\x33\x2e\
\x32\x34\x31\x31\x38\x35\x30\x39\x32\x35\x32\x20\x31\x30\x2e\x34\
\x32\x33\x30\x39\x37\x32\x32\x35\x35\x20\x33\x2e\x32\x34\x37\x34\
\x32\x36\x31\x36\x31\x33\x35\x20\x31\x30\x2e\x34\x35\x38\x36\x37\
\x38\x35\x32\x34\x36\x20\x33\x2e\x32\x35\x33\x36\x36\x37\x32\x33\
\x30\x31\x39\x20\x31\x30\x2e\x34\x39\x34\x36\x38\x35\x34\x30\x38\
\x39\x20\x43\x20\x33\x2e\x32\x35\x39\x39\x30\x38\x32\x39\x39\x30\
\x32\x20\x31\x30\x2e\x35\x33\x30\x36\x39\x32\x32\x39\x33\x33\x20\
\x33\x2e\x32\x36\x36\x31\x34\x39\x33\x36\x37\x38\x36\x20\x31\x30\
\x2e\x35\x36\x37\x31\x32\x37\x33\x32\x30\x34\x20\x33\x2e\x32\x37\
\x32\x33\x39\x30\x34\x33\x36\x37\x20\x31\x30\x2e\x36\x30\x33\x39\
\x35\x39\x38\x35\x37\x20\x43\x20\x33\x2e\x32\x37\x38\x36\x33\x31\
\x35\x30\x35\x35\x33\x20\x31\x30\x2e\x36\x34\x30\x37\x39\x32\x33\
\x39\x33\x35\x20\x33\x2e\x32\x38\x34\x38\x37\x32\x35\x37\x34\x33\
\x37\x20\x31\x30\x2e\x36\x37\x38\x30\x32\x34\x38\x32\x38\x20\x33\
\x2e\x32\x39\x31\x31\x31\x33\x36\x34\x33\x32\x20\x31\x30\x2e\x37\
\x31\x35\x36\x32\x36\x30\x38\x31\x34\x20\x43\x20\x33\x2e\x32\x39\
\x37\x33\x35\x34\x37\x31\x32\x30\x34\x20\x31\x30\x2e\x37\x35\x33\
\x32\x32\x37\x33\x33\x34\x38\x20\x33\x2e\x33\x30\x33\x35\x39\x35\
\x37\x38\x30\x38\x38\x20\x31\x30\x2e\x37\x39\x31\x31\x39\x39\x36\
\x32\x33\x20\x33\x2e\x33\x30\x39\x38\x33\x36\x38\x34\x39\x37\x31\
\x20\x31\x30\x2e\x38\x32\x39\x35\x31\x31\x34\x36\x39\x37\x20\x43\
\x20\x33\x2e\x33\x31\x36\x30\x37\x37\x39\x31\x38\x35\x35\x20\x31\
\x30\x2e\x38\x36\x37\x38\x32\x33\x33\x31\x36\x33\x20\x33\x2e\x33\
\x32\x32\x33\x31\x38\x39\x38\x37\x33\x38\x20\x31\x30\x2e\x39\x30\
\x36\x34\x37\x36\x37\x36\x31\x32\x20\x33\x2e\x33\x32\x38\x35\x36\
\x30\x30\x35\x36\x32\x32\x20\x31\x30\x2e\x39\x34\x35\x34\x33\x39\
\x39\x37\x39\x31\x20\x43\x20\x33\x2e\x33\x33\x34\x38\x30\x31\x31\
\x32\x35\x30\x36\x20\x31\x30\x2e\x39\x38\x34\x34\x30\x33\x31\x39\
\x36\x39\x20\x33\x2e\x33\x34\x31\x30\x34\x32\x31\x39\x33\x38\x39\
\x20\x31\x31\x2e\x30\x32\x33\x36\x37\x38\x30\x34\x38\x34\x20\x33\
\x2e\x33\x34\x37\x32\x38\x33\x32\x36\x32\x37\x33\x20\x31\x31\x2e\
\x30\x36\x33\x32\x33\x32\x34\x30\x38\x35\x20\x43\x20\x33\x2e\x33\
\x35\x33\x35\x32\x34\x33\x33\x31\x35\x36\x20\x31\x31\x2e\x31\x30\
\x32\x37\x38\x36\x37\x36\x38\x37\x20\x33\x2e\x33\x35\x39\x37\x36\
\x35\x34\x30\x30\x34\x20\x31\x31\x2e\x31\x34\x32\x36\x32\x32\x33\
\x31\x36\x31\x20\x33\x2e\x33\x36\x36\x30\x30\x36\x34\x36\x39\x32\
\x34\x20\x31\x31\x2e\x31\x38\x32\x37\x30\x36\x36\x37\x35\x38\x20\
\x43\x20\x33\x2e\x33\x37\x32\x32\x34\x37\x35\x33\x38\x30\x37\x20\
\x31\x31\x2e\x32\x32\x32\x37\x39\x31\x30\x33\x35\x36\x20\x33\x2e\
\x33\x37\x38\x34\x38\x38\x36\x30\x36\x39\x31\x20\x31\x31\x2e\x32\
\x36\x33\x31\x32\x35\x37\x30\x31\x35\x20\x33\x2e\x33\x38\x34\x37\
\x32\x39\x36\x37\x35\x37\x34\x20\x31\x31\x2e\x33\x30\x33\x36\x37\
\x38\x30\x39\x38\x39\x20\x43\x20\x33\x2e\x33\x39\x30\x39\x37\x30\
\x37\x34\x34\x35\x38\x20\x31\x31\x2e\x33\x34\x34\x32\x33\x30\x34\
\x39\x36\x33\x20\x33\x2e\x33\x39\x37\x32\x31\x31\x38\x31\x33\x34\
\x32\x20\x31\x31\x2e\x33\x38\x35\x30\x30\x31\x39\x33\x32\x20\x33\
\x2e\x34\x30\x33\x34\x35\x32\x38\x38\x32\x32\x35\x20\x31\x31\x2e\
\x34\x32\x35\x39\x35\x39\x36\x38\x31\x35\x20\x43\x20\x33\x2e\x34\
\x30\x39\x36\x39\x33\x39\x35\x31\x30\x39\x20\x31\x31\x2e\x34\x36\
\x36\x39\x31\x37\x34\x33\x31\x31\x20\x33\x2e\x34\x31\x35\x39\x33\
\x35\x30\x31\x39\x39\x32\x20\x31\x31\x2e\x35\x30\x38\x30\x36\x32\
\x36\x31\x32\x34\x20\x33\x2e\x34\x32\x32\x31\x37\x36\x30\x38\x38\
\x37\x36\x20\x31\x31\x2e\x35\x34\x39\x33\x36\x32\x34\x30\x32\x31\
\x20\x43\x20\x33\x2e\x34\x32\x38\x34\x31\x37\x31\x35\x37\x36\x20\
\x31\x31\x2e\x35\x39\x30\x36\x36\x32\x31\x39\x31\x38\x20\x33\x2e\
\x34\x33\x34\x36\x35\x38\x32\x32\x36\x34\x33\x20\x31\x31\x2e\x36\
\x33\x32\x31\x31\x37\x35\x31\x37\x20\x33\x2e\x34\x34\x30\x38\x39\
\x39\x32\x39\x35\x32\x37\x20\x31\x31\x2e\x36\x37\x33\x36\x39\x35\
\x35\x30\x36\x31\x20\x43\x20\x33\x2e\x34\x34\x37\x31\x34\x30\x33\
\x36\x34\x31\x31\x20\x31\x31\x2e\x37\x31\x35\x32\x37\x33\x34\x39\
\x35\x32\x20\x33\x2e\x34\x35\x33\x33\x38\x31\x34\x33\x32\x39\x34\
\x20\x31\x31\x2e\x37\x35\x36\x39\x37\x34\x38\x38\x33\x20\x33\x2e\
\x34\x35\x39\x36\x32\x32\x35\x30\x31\x37\x38\x20\x31\x31\x2e\x37\
\x39\x38\x37\x36\x36\x38\x30\x30\x37\x20\x43\x20\x33\x2e\x34\x36\
\x35\x38\x36\x33\x35\x37\x30\x36\x31\x20\x31\x31\x2e\x38\x34\x30\
\x35\x35\x38\x37\x31\x38\x34\x20\x33\x2e\x34\x37\x32\x31\x30\x34\
\x36\x33\x39\x34\x35\x20\x31\x31\x2e\x38\x38\x32\x34\x34\x31\x37\
\x30\x37\x34\x20\x33\x2e\x34\x37\x38\x33\x34\x35\x37\x30\x38\x32\
\x39\x20\x31\x31\x2e\x39\x32\x34\x33\x38\x32\x39\x35\x32\x31\x20\
\x43\x20\x33\x2e\x34\x38\x34\x35\x38\x36\x37\x37\x37\x31\x32\x20\
\x31\x31\x2e\x39\x36\x36\x33\x32\x34\x31\x39\x36\x39\x20\x33\x2e\
\x34\x39\x30\x38\x32\x37\x38\x34\x35\x39\x36\x20\x31\x32\x2e\x30\
\x30\x38\x33\x32\x34\x30\x34\x34\x37\x20\x33\x2e\x34\x39\x37\x30\
\x36\x38\x39\x31\x34\x37\x39\x20\x31\x32\x2e\x30\x35\x30\x33\x34\
\x39\x37\x38\x34\x32\x20\x43\x20\x33\x2e\x35\x30\x33\x33\x30\x39\
\x39\x38\x33\x36\x33\x20\x31\x32\x2e\x30\x39\x32\x33\x37\x35\x35\
\x32\x33\x38\x20\x33\x2e\x35\x30\x39\x35\x35\x31\x30\x35\x32\x34\
\x37\x20\x31\x32\x2e\x31\x33\x34\x34\x32\x37\x33\x30\x37\x36\x20\
\x33\x2e\x35\x31\x35\x37\x39\x32\x31\x32\x31\x33\x20\x31\x32\x2e\
\x31\x37\x36\x34\x37\x32\x35\x37\x38\x39\x20\x43\x20\x33\x2e\x35\
\x32\x32\x30\x33\x33\x31\x39\x30\x31\x34\x20\x31\x32\x2e\x32\x31\
\x38\x35\x31\x37\x38\x35\x30\x33\x20\x33\x2e\x35\x32\x38\x32\x37\
\x34\x32\x35\x38\x39\x37\x20\x31\x32\x2e\x32\x36\x30\x35\x35\x36\
\x35\x36\x36\x39\x20\x33\x2e\x35\x33\x34\x35\x31\x35\x33\x32\x37\
\x38\x31\x20\x31\x32\x2e\x33\x30\x32\x35\x35\x36\x33\x37\x37\x20\
\x43\x20\x33\x2e\x35\x34\x30\x37\x35\x36\x33\x39\x36\x36\x35\x20\
\x31\x32\x2e\x33\x34\x34\x35\x35\x36\x31\x38\x37\x20\x33\x2e\x35\
\x34\x36\x39\x39\x37\x34\x36\x35\x34\x38\x20\x31\x32\x2e\x33\x38\
\x36\x35\x31\x36\x38\x35\x33\x34\x20\x33\x2e\x35\x35\x33\x32\x33\
\x38\x35\x33\x34\x33\x32\x20\x31\x32\x2e\x34\x32\x38\x34\x30\x36\
\x32\x37\x39\x34\x20\x43\x20\x33\x2e\x35\x35\x39\x34\x37\x39\x36\
\x30\x33\x31\x35\x20\x31\x32\x2e\x34\x37\x30\x32\x39\x35\x37\x30\
\x35\x33\x20\x33\x2e\x35\x36\x35\x37\x32\x30\x36\x37\x31\x39\x39\
\x20\x31\x32\x2e\x35\x31\x32\x31\x31\x33\x34\x35\x39\x31\x20\x33\
\x2e\x35\x37\x31\x39\x36\x31\x37\x34\x30\x38\x33\x20\x31\x32\x2e\
\x35\x35\x33\x38\x32\x37\x37\x34\x38\x37\x20\x43\x20\x33\x2e\x35\
\x37\x38\x32\x30\x32\x38\x30\x39\x36\x36\x20\x31\x32\x2e\x35\x39\
\x35\x35\x34\x32\x30\x33\x38\x33\x20\x33\x2e\x35\x38\x34\x34\x34\
\x33\x38\x37\x38\x35\x20\x31\x32\x2e\x36\x33\x37\x31\x35\x32\x32\
\x33\x38\x32\x20\x33\x2e\x35\x39\x30\x36\x38\x34\x39\x34\x37\x33\
\x33\x20\x31\x32\x2e\x36\x37\x38\x36\x32\x36\x39\x30\x39\x39\x20\
\x43\x20\x33\x2e\x35\x39\x36\x39\x32\x36\x30\x31\x36\x31\x37\x20\
\x31\x32\x2e\x37\x32\x30\x31\x30\x31\x35\x38\x31\x37\x20\x33\x2e\
\x36\x30\x33\x31\x36\x37\x30\x38\x35\x30\x31\x20\x31\x32\x2e\x37\
\x36\x31\x34\x33\x39\x39\x30\x37\x20\x33\x2e\x36\x30\x39\x34\x30\
\x38\x31\x35\x33\x38\x34\x20\x31\x32\x2e\x38\x30\x32\x36\x31\x30\
\x38\x34\x39\x38\x20\x43\x20\x33\x2e\x36\x31\x35\x36\x34\x39\x32\
\x32\x32\x36\x38\x20\x31\x32\x2e\x38\x34\x33\x37\x38\x31\x37\x39\
\x32\x36\x20\x33\x2e\x36\x32\x31\x38\x39\x30\x32\x39\x31\x35\x31\
\x20\x31\x32\x2e\x38\x38\x34\x37\x38\x34\x33\x34\x33\x20\x33\x2e\
\x36\x32\x38\x31\x33\x31\x33\x36\x30\x33\x35\x20\x31\x32\x2e\x39\
\x32\x35\x35\x38\x37\x39\x31\x35\x32\x20\x43\x20\x33\x2e\x36\x33\
\x34\x33\x37\x32\x34\x32\x39\x31\x39\x20\x31\x32\x2e\x39\x36\x36\
\x33\x39\x31\x34\x38\x37\x35\x20\x33\x2e\x36\x34\x30\x36\x31\x33\
\x34\x39\x38\x30\x32\x20\x31\x33\x2e\x30\x30\x36\x39\x39\x34\x38\
\x38\x31\x37\x20\x33\x2e\x36\x34\x36\x38\x35\x34\x35\x36\x36\x38\
\x36\x20\x31\x33\x2e\x30\x34\x37\x33\x36\x38\x30\x30\x39\x37\x20\
\x43\x20\x33\x2e\x36\x35\x33\x30\x39\x35\x36\x33\x35\x36\x39\x20\
\x31\x33\x2e\x30\x38\x37\x37\x34\x31\x31\x33\x37\x38\x20\x33\x2e\
\x36\x35\x39\x33\x33\x36\x37\x30\x34\x35\x33\x20\x31\x33\x2e\x31\
\x32\x37\x38\x38\x32\x36\x31\x31\x35\x20\x33\x2e\x36\x36\x35\x35\
\x37\x37\x37\x37\x33\x33\x37\x20\x31\x33\x2e\x31\x36\x37\x37\x36\
\x32\x38\x38\x36\x39\x20\x43\x20\x33\x2e\x36\x37\x31\x38\x31\x38\
\x38\x34\x32\x32\x20\x31\x33\x2e\x32\x30\x37\x36\x34\x33\x31\x36\
\x32\x34\x20\x33\x2e\x36\x37\x38\x30\x35\x39\x39\x31\x31\x30\x34\
\x20\x31\x33\x2e\x32\x34\x37\x32\x36\x30\x36\x36\x35\x33\x20\x33\
\x2e\x36\x38\x34\x33\x30\x30\x39\x37\x39\x38\x37\x20\x31\x33\x2e\
\x32\x38\x36\x35\x38\x36\x34\x34\x31\x37\x20\x43\x20\x33\x2e\x36\
\x39\x30\x35\x34\x32\x30\x34\x38\x37\x31\x20\x31\x33\x2e\x33\x32\
\x35\x39\x31\x32\x32\x31\x38\x31\x20\x33\x2e\x36\x39\x36\x37\x38\
\x33\x31\x31\x37\x35\x35\x20\x31\x33\x2e\x33\x36\x34\x39\x34\x34\
\x35\x31\x20\x33\x2e\x37\x30\x33\x30\x32\x34\x31\x38\x36\x33\x38\
\x20\x31\x33\x2e\x34\x30\x33\x36\x35\x34\x39\x39\x37\x39\x20\x43\
\x20\x33\x2e\x37\x30\x39\x32\x36\x35\x32\x35\x35\x32\x32\x20\x31\
\x33\x2e\x34\x34\x32\x33\x36\x35\x34\x38\x35\x38\x20\x33\x2e\x37\
\x31\x35\x35\x30\x36\x33\x32\x34\x30\x36\x20\x31\x33\x2e\x34\x38\
\x30\x37\x35\x32\x32\x33\x31\x20\x33\x2e\x37\x32\x31\x37\x34\x37\
\x33\x39\x32\x38\x39\x20\x31\x33\x2e\x35\x31\x38\x37\x38\x37\x35\
\x39\x32\x33\x20\x43\x20\x33\x2e\x37\x32\x37\x39\x38\x38\x34\x36\
\x31\x37\x33\x20\x31\x33\x2e\x35\x35\x36\x38\x32\x32\x39\x35\x33\
\x35\x20\x33\x2e\x37\x33\x34\x32\x32\x39\x35\x33\x30\x35\x36\x20\
\x31\x33\x2e\x35\x39\x34\x35\x30\x34\x38\x31\x34\x32\x20\x33\x2e\
\x37\x34\x30\x34\x37\x30\x35\x39\x39\x34\x20\x31\x33\x2e\x36\x33\
\x31\x38\x30\x36\x32\x35\x34\x31\x20\x43\x20\x33\x2e\x37\x34\x36\
\x37\x31\x31\x36\x36\x38\x32\x34\x20\x31\x33\x2e\x36\x36\x39\x31\
\x30\x37\x36\x39\x34\x20\x33\x2e\x37\x35\x32\x39\x35\x32\x37\x33\
\x37\x30\x37\x20\x31\x33\x2e\x37\x30\x36\x30\x32\x36\x34\x32\x31\
\x39\x20\x33\x2e\x37\x35\x39\x31\x39\x33\x38\x30\x35\x39\x31\x20\
\x31\x33\x2e\x37\x34\x32\x35\x33\x36\x32\x38\x30\x33\x20\x43\x20\
\x33\x2e\x37\x36\x35\x34\x33\x34\x38\x37\x34\x37\x34\x20\x31\x33\
\x2e\x37\x37\x39\x30\x34\x36\x31\x33\x38\x37\x20\x33\x2e\x37\x37\
\x31\x36\x37\x35\x39\x34\x33\x35\x38\x20\x31\x33\x2e\x38\x31\x35\
\x31\x34\x34\x36\x36\x35\x33\x20\x33\x2e\x37\x37\x37\x39\x31\x37\
\x30\x31\x32\x34\x32\x20\x31\x33\x2e\x38\x35\x30\x38\x30\x36\x35\
\x30\x35\x37\x20\x43\x20\x33\x2e\x37\x38\x34\x31\x35\x38\x30\x38\
\x31\x32\x35\x20\x31\x33\x2e\x38\x38\x36\x34\x36\x38\x33\x34\x36\
\x31\x20\x33\x2e\x37\x39\x30\x33\x39\x39\x31\x35\x30\x30\x39\x20\
\x31\x33\x2e\x39\x32\x31\x36\x39\x30\x38\x37\x30\x37\x20\x33\x2e\
\x37\x39\x36\x36\x34\x30\x32\x31\x38\x39\x32\x20\x31\x33\x2e\x39\
\x35\x36\x34\x34\x39\x35\x36\x37\x33\x20\x43\x20\x33\x2e\x38\x30\
\x32\x38\x38\x31\x32\x38\x37\x37\x36\x20\x31\x33\x2e\x39\x39\x31\
\x32\x30\x38\x32\x36\x34\x20\x33\x2e\x38\x30\x39\x31\x32\x32\x33\
\x35\x36\x36\x20\x31\x34\x2e\x30\x32\x35\x35\x30\x30\x33\x33\x39\
\x39\x20\x33\x2e\x38\x31\x35\x33\x36\x33\x34\x32\x35\x34\x33\x20\
\x31\x34\x2e\x30\x35\x39\x33\x30\x32\x31\x36\x33\x33\x20\x43\x20\
\x33\x2e\x38\x32\x31\x36\x30\x34\x34\x39\x34\x32\x37\x20\x31\x34\
\x2e\x30\x39\x33\x31\x30\x33\x39\x38\x36\x36\x20\x33\x2e\x38\x32\
\x37\x38\x34\x35\x35\x36\x33\x31\x20\x31\x34\x2e\x31\x32\x36\x34\
\x31\x32\x36\x30\x35\x36\x20\x33\x2e\x38\x33\x34\x30\x38\x36\x36\
\x33\x31\x39\x34\x20\x31\x34\x2e\x31\x35\x39\x32\x30\x35\x33\x30\
\x35\x32\x20\x43\x20\x33\x2e\x38\x34\x30\x33\x32\x37\x37\x30\x30\
\x37\x38\x20\x31\x34\x2e\x31\x39\x31\x39\x39\x38\x30\x30\x34\x37\
\x20\x33\x2e\x38\x34\x36\x35\x36\x38\x37\x36\x39\x36\x31\x20\x31\
\x34\x2e\x32\x32\x34\x32\x37\x31\x36\x37\x38\x37\x20\x33\x2e\x38\
\x35\x32\x38\x30\x39\x38\x33\x38\x34\x35\x20\x31\x34\x2e\x32\x35\
\x36\x30\x30\x34\x35\x36\x33\x38\x20\x43\x20\x33\x2e\x38\x35\x39\
\x30\x35\x30\x39\x30\x37\x32\x38\x20\x31\x34\x2e\x32\x38\x37\x37\
\x33\x37\x34\x34\x38\x39\x20\x33\x2e\x38\x36\x35\x32\x39\x31\x39\
\x37\x36\x31\x32\x20\x31\x34\x2e\x33\x31\x38\x39\x32\x36\x32\x38\
\x39\x36\x20\x33\x2e\x38\x37\x31\x35\x33\x33\x30\x34\x34\x39\x36\
\x20\x31\x34\x2e\x33\x34\x39\x35\x35\x30\x33\x30\x37\x39\x20\x43\
\x20\x33\x2e\x38\x37\x37\x37\x37\x34\x31\x31\x33\x37\x39\x20\x31\
\x34\x2e\x33\x38\x30\x31\x37\x34\x33\x32\x36\x32\x20\x33\x2e\x38\
\x38\x34\x30\x31\x35\x31\x38\x32\x36\x33\x20\x31\x34\x2e\x34\x31\
\x30\x32\x33\x30\x31\x32\x32\x32\x20\x33\x2e\x38\x39\x30\x32\x35\
\x36\x32\x35\x31\x34\x36\x20\x31\x34\x2e\x34\x33\x39\x36\x39\x37\
\x39\x33\x35\x35\x20\x43\x20\x33\x2e\x38\x39\x36\x34\x39\x37\x33\
\x32\x30\x33\x20\x31\x34\x2e\x34\x36\x39\x31\x36\x35\x37\x34\x38\
\x38\x20\x33\x2e\x39\x30\x32\x37\x33\x38\x33\x38\x39\x31\x34\x20\
\x31\x34\x2e\x34\x39\x38\x30\x34\x32\x30\x34\x30\x32\x20\x33\x2e\
\x39\x30\x38\x39\x37\x39\x34\x35\x37\x39\x37\x20\x31\x34\x2e\x35\
\x32\x36\x33\x30\x38\x30\x39\x37\x34\x20\x43\x20\x33\x2e\x39\x31\
\x35\x32\x32\x30\x35\x32\x36\x38\x31\x20\x31\x34\x2e\x35\x35\x34\
\x35\x37\x34\x31\x35\x34\x37\x20\x33\x2e\x39\x32\x31\x34\x36\x31\
\x35\x39\x35\x36\x34\x20\x31\x34\x2e\x35\x38\x32\x32\x32\x36\x33\
\x30\x34\x37\x20\x33\x2e\x39\x32\x37\x37\x30\x32\x36\x36\x34\x34\
\x38\x20\x31\x34\x2e\x36\x30\x39\x32\x34\x36\x39\x31\x32\x36\x20\
\x43\x20\x33\x2e\x39\x33\x33\x39\x34\x33\x37\x33\x33\x33\x32\x20\
\x31\x34\x2e\x36\x33\x36\x32\x36\x37\x35\x32\x30\x34\x20\x33\x2e\
\x39\x34\x30\x31\x38\x34\x38\x30\x32\x31\x35\x20\x31\x34\x2e\x36\
\x36\x32\x36\x35\x32\x37\x38\x34\x38\x20\x33\x2e\x39\x34\x36\x34\
\x32\x35\x38\x37\x30\x39\x39\x20\x31\x34\x2e\x36\x38\x38\x33\x38\
\x36\x31\x37\x35\x31\x20\x43\x20\x33\x2e\x39\x35\x32\x36\x36\x36\
\x39\x33\x39\x38\x32\x20\x31\x34\x2e\x37\x31\x34\x31\x31\x39\x35\
\x36\x35\x33\x20\x33\x2e\x39\x35\x38\x39\x30\x38\x30\x30\x38\x36\
\x36\x20\x31\x34\x2e\x37\x33\x39\x31\x39\x37\x31\x35\x38\x20\x33\
\x2e\x39\x36\x35\x31\x34\x39\x30\x37\x37\x35\x20\x31\x34\x2e\x37\
\x36\x33\x36\x30\x33\x35\x35\x32\x33\x20\x43\x20\x33\x2e\x39\x37\
\x31\x33\x39\x30\x31\x34\x36\x33\x33\x20\x31\x34\x2e\x37\x38\x38\
\x30\x30\x39\x39\x34\x36\x35\x20\x33\x2e\x39\x37\x37\x36\x33\x31\
\x32\x31\x35\x31\x37\x20\x31\x34\x2e\x38\x31\x31\x37\x34\x31\x31\
\x30\x32\x38\x20\x33\x2e\x39\x38\x33\x38\x37\x32\x32\x38\x34\x30\
\x31\x20\x31\x34\x2e\x38\x33\x34\x37\x38\x32\x37\x37\x34\x20\x43\
\x20\x33\x2e\x39\x39\x30\x31\x31\x33\x33\x35\x32\x38\x34\x20\x31\
\x34\x2e\x38\x35\x37\x38\x32\x34\x34\x34\x35\x32\x20\x33\x2e\x39\
\x39\x36\x33\x35\x34\x34\x32\x31\x36\x38\x20\x31\x34\x2e\x38\x38\
\x30\x31\x37\x32\x34\x38\x31\x37\x20\x34\x2e\x30\x30\x32\x35\x39\
\x35\x34\x39\x30\x35\x31\x20\x31\x34\x2e\x39\x30\x31\x38\x31\x33\
\x38\x31\x32\x32\x20\x43\x20\x34\x2e\x30\x30\x38\x38\x33\x36\x35\
\x35\x39\x33\x35\x20\x31\x34\x2e\x39\x32\x33\x34\x35\x35\x31\x34\
\x32\x37\x20\x34\x2e\x30\x31\x35\x30\x37\x37\x36\x32\x38\x31\x39\
\x20\x31\x34\x2e\x39\x34\x34\x33\x38\x35\x35\x31\x34\x31\x20\x34\
\x2e\x30\x32\x31\x33\x31\x38\x36\x39\x37\x30\x32\x20\x31\x34\x2e\
\x39\x36\x34\x35\x39\x33\x30\x35\x31\x20\x43\x20\x34\x2e\x30\x32\
\x37\x35\x35\x39\x37\x36\x35\x38\x36\x20\x31\x34\x2e\x39\x38\x34\
\x38\x30\x30\x35\x38\x37\x39\x20\x34\x2e\x30\x33\x33\x38\x30\x30\
\x38\x33\x34\x36\x39\x20\x31\x35\x2e\x30\x30\x34\x32\x38\x30\x39\
\x34\x30\x33\x20\x34\x2e\x30\x34\x30\x30\x34\x31\x39\x30\x33\x35\
\x33\x20\x31\x35\x2e\x30\x32\x33\x30\x32\x33\x34\x34\x36\x39\x20\
\x43\x20\x34\x2e\x30\x34\x36\x32\x38\x32\x39\x37\x32\x33\x37\x20\
\x31\x35\x2e\x30\x34\x31\x37\x36\x35\x39\x35\x33\x36\x20\x34\x2e\
\x30\x35\x32\x35\x32\x34\x30\x34\x31\x32\x20\x31\x35\x2e\x30\x35\
\x39\x37\x36\x36\x31\x37\x34\x35\x20\x34\x2e\x30\x35\x38\x37\x36\
\x35\x31\x31\x30\x30\x34\x20\x31\x35\x2e\x30\x37\x37\x30\x31\x34\
\x36\x37\x39\x20\x43\x20\x34\x2e\x30\x36\x35\x30\x30\x36\x31\x37\
\x38\x38\x37\x20\x31\x35\x2e\x30\x39\x34\x32\x36\x33\x31\x38\x33\
\x35\x20\x34\x2e\x30\x37\x31\x32\x34\x37\x32\x34\x37\x37\x31\x20\
\x31\x35\x2e\x31\x31\x30\x37\x35\x35\x34\x34\x38\x32\x20\x34\x2e\
\x30\x37\x37\x34\x38\x38\x33\x31\x36\x35\x35\x20\x31\x35\x2e\x31\
\x32\x36\x34\x38\x33\x32\x38\x38\x20\x43\x20\x34\x2e\x30\x38\x33\
\x37\x32\x39\x33\x38\x35\x33\x38\x20\x31\x35\x2e\x31\x34\x32\x32\
\x31\x31\x31\x32\x37\x38\x20\x34\x2e\x30\x38\x39\x39\x37\x30\x34\
\x35\x34\x32\x32\x20\x31\x35\x2e\x31\x35\x37\x31\x36\x39\x39\x34\
\x32\x39\x20\x34\x2e\x30\x39\x36\x32\x31\x31\x35\x32\x33\x30\x35\
\x20\x31\x35\x2e\x31\x37\x31\x33\x35\x32\x38\x30\x36\x31\x20\x43\
\x20\x34\x2e\x31\x30\x32\x34\x35\x32\x35\x39\x31\x38\x39\x20\x31\
\x35\x2e\x31\x38\x35\x35\x33\x35\x36\x36\x39\x33\x20\x34\x2e\x31\
\x30\x38\x36\x39\x33\x36\x36\x30\x37\x33\x20\x31\x35\x2e\x31\x39\
\x38\x39\x33\x37\x39\x31\x31\x35\x20\x34\x2e\x31\x31\x34\x39\x33\
\x34\x37\x32\x39\x35\x36\x20\x31\x35\x2e\x32\x31\x31\x35\x35\x33\
\x38\x37\x34\x33\x20\x43\x20\x34\x2e\x31\x32\x31\x31\x37\x35\x37\
\x39\x38\x34\x20\x31\x35\x2e\x32\x32\x34\x31\x36\x39\x38\x33\x37\
\x31\x20\x34\x2e\x31\x32\x37\x34\x31\x36\x38\x36\x37\x32\x33\x20\
\x31\x35\x2e\x32\x33\x35\x39\x39\x34\x37\x38\x39\x35\x20\x34\x2e\
\x31\x33\x33\x36\x35\x37\x39\x33\x36\x30\x37\x20\x31\x35\x2e\x32\
\x34\x37\x30\x32\x34\x33\x35\x30\x34\x20\x43\x20\x34\x2e\x31\x33\
\x39\x38\x39\x39\x30\x30\x34\x39\x31\x20\x31\x35\x2e\x32\x35\x38\
\x30\x35\x33\x39\x31\x31\x32\x20\x34\x2e\x31\x34\x36\x31\x34\x30\
\x30\x37\x33\x37\x34\x20\x31\x35\x2e\x32\x36\x38\x32\x38\x33\x32\
\x39\x34\x38\x20\x34\x2e\x31\x35\x32\x33\x38\x31\x31\x34\x32\x35\
\x38\x20\x31\x35\x2e\x32\x37\x37\x37\x30\x39\x34\x30\x34\x33\x20\
\x43\x20\x34\x2e\x31\x35\x38\x36\x32\x32\x32\x31\x31\x34\x31\x20\
\x31\x35\x2e\x32\x38\x37\x31\x33\x35\x35\x31\x33\x38\x20\x34\x2e\
\x31\x36\x34\x38\x36\x33\x32\x38\x30\x32\x35\x20\x31\x35\x2e\x32\
\x39\x35\x37\x35\x33\x35\x31\x36\x32\x20\x34\x2e\x31\x37\x31\x31\
\x30\x34\x33\x34\x39\x30\x39\x20\x31\x35\x2e\x33\x30\x33\x35\x36\
\x31\x36\x30\x33\x36\x20\x43\x20\x34\x2e\x31\x37\x37\x33\x34\x35\
\x34\x31\x37\x39\x32\x20\x31\x35\x2e\x33\x31\x31\x33\x36\x39\x36\
\x39\x31\x20\x34\x2e\x31\x38\x33\x35\x38\x36\x34\x38\x36\x37\x36\
\x20\x31\x35\x2e\x33\x31\x38\x33\x36\x32\x39\x39\x30\x36\x20\x34\
\x2e\x31\x38\x39\x38\x32\x37\x35\x35\x35\x35\x39\x20\x31\x35\x2e\
\x33\x32\x34\x35\x34\x30\x39\x38\x36\x32\x20\x43\x20\x34\x2e\x31\
\x39\x36\x30\x36\x38\x36\x32\x34\x34\x33\x20\x31\x35\x2e\x33\x33\
\x30\x37\x31\x38\x39\x38\x31\x38\x20\x34\x2e\x32\x30\x32\x33\x30\
\x39\x36\x39\x33\x32\x37\x20\x31\x35\x2e\x33\x33\x36\x30\x37\x36\
\x37\x36\x38\x33\x20\x34\x2e\x32\x30\x38\x35\x35\x30\x37\x36\x32\
\x31\x20\x31\x35\x2e\x33\x34\x30\x36\x31\x35\x31\x32\x32\x33\x20\
\x43\x20\x34\x2e\x32\x31\x34\x37\x39\x31\x38\x33\x30\x39\x34\x20\
\x31\x35\x2e\x33\x34\x35\x31\x35\x33\x34\x37\x36\x32\x20\x34\x2e\
\x32\x32\x31\x30\x33\x32\x38\x39\x39\x37\x37\x20\x31\x35\x2e\x33\
\x34\x38\x38\x36\x37\x34\x36\x37\x38\x20\x34\x2e\x32\x32\x37\x32\
\x37\x33\x39\x36\x38\x36\x31\x20\x31\x35\x2e\x33\x35\x31\x37\x35\
\x39\x31\x36\x34\x37\x20\x43\x20\x34\x2e\x32\x33\x33\x35\x31\x35\
\x30\x33\x37\x34\x35\x20\x31\x35\x2e\x33\x35\x34\x36\x35\x30\x38\
\x36\x31\x37\x20\x34\x2e\x32\x33\x39\x37\x35\x36\x31\x30\x36\x32\
\x38\x20\x31\x35\x2e\x33\x35\x36\x37\x31\x35\x33\x31\x37\x32\x20\
\x34\x2e\x32\x34\x35\x39\x39\x37\x31\x37\x35\x31\x32\x20\x31\x35\
\x2e\x33\x35\x37\x39\x35\x35\x38\x38\x37\x32\x20\x43\x20\x34\x2e\
\x32\x35\x32\x32\x33\x38\x32\x34\x33\x39\x35\x20\x31\x35\x2e\x33\
\x35\x39\x31\x39\x36\x34\x35\x37\x32\x20\x34\x2e\x32\x35\x38\x34\
\x37\x39\x33\x31\x32\x37\x39\x20\x31\x35\x2e\x33\x35\x39\x36\x30\
\x38\x31\x38\x35\x34\x20\x34\x2e\x32\x36\x34\x37\x32\x30\x33\x38\
\x31\x36\x33\x20\x31\x35\x2e\x33\x35\x39\x31\x39\x35\x37\x31\x30\
\x38\x20\x43\x20\x34\x2e\x32\x37\x30\x39\x36\x31\x34\x35\x30\x34\
\x36\x20\x31\x35\x2e\x33\x35\x38\x37\x38\x33\x32\x33\x36\x32\x20\
\x34\x2e\x32\x37\x37\x32\x30\x32\x35\x31\x39\x33\x20\x31\x35\x2e\
\x33\x35\x37\x35\x34\x31\x36\x30\x30\x37\x20\x34\x2e\x32\x38\x33\
\x34\x34\x33\x35\x38\x38\x31\x34\x20\x31\x35\x2e\x33\x35\x35\x34\
\x37\x36\x37\x31\x39\x31\x20\x43\x20\x34\x2e\x32\x38\x39\x36\x38\
\x34\x36\x35\x36\x39\x37\x20\x31\x35\x2e\x33\x35\x33\x34\x31\x31\
\x38\x33\x37\x35\x20\x34\x2e\x32\x39\x35\x39\x32\x35\x37\x32\x35\
\x38\x31\x20\x31\x35\x2e\x33\x35\x30\x35\x31\x38\x37\x35\x37\x36\
\x20\x34\x2e\x33\x30\x32\x31\x36\x36\x37\x39\x34\x36\x34\x20\x31\
\x35\x2e\x33\x34\x36\x38\x30\x34\x36\x36\x30\x39\x20\x43\x20\x34\
\x2e\x33\x30\x38\x34\x30\x37\x38\x36\x33\x34\x38\x20\x31\x35\x2e\
\x33\x34\x33\x30\x39\x30\x35\x36\x34\x31\x20\x34\x2e\x33\x31\x34\
\x36\x34\x38\x39\x33\x32\x33\x32\x20\x31\x35\x2e\x33\x33\x38\x35\
\x35\x30\x35\x31\x31\x39\x20\x34\x2e\x33\x32\x30\x38\x39\x30\x30\
\x30\x31\x31\x35\x20\x31\x35\x2e\x33\x33\x33\x31\x39\x32\x39\x34\
\x31\x32\x20\x43\x20\x34\x2e\x33\x32\x37\x31\x33\x31\x30\x36\x39\
\x39\x39\x20\x31\x35\x2e\x33\x32\x37\x38\x33\x35\x33\x37\x30\x36\
\x20\x34\x2e\x33\x33\x33\x33\x37\x32\x31\x33\x38\x38\x32\x20\x31\
\x35\x2e\x33\x32\x31\x36\x35\x35\x33\x36\x33\x39\x20\x34\x2e\x33\
\x33\x39\x36\x31\x33\x32\x30\x37\x36\x36\x20\x31\x35\x2e\x33\x31\
\x34\x36\x36\x32\x36\x30\x31\x20\x43\x20\x34\x2e\x33\x34\x35\x38\
\x35\x34\x32\x37\x36\x35\x20\x31\x35\x2e\x33\x30\x37\x36\x36\x39\
\x38\x33\x38\x31\x20\x34\x2e\x33\x35\x32\x30\x39\x35\x33\x34\x35\
\x33\x33\x20\x31\x35\x2e\x32\x39\x39\x38\x35\x39\x34\x33\x30\x31\
\x20\x34\x2e\x33\x35\x38\x33\x33\x36\x34\x31\x34\x31\x37\x20\x31\
\x35\x2e\x32\x39\x31\x32\x34\x32\x32\x38\x34\x33\x20\x43\x20\x34\
\x2e\x33\x36\x34\x35\x37\x37\x34\x38\x33\x20\x31\x35\x2e\x32\x38\
\x32\x36\x32\x35\x31\x33\x38\x35\x20\x34\x2e\x33\x37\x30\x38\x31\
\x38\x35\x35\x31\x38\x34\x20\x31\x35\x2e\x32\x37\x33\x31\x39\x36\
\x34\x30\x32\x34\x20\x34\x2e\x33\x37\x37\x30\x35\x39\x36\x32\x30\
\x36\x38\x20\x31\x35\x2e\x32\x36\x32\x39\x36\x38\x31\x39\x33\x39\
\x20\x43\x20\x34\x2e\x33\x38\x33\x33\x30\x30\x36\x38\x39\x35\x31\
\x20\x31\x35\x2e\x32\x35\x32\x37\x33\x39\x39\x38\x35\x35\x20\x34\
\x2e\x33\x38\x39\x35\x34\x31\x37\x35\x38\x33\x35\x20\x31\x35\x2e\
\x32\x34\x31\x37\x30\x37\x34\x39\x36\x31\x20\x34\x2e\x33\x39\x35\
\x37\x38\x32\x38\x32\x37\x31\x38\x20\x31\x35\x2e\x32\x32\x39\x38\
\x38\x34\x30\x33\x35\x37\x20\x43\x20\x34\x2e\x34\x30\x32\x30\x32\
\x33\x38\x39\x36\x30\x32\x20\x31\x35\x2e\x32\x31\x38\x30\x36\x30\
\x35\x37\x35\x33\x20\x34\x2e\x34\x30\x38\x32\x36\x34\x39\x36\x34\
\x38\x36\x20\x31\x35\x2e\x32\x30\x35\x34\x34\x31\x33\x38\x36\x35\
\x20\x34\x2e\x34\x31\x34\x35\x30\x36\x30\x33\x33\x36\x39\x20\x31\
\x35\x2e\x31\x39\x32\x30\x34\x30\x39\x35\x30\x37\x20\x43\x20\x34\
\x2e\x34\x32\x30\x37\x34\x37\x31\x30\x32\x35\x33\x20\x31\x35\x2e\
\x31\x37\x38\x36\x34\x30\x35\x31\x34\x38\x20\x34\x2e\x34\x32\x36\
\x39\x38\x38\x31\x37\x31\x33\x36\x20\x31\x35\x2e\x31\x36\x34\x34\
\x35\x34\x31\x33\x33\x33\x20\x34\x2e\x34\x33\x33\x32\x32\x39\x32\
\x34\x30\x32\x20\x31\x35\x2e\x31\x34\x39\x34\x39\x37\x34\x33\x36\
\x33\x20\x43\x20\x34\x2e\x34\x33\x39\x34\x37\x30\x33\x30\x39\x30\
\x34\x20\x31\x35\x2e\x31\x33\x34\x35\x34\x30\x37\x33\x39\x34\x20\
\x34\x2e\x34\x34\x35\x37\x31\x31\x33\x37\x37\x38\x37\x20\x31\x35\
\x2e\x31\x31\x38\x38\x30\x39\x30\x39\x34\x31\x20\x34\x2e\x34\x35\
\x31\x39\x35\x32\x34\x34\x36\x37\x31\x20\x31\x35\x2e\x31\x30\x32\
\x33\x31\x39\x32\x35\x35\x39\x20\x43\x20\x34\x2e\x34\x35\x38\x31\
\x39\x33\x35\x31\x35\x35\x34\x20\x31\x35\x2e\x30\x38\x35\x38\x32\
\x39\x34\x31\x37\x37\x20\x34\x2e\x34\x36\x34\x34\x33\x34\x35\x38\
\x34\x33\x38\x20\x31\x35\x2e\x30\x36\x38\x35\x37\x36\x38\x32\x36\
\x37\x20\x34\x2e\x34\x37\x30\x36\x37\x35\x36\x35\x33\x32\x32\x20\
\x31\x35\x2e\x30\x35\x30\x35\x37\x39\x33\x33\x37\x20\x43\x20\x34\
\x2e\x34\x37\x36\x39\x31\x36\x37\x32\x32\x30\x35\x20\x31\x35\x2e\
\x30\x33\x32\x35\x38\x31\x38\x34\x37\x34\x20\x34\x2e\x34\x38\x33\
\x31\x35\x37\x37\x39\x30\x38\x39\x20\x31\x35\x2e\x30\x31\x33\x38\
\x33\x34\x39\x37\x39\x34\x20\x34\x2e\x34\x38\x39\x33\x39\x38\x38\
\x35\x39\x37\x32\x20\x31\x34\x2e\x39\x39\x34\x33\x35\x37\x36\x35\
\x38\x36\x20\x43\x20\x34\x2e\x34\x39\x35\x36\x33\x39\x39\x32\x38\
\x35\x36\x20\x31\x34\x2e\x39\x37\x34\x38\x38\x30\x33\x33\x37\x39\
\x20\x34\x2e\x35\x30\x31\x38\x38\x30\x39\x39\x37\x34\x20\x31\x34\
\x2e\x39\x35\x34\x36\x36\x38\x31\x37\x31\x36\x20\x34\x2e\x35\x30\
\x38\x31\x32\x32\x30\x36\x36\x32\x33\x20\x31\x34\x2e\x39\x33\x33\
\x37\x34\x31\x31\x32\x37\x36\x20\x43\x20\x34\x2e\x35\x31\x34\x33\
\x36\x33\x31\x33\x35\x30\x37\x20\x31\x34\x2e\x39\x31\x32\x38\x31\
\x34\x30\x38\x33\x35\x20\x34\x2e\x35\x32\x30\x36\x30\x34\x32\x30\
\x33\x39\x20\x31\x34\x2e\x38\x39\x31\x31\x36\x37\x38\x36\x32\x38\
\x20\x34\x2e\x35\x32\x36\x38\x34\x35\x32\x37\x32\x37\x34\x20\x31\
\x34\x2e\x38\x36\x38\x38\x32\x33\x34\x34\x34\x32\x20\x43\x20\x34\
\x2e\x35\x33\x33\x30\x38\x36\x33\x34\x31\x35\x38\x20\x31\x34\x2e\
\x38\x34\x36\x34\x37\x39\x30\x32\x35\x37\x20\x34\x2e\x35\x33\x39\
\x33\x32\x37\x34\x31\x30\x34\x31\x20\x31\x34\x2e\x38\x32\x33\x34\
\x33\x32\x32\x31\x30\x39\x20\x34\x2e\x35\x34\x35\x35\x36\x38\x34\
\x37\x39\x32\x35\x20\x31\x34\x2e\x37\x39\x39\x37\x30\x34\x39\x35\
\x37\x37\x20\x43\x20\x34\x2e\x35\x35\x31\x38\x30\x39\x35\x34\x38\
\x30\x39\x20\x31\x34\x2e\x37\x37\x35\x39\x37\x37\x37\x30\x34\x34\
\x20\x34\x2e\x35\x35\x38\x30\x35\x30\x36\x31\x36\x39\x32\x20\x31\
\x34\x2e\x37\x35\x31\x35\x36\x35\x39\x32\x31\x31\x20\x34\x2e\x35\
\x36\x34\x32\x39\x31\x36\x38\x35\x37\x36\x20\x31\x34\x2e\x37\x32\
\x36\x34\x39\x32\x35\x31\x30\x34\x20\x43\x20\x34\x2e\x35\x37\x30\
\x35\x33\x32\x37\x35\x34\x35\x39\x20\x31\x34\x2e\x37\x30\x31\x34\
\x31\x39\x30\x39\x39\x38\x20\x34\x2e\x35\x37\x36\x37\x37\x33\x38\
\x32\x33\x34\x33\x20\x31\x34\x2e\x36\x37\x35\x36\x38\x30\x30\x38\
\x33\x35\x20\x34\x2e\x35\x38\x33\x30\x31\x34\x38\x39\x32\x32\x37\
\x20\x31\x34\x2e\x36\x34\x39\x32\x39\x39\x32\x37\x33\x36\x20\x43\
\x20\x34\x2e\x35\x38\x39\x32\x35\x35\x39\x36\x31\x31\x20\x31\x34\
\x2e\x36\x32\x32\x39\x31\x38\x34\x36\x33\x38\x20\x34\x2e\x35\x39\
\x35\x34\x39\x37\x30\x32\x39\x39\x34\x20\x31\x34\x2e\x35\x39\x35\
\x38\x39\x32\x30\x30\x31\x35\x20\x34\x2e\x36\x30\x31\x37\x33\x38\
\x30\x39\x38\x37\x37\x20\x31\x34\x2e\x35\x36\x38\x32\x34\x34\x35\
\x37\x31\x36\x20\x43\x20\x34\x2e\x36\x30\x37\x39\x37\x39\x31\x36\
\x37\x36\x31\x20\x31\x34\x2e\x35\x34\x30\x35\x39\x37\x31\x34\x31\
\x37\x20\x34\x2e\x36\x31\x34\x32\x32\x30\x32\x33\x36\x34\x35\x20\
\x31\x34\x2e\x35\x31\x32\x33\x32\x35\x30\x31\x30\x37\x20\x34\x2e\
\x36\x32\x30\x34\x36\x31\x33\x30\x35\x32\x38\x20\x31\x34\x2e\x34\
\x38\x33\x34\x35\x33\x36\x39\x37\x39\x20\x43\x20\x34\x2e\x36\x32\
\x36\x37\x30\x32\x33\x37\x34\x31\x32\x20\x31\x34\x2e\x34\x35\x34\
\x35\x38\x32\x33\x38\x35\x31\x20\x34\x2e\x36\x33\x32\x39\x34\x33\
\x34\x34\x32\x39\x35\x20\x31\x34\x2e\x34\x32\x35\x31\x30\x38\x32\
\x38\x38\x31\x20\x34\x2e\x36\x33\x39\x31\x38\x34\x35\x31\x31\x37\
\x39\x20\x31\x34\x2e\x33\x39\x35\x30\x35\x37\x37\x32\x31\x33\x20\
\x43\x20\x34\x2e\x36\x34\x35\x34\x32\x35\x35\x38\x30\x36\x33\x20\
\x31\x34\x2e\x33\x36\x35\x30\x30\x37\x31\x35\x34\x35\x20\x34\x2e\
\x36\x35\x31\x36\x36\x36\x36\x34\x39\x34\x36\x20\x31\x34\x2e\x33\
\x33\x34\x33\x37\x36\x36\x35\x32\x32\x20\x34\x2e\x36\x35\x37\x39\
\x30\x37\x37\x31\x38\x33\x20\x31\x34\x2e\x33\x30\x33\x31\x39\x33\
\x32\x38\x33\x33\x20\x43\x20\x34\x2e\x36\x36\x34\x31\x34\x38\x37\
\x38\x37\x31\x33\x20\x31\x34\x2e\x32\x37\x32\x30\x30\x39\x39\x31\
\x34\x34\x20\x34\x2e\x36\x37\x30\x33\x38\x39\x38\x35\x35\x39\x37\
\x20\x31\x34\x2e\x32\x34\x30\x32\x37\x30\x33\x35\x35\x32\x20\x34\
\x2e\x36\x37\x36\x36\x33\x30\x39\x32\x34\x38\x31\x20\x31\x34\x2e\
\x32\x30\x38\x30\x30\x32\x33\x38\x37\x20\x43\x20\x34\x2e\x36\x38\
\x32\x38\x37\x31\x39\x39\x33\x36\x34\x20\x31\x34\x2e\x31\x37\x35\
\x37\x33\x34\x34\x31\x38\x39\x20\x34\x2e\x36\x38\x39\x31\x31\x33\
\x30\x36\x32\x34\x38\x20\x31\x34\x2e\x31\x34\x32\x39\x33\x34\x38\
\x36\x35\x34\x20\x34\x2e\x36\x39\x35\x33\x35\x34\x31\x33\x31\x33\
\x31\x20\x31\x34\x2e\x31\x30\x39\x36\x33\x32\x31\x37\x37\x35\x20\
\x43\x20\x34\x2e\x37\x30\x31\x35\x39\x35\x32\x30\x30\x31\x35\x20\
\x31\x34\x2e\x30\x37\x36\x33\x32\x39\x34\x38\x39\x36\x20\x34\x2e\
\x37\x30\x37\x38\x33\x36\x32\x36\x38\x39\x39\x20\x31\x34\x2e\x30\
\x34\x32\x35\x32\x30\x36\x34\x33\x20\x34\x2e\x37\x31\x34\x30\x37\
\x37\x33\x33\x37\x38\x32\x20\x31\x34\x2e\x30\x30\x38\x32\x33\x34\
\x37\x31\x34\x33\x20\x43\x20\x34\x2e\x37\x32\x30\x33\x31\x38\x34\
\x30\x36\x36\x36\x20\x31\x33\x2e\x39\x37\x33\x39\x34\x38\x37\x38\
\x35\x36\x20\x34\x2e\x37\x32\x36\x35\x35\x39\x34\x37\x35\x34\x39\
\x20\x31\x33\x2e\x39\x33\x39\x31\x38\x32\x39\x30\x37\x33\x20\x34\
\x2e\x37\x33\x32\x38\x30\x30\x35\x34\x34\x33\x33\x20\x31\x33\x2e\
\x39\x30\x33\x39\x36\x36\x37\x33\x36\x35\x20\x43\x20\x34\x2e\x37\
\x33\x39\x30\x34\x31\x36\x31\x33\x31\x37\x20\x31\x33\x2e\x38\x36\
\x38\x37\x35\x30\x35\x36\x35\x38\x20\x34\x2e\x37\x34\x35\x32\x38\
\x32\x36\x38\x32\x20\x31\x33\x2e\x38\x33\x33\x30\x38\x31\x33\x39\
\x36\x34\x20\x34\x2e\x37\x35\x31\x35\x32\x33\x37\x35\x30\x38\x34\
\x20\x31\x33\x2e\x37\x39\x36\x39\x38\x39\x34\x32\x30\x35\x20\x43\
\x20\x34\x2e\x37\x35\x37\x37\x36\x34\x38\x31\x39\x36\x37\x20\x31\
\x33\x2e\x37\x36\x30\x38\x39\x37\x34\x34\x34\x35\x20\x34\x2e\x37\
\x36\x34\x30\x30\x35\x38\x38\x38\x35\x31\x20\x31\x33\x2e\x37\x32\
\x34\x33\x38\x30\x31\x32\x31\x31\x20\x34\x2e\x37\x37\x30\x32\x34\
\x36\x39\x35\x37\x33\x35\x20\x31\x33\x2e\x36\x38\x37\x34\x36\x38\
\x31\x33\x30\x35\x20\x43\x20\x34\x2e\x37\x37\x36\x34\x38\x38\x30\
\x32\x36\x31\x38\x20\x31\x33\x2e\x36\x35\x30\x35\x35\x36\x31\x33\
\x39\x39\x20\x34\x2e\x37\x38\x32\x37\x32\x39\x30\x39\x35\x30\x32\
\x20\x31\x33\x2e\x36\x31\x33\x32\x34\x37\x31\x31\x30\x36\x20\x34\
\x2e\x37\x38\x38\x39\x37\x30\x31\x36\x33\x38\x35\x20\x31\x33\x2e\
\x35\x37\x35\x35\x37\x32\x31\x36\x33\x35\x20\x43\x20\x34\x2e\x37\
\x39\x35\x32\x31\x31\x32\x33\x32\x36\x39\x20\x31\x33\x2e\x35\x33\
\x37\x38\x39\x37\x32\x31\x36\x33\x20\x34\x2e\x38\x30\x31\x34\x35\
\x32\x33\x30\x31\x35\x33\x20\x31\x33\x2e\x34\x39\x39\x38\x35\x34\
\x31\x35\x33\x20\x34\x2e\x38\x30\x37\x36\x39\x33\x33\x37\x30\x33\
\x36\x20\x31\x33\x2e\x34\x36\x31\x34\x37\x34\x34\x38\x36\x39\x20\
\x43\x20\x34\x2e\x38\x31\x33\x39\x33\x34\x34\x33\x39\x32\x20\x31\
\x33\x2e\x34\x32\x33\x30\x39\x34\x38\x32\x30\x38\x20\x34\x2e\x38\
\x32\x30\x31\x37\x35\x35\x30\x38\x30\x34\x20\x31\x33\x2e\x33\x38\
\x34\x33\x37\x36\x35\x32\x39\x39\x20\x34\x2e\x38\x32\x36\x34\x31\
\x36\x35\x37\x36\x38\x37\x20\x31\x33\x2e\x33\x34\x35\x33\x35\x31\
\x34\x37\x31\x37\x20\x43\x20\x34\x2e\x38\x33\x32\x36\x35\x37\x36\
\x34\x35\x37\x31\x20\x31\x33\x2e\x33\x30\x36\x33\x32\x36\x34\x31\
\x33\x35\x20\x34\x2e\x38\x33\x38\x38\x39\x38\x37\x31\x34\x35\x34\
\x20\x31\x33\x2e\x32\x36\x36\x39\x39\x32\x37\x34\x35\x34\x20\x34\
\x2e\x38\x34\x35\x31\x33\x39\x37\x38\x33\x33\x38\x20\x31\x33\x2e\
\x32\x32\x37\x33\x38\x32\x36\x31\x39\x36\x20\x43\x20\x34\x2e\x38\
\x35\x31\x33\x38\x30\x38\x35\x32\x32\x32\x20\x31\x33\x2e\x31\x38\
\x37\x37\x37\x32\x34\x39\x33\x38\x20\x34\x2e\x38\x35\x37\x36\x32\
\x31\x39\x32\x31\x30\x35\x20\x31\x33\x2e\x31\x34\x37\x38\x38\x34\
\x32\x35\x30\x31\x20\x34\x2e\x38\x36\x33\x38\x36\x32\x39\x38\x39\
\x38\x39\x20\x31\x33\x2e\x31\x30\x37\x37\x35\x30\x32\x38\x35\x36\
\x20\x43\x20\x34\x2e\x38\x37\x30\x31\x30\x34\x30\x35\x38\x37\x32\
\x20\x31\x33\x2e\x30\x36\x37\x36\x31\x36\x33\x32\x31\x31\x20\x34\
\x2e\x38\x37\x36\x33\x34\x35\x31\x32\x37\x35\x36\x20\x31\x33\x2e\
\x30\x32\x37\x32\x33\x35\x31\x36\x30\x36\x20\x34\x2e\x38\x38\x32\
\x35\x38\x36\x31\x39\x36\x34\x20\x31\x32\x2e\x39\x38\x36\x36\x33\
\x39\x33\x39\x36\x31\x20\x43\x20\x34\x2e\x38\x38\x38\x38\x32\x37\
\x32\x36\x35\x32\x33\x20\x31\x32\x2e\x39\x34\x36\x30\x34\x33\x36\
\x33\x31\x35\x20\x34\x2e\x38\x39\x35\x30\x36\x38\x33\x33\x34\x30\
\x37\x20\x31\x32\x2e\x39\x30\x35\x32\x33\x31\x39\x37\x34\x39\x20\
\x34\x2e\x39\x30\x31\x33\x30\x39\x34\x30\x32\x39\x20\x31\x32\x2e\
\x38\x36\x34\x32\x33\x37\x31\x36\x32\x38\x20\x43\x20\x34\x2e\x39\
\x30\x37\x35\x35\x30\x34\x37\x31\x37\x34\x20\x31\x32\x2e\x38\x32\
\x33\x32\x34\x32\x33\x35\x30\x37\x20\x34\x2e\x39\x31\x33\x37\x39\
\x31\x35\x34\x30\x35\x38\x20\x31\x32\x2e\x37\x38\x32\x30\x36\x33\
\x32\x38\x34\x32\x20\x34\x2e\x39\x32\x30\x30\x33\x32\x36\x30\x39\
\x34\x31\x20\x31\x32\x2e\x37\x34\x30\x37\x33\x32\x37\x39\x33\x39\
\x20\x43\x20\x34\x2e\x39\x32\x36\x32\x37\x33\x36\x37\x38\x32\x35\
\x20\x31\x32\x2e\x36\x39\x39\x34\x30\x32\x33\x30\x33\x35\x20\x34\
\x2e\x39\x33\x32\x35\x31\x34\x37\x34\x37\x30\x38\x20\x31\x32\x2e\
\x36\x35\x37\x39\x31\x39\x34\x38\x31\x34\x20\x34\x2e\x39\x33\x38\
\x37\x35\x35\x38\x31\x35\x39\x32\x20\x31\x32\x2e\x36\x31\x36\x33\
\x31\x37\x32\x30\x31\x20\x43\x20\x34\x2e\x39\x34\x34\x39\x39\x36\
\x38\x38\x34\x37\x36\x20\x31\x32\x2e\x35\x37\x34\x37\x31\x34\x39\
\x32\x30\x36\x20\x34\x2e\x39\x35\x31\x32\x33\x37\x39\x35\x33\x35\
\x39\x20\x31\x32\x2e\x35\x33\x32\x39\x39\x32\x34\x36\x36\x35\x20\
\x34\x2e\x39\x35\x37\x34\x37\x39\x30\x32\x32\x34\x33\x20\x31\x32\
\x2e\x34\x39\x31\x31\x38\x32\x37\x30\x34\x34\x20\x43\x20\x34\x2e\
\x39\x36\x33\x37\x32\x30\x30\x39\x31\x32\x36\x20\x31\x32\x2e\x34\
\x34\x39\x33\x37\x32\x39\x34\x32\x34\x20\x34\x2e\x39\x36\x39\x39\
\x36\x31\x31\x36\x30\x31\x20\x31\x32\x2e\x34\x30\x37\x34\x37\x35\
\x33\x35\x30\x33\x20\x34\x2e\x39\x37\x36\x32\x30\x32\x32\x32\x38\
\x39\x34\x20\x31\x32\x2e\x33\x36\x35\x35\x32\x32\x37\x33\x35\x37\
\x20\x43\x20\x34\x2e\x39\x38\x32\x34\x34\x33\x32\x39\x37\x37\x37\
\x20\x31\x32\x2e\x33\x32\x33\x35\x37\x30\x31\x32\x31\x31\x20\x34\
\x2e\x39\x38\x38\x36\x38\x34\x33\x36\x36\x36\x31\x20\x31\x32\x2e\
\x32\x38\x31\x35\x36\x32\x31\x35\x36\x20\x34\x2e\x39\x39\x34\x39\
\x32\x35\x34\x33\x35\x34\x34\x20\x31\x32\x2e\x32\x33\x39\x35\x33\
\x31\x35\x33\x38\x37\x20\x43\x20\x35\x2e\x30\x30\x31\x31\x36\x36\
\x35\x30\x34\x32\x38\x20\x31\x32\x2e\x31\x39\x37\x35\x30\x30\x39\
\x32\x31\x34\x20\x35\x2e\x30\x30\x37\x34\x30\x37\x35\x37\x33\x31\
\x32\x20\x31\x32\x2e\x31\x35\x35\x34\x34\x37\x35\x31\x38\x36\x20\
\x35\x2e\x30\x31\x33\x36\x34\x38\x36\x34\x31\x39\x35\x20\x31\x32\
\x2e\x31\x31\x33\x34\x30\x33\x38\x36\x39\x31\x20\x43\x20\x35\x2e\
\x30\x31\x39\x38\x38\x39\x37\x31\x30\x37\x39\x20\x31\x32\x2e\x30\
\x37\x31\x33\x36\x30\x32\x31\x39\x36\x20\x35\x2e\x30\x32\x36\x31\
\x33\x30\x37\x37\x39\x36\x32\x20\x31\x32\x2e\x30\x32\x39\x33\x32\
\x36\x33\x38\x34\x39\x20\x35\x2e\x30\x33\x32\x33\x37\x31\x38\x34\
\x38\x34\x36\x20\x31\x31\x2e\x39\x38\x37\x33\x33\x34\x36\x39\x33\
\x38\x20\x43\x20\x35\x2e\x30\x33\x38\x36\x31\x32\x39\x31\x37\x33\
\x20\x31\x31\x2e\x39\x34\x35\x33\x34\x33\x30\x30\x32\x36\x20\x35\
\x2e\x30\x34\x34\x38\x35\x33\x39\x38\x36\x31\x33\x20\x31\x31\x2e\
\x39\x30\x33\x33\x39\x33\x37\x31\x31\x36\x20\x35\x2e\x30\x35\x31\
\x30\x39\x35\x30\x35\x34\x39\x37\x20\x31\x31\x2e\x38\x36\x31\x35\
\x31\x38\x38\x38\x39\x31\x20\x43\x20\x35\x2e\x30\x35\x37\x33\x33\
\x36\x31\x32\x33\x38\x20\x31\x31\x2e\x38\x31\x39\x36\x34\x34\x30\
\x36\x36\x36\x20\x35\x2e\x30\x36\x33\x35\x37\x37\x31\x39\x32\x36\
\x34\x20\x31\x31\x2e\x37\x37\x37\x38\x34\x34\x31\x36\x33\x38\x20\
\x35\x2e\x30\x36\x39\x38\x31\x38\x32\x36\x31\x34\x38\x20\x31\x31\
\x2e\x37\x33\x36\x31\x35\x30\x39\x33\x39\x37\x20\x43\x20\x35\x2e\
\x30\x37\x36\x30\x35\x39\x33\x33\x30\x33\x31\x20\x31\x31\x2e\x36\
\x39\x34\x34\x35\x37\x37\x31\x35\x35\x20\x35\x2e\x30\x38\x32\x33\
\x30\x30\x33\x39\x39\x31\x35\x20\x31\x31\x2e\x36\x35\x32\x38\x37\
\x31\x38\x31\x34\x39\x20\x35\x2e\x30\x38\x38\x35\x34\x31\x34\x36\
\x37\x39\x38\x20\x31\x31\x2e\x36\x31\x31\x34\x32\x34\x36\x33\x38\
\x20\x43\x20\x35\x2e\x30\x39\x34\x37\x38\x32\x35\x33\x36\x38\x32\
\x20\x31\x31\x2e\x35\x36\x39\x39\x37\x37\x34\x36\x31\x31\x20\x35\
\x2e\x31\x30\x31\x30\x32\x33\x36\x30\x35\x36\x36\x20\x31\x31\x2e\
\x35\x32\x38\x36\x36\x39\x38\x34\x35\x36\x20\x35\x2e\x31\x30\x37\
\x32\x36\x34\x36\x37\x34\x34\x39\x20\x31\x31\x2e\x34\x38\x37\x35\
\x33\x32\x37\x38\x34\x36\x20\x43\x20\x35\x2e\x31\x31\x33\x35\x30\
\x35\x37\x34\x33\x33\x33\x20\x31\x31\x2e\x34\x34\x36\x33\x39\x35\
\x37\x32\x33\x35\x20\x35\x2e\x31\x31\x39\x37\x34\x36\x38\x31\x32\
\x31\x37\x20\x31\x31\x2e\x34\x30\x35\x34\x33\x30\x32\x34\x36\x20\
\x35\x2e\x31\x32\x35\x39\x38\x37\x38\x38\x31\x20\x31\x31\x2e\x33\
\x36\x34\x36\x36\x36\x38\x39\x30\x31\x20\x43\x20\x35\x2e\x31\x33\
\x32\x32\x32\x38\x39\x34\x39\x38\x34\x20\x31\x31\x2e\x33\x32\x33\
\x39\x30\x33\x35\x33\x34\x31\x20\x35\x2e\x31\x33\x38\x34\x37\x30\
\x30\x31\x38\x36\x37\x20\x31\x31\x2e\x32\x38\x33\x33\x34\x33\x35\
\x31\x38\x36\x20\x35\x2e\x31\x34\x34\x37\x31\x31\x30\x38\x37\x35\
\x31\x20\x31\x31\x2e\x32\x34\x33\x30\x31\x36\x38\x37\x39\x33\x20\
\x43\x20\x35\x2e\x31\x35\x30\x39\x35\x32\x31\x35\x36\x33\x35\x20\
\x31\x31\x2e\x32\x30\x32\x36\x39\x30\x32\x34\x20\x35\x2e\x31\x35\
\x37\x31\x39\x33\x32\x32\x35\x31\x38\x20\x31\x31\x2e\x31\x36\x32\
\x35\x39\x38\x33\x38\x33\x37\x20\x35\x2e\x31\x36\x33\x34\x33\x34\
\x32\x39\x34\x30\x32\x20\x31\x31\x2e\x31\x32\x32\x37\x37\x30\x37\
\x39\x37\x35\x20\x43\x20\x35\x2e\x31\x36\x39\x36\x37\x35\x33\x36\
\x32\x38\x35\x20\x31\x31\x2e\x30\x38\x32\x39\x34\x33\x32\x31\x31\
\x32\x20\x35\x2e\x31\x37\x35\x39\x31\x36\x34\x33\x31\x36\x39\x20\
\x31\x31\x2e\x30\x34\x33\x33\x38\x31\x34\x38\x37\x37\x20\x35\x2e\
\x31\x38\x32\x31\x35\x37\x35\x30\x30\x35\x33\x20\x31\x31\x2e\x30\
\x30\x34\x31\x31\x34\x35\x31\x39\x37\x20\x43\x20\x35\x2e\x31\x38\
\x38\x33\x39\x38\x35\x36\x39\x33\x36\x20\x31\x30\x2e\x39\x36\x34\
\x38\x34\x37\x35\x35\x31\x36\x20\x35\x2e\x31\x39\x34\x36\x33\x39\
\x36\x33\x38\x32\x20\x31\x30\x2e\x39\x32\x35\x38\x37\x37\x31\x31\
\x35\x20\x35\x2e\x32\x30\x30\x38\x38\x30\x37\x30\x37\x30\x33\x20\
\x31\x30\x2e\x38\x38\x37\x32\x33\x31\x34\x36\x33\x35\x20\x43\x20\
\x35\x2e\x32\x30\x37\x31\x32\x31\x37\x37\x35\x38\x37\x20\x31\x30\
\x2e\x38\x34\x38\x35\x38\x35\x38\x31\x32\x20\x35\x2e\x32\x31\x33\
\x33\x36\x32\x38\x34\x34\x37\x31\x20\x31\x30\x2e\x38\x31\x30\x32\
\x36\x36\x39\x30\x32\x33\x20\x35\x2e\x32\x31\x39\x36\x30\x33\x39\
\x31\x33\x35\x34\x20\x31\x30\x2e\x37\x37\x32\x33\x30\x32\x33\x30\
\x35\x35\x20\x43\x20\x35\x2e\x32\x32\x35\x38\x34\x34\x39\x38\x32\
\x33\x38\x20\x31\x30\x2e\x37\x33\x34\x33\x33\x37\x37\x30\x38\x36\
\x20\x35\x2e\x32\x33\x32\x30\x38\x36\x30\x35\x31\x32\x31\x20\x31\
\x30\x2e\x36\x39\x36\x37\x32\x39\x35\x35\x38\x38\x20\x35\x2e\x32\
\x33\x38\x33\x32\x37\x31\x32\x30\x30\x35\x20\x31\x30\x2e\x36\x35\
\x39\x35\x30\x34\x37\x30\x31\x39\x20\x43\x20\x35\x2e\x32\x34\x34\
\x35\x36\x38\x31\x38\x38\x38\x39\x20\x31\x30\x2e\x36\x32\x32\x32\
\x37\x39\x38\x34\x34\x39\x20\x35\x2e\x32\x35\x30\x38\x30\x39\x32\
\x35\x37\x37\x32\x20\x31\x30\x2e\x35\x38\x35\x34\x34\x30\x35\x38\
\x39\x33\x20\x35\x2e\x32\x35\x37\x30\x35\x30\x33\x32\x36\x35\x36\
\x20\x31\x30\x2e\x35\x34\x39\x30\x31\x33\x30\x31\x34\x20\x43\x20\
\x35\x2e\x32\x36\x33\x32\x39\x31\x33\x39\x35\x33\x39\x20\x31\x30\
\x2e\x35\x31\x32\x35\x38\x35\x34\x33\x38\x37\x20\x35\x2e\x32\x36\
\x39\x35\x33\x32\x34\x36\x34\x32\x33\x20\x31\x30\x2e\x34\x37\x36\
\x35\x37\x32\x30\x32\x32\x39\x20\x35\x2e\x32\x37\x35\x37\x37\x33\
\x35\x33\x33\x30\x37\x20\x31\x30\x2e\x34\x34\x30\x39\x39\x38\x30\
\x33\x38\x36\x20\x43\x20\x35\x2e\x32\x38\x32\x30\x31\x34\x36\x30\
\x31\x39\x20\x31\x30\x2e\x34\x30\x35\x34\x32\x34\x30\x35\x34\x33\
\x20\x35\x2e\x32\x38\x38\x32\x35\x35\x36\x37\x30\x37\x34\x20\x31\
\x30\x2e\x33\x37\x30\x32\x39\x32\x31\x34\x37\x36\x20\x35\x2e\x32\
\x39\x34\x34\x39\x36\x37\x33\x39\x35\x37\x20\x31\x30\x2e\x33\x33\
\x35\x36\x32\x36\x37\x34\x34\x32\x20\x43\x20\x35\x2e\x33\x30\x30\
\x37\x33\x37\x38\x30\x38\x34\x31\x20\x31\x30\x2e\x33\x30\x30\x39\
\x36\x31\x33\x34\x30\x38\x20\x35\x2e\x33\x30\x36\x39\x37\x38\x38\
\x37\x37\x32\x35\x20\x31\x30\x2e\x32\x36\x36\x37\x36\x35\x32\x34\
\x39\x36\x20\x35\x2e\x33\x31\x33\x32\x31\x39\x39\x34\x36\x30\x38\
\x20\x31\x30\x2e\x32\x33\x33\x30\x36\x32\x30\x31\x32\x35\x20\x43\
\x20\x35\x2e\x33\x31\x39\x34\x36\x31\x30\x31\x34\x39\x32\x20\x31\
\x30\x2e\x31\x39\x39\x33\x35\x38\x37\x37\x35\x34\x20\x35\x2e\x33\
\x32\x35\x37\x30\x32\x30\x38\x33\x37\x35\x20\x31\x30\x2e\x31\x36\
\x36\x31\x35\x31\x33\x35\x39\x37\x20\x35\x2e\x33\x33\x31\x39\x34\
\x33\x31\x35\x32\x35\x39\x20\x31\x30\x2e\x31\x33\x33\x34\x36\x32\
\x33\x38\x36\x39\x20\x43\x20\x35\x2e\x33\x33\x38\x31\x38\x34\x32\
\x32\x31\x34\x33\x20\x31\x30\x2e\x31\x30\x30\x37\x37\x33\x34\x31\
\x34\x32\x20\x35\x2e\x33\x34\x34\x34\x32\x35\x32\x39\x30\x32\x36\
\x20\x31\x30\x2e\x30\x36\x38\x36\x30\x36\x30\x30\x35\x36\x20\x35\
\x2e\x33\x35\x30\x36\x36\x36\x33\x35\x39\x31\x20\x31\x30\x2e\x30\
\x33\x36\x39\x38\x31\x38\x32\x37\x36\x20\x43\x20\x35\x2e\x33\x35\
\x36\x39\x30\x37\x34\x32\x37\x39\x33\x20\x31\x30\x2e\x30\x30\x35\
\x33\x35\x37\x36\x34\x39\x35\x20\x35\x2e\x33\x36\x33\x31\x34\x38\
\x34\x39\x36\x37\x37\x20\x39\x2e\x39\x37\x34\x32\x37\x39\x39\x37\
\x32\x30\x38\x20\x35\x2e\x33\x36\x39\x33\x38\x39\x35\x36\x35\x36\
\x31\x20\x39\x2e\x39\x34\x33\x37\x36\x39\x34\x37\x32\x39\x34\x20\
\x43\x20\x35\x2e\x33\x37\x35\x36\x33\x30\x36\x33\x34\x34\x34\x20\
\x39\x2e\x39\x31\x33\x32\x35\x38\x39\x37\x33\x38\x31\x20\x35\x2e\
\x33\x38\x31\x38\x37\x31\x37\x30\x33\x32\x38\x20\x39\x2e\x38\x38\
\x33\x33\x31\x39\x30\x36\x37\x31\x34\x20\x35\x2e\x33\x38\x38\x31\
\x31\x32\x37\x37\x32\x31\x32\x20\x39\x2e\x38\x35\x33\x39\x36\x39\
\x34\x30\x39\x37\x35\x20\x43\x20\x35\x2e\x33\x39\x34\x33\x35\x33\
\x38\x34\x30\x39\x35\x20\x39\x2e\x38\x32\x34\x36\x31\x39\x37\x35\
\x32\x33\x36\x20\x35\x2e\x34\x30\x30\x35\x39\x34\x39\x30\x39\x37\
\x39\x20\x39\x2e\x37\x39\x35\x38\x36\x33\x38\x39\x37\x31\x38\x20\
\x35\x2e\x34\x30\x36\x38\x33\x35\x39\x37\x38\x36\x32\x20\x39\x2e\
\x37\x36\x37\x37\x32\x30\x34\x34\x39\x39\x32\x20\x43\x20\x35\x2e\
\x34\x31\x33\x30\x37\x37\x30\x34\x37\x34\x36\x20\x39\x2e\x37\x33\
\x39\x35\x37\x37\x30\x30\x32\x36\x35\x20\x35\x2e\x34\x31\x39\x33\
\x31\x38\x31\x31\x36\x33\x20\x39\x2e\x37\x31\x32\x30\x34\x39\x36\
\x34\x39\x34\x35\x20\x35\x2e\x34\x32\x35\x35\x35\x39\x31\x38\x35\
\x31\x33\x20\x39\x2e\x36\x38\x35\x31\x35\x35\x39\x31\x36\x31\x35\
\x20\x43\x20\x35\x2e\x34\x33\x31\x38\x30\x30\x32\x35\x33\x39\x37\
\x20\x39\x2e\x36\x35\x38\x32\x36\x32\x31\x38\x32\x38\x35\x20\x35\
\x2e\x34\x33\x38\x30\x34\x31\x33\x32\x32\x38\x20\x39\x2e\x36\x33\
\x32\x30\x30\x35\x38\x38\x33\x31\x31\x20\x35\x2e\x34\x34\x34\x32\
\x38\x32\x33\x39\x31\x36\x34\x20\x39\x2e\x36\x30\x36\x34\x30\x33\
\x34\x33\x35\x38\x20\x43\x20\x35\x2e\x34\x35\x30\x35\x32\x33\x34\
\x36\x30\x34\x38\x20\x39\x2e\x35\x38\x30\x38\x30\x30\x39\x38\x38\
\x35\x20\x35\x2e\x34\x35\x36\x37\x36\x34\x35\x32\x39\x33\x31\x20\
\x39\x2e\x35\x35\x35\x38\x35\x36\x33\x32\x38\x39\x32\x20\x35\x2e\
\x34\x36\x33\x30\x30\x35\x35\x39\x38\x31\x35\x20\x39\x2e\x35\x33\
\x31\x35\x38\x34\x37\x34\x33\x36\x20\x43\x20\x35\x2e\x34\x36\x39\
\x32\x34\x36\x36\x36\x36\x39\x38\x20\x39\x2e\x35\x30\x37\x33\x31\
\x33\x31\x35\x38\x32\x39\x20\x35\x2e\x34\x37\x35\x34\x38\x37\x37\
\x33\x35\x38\x32\x20\x39\x2e\x34\x38\x33\x37\x31\x38\x36\x39\x38\
\x30\x35\x20\x35\x2e\x34\x38\x31\x37\x32\x38\x38\x30\x34\x36\x36\
\x20\x39\x2e\x34\x36\x30\x38\x31\x35\x34\x39\x33\x34\x36\x20\x43\
\x20\x35\x2e\x34\x38\x37\x39\x36\x39\x38\x37\x33\x34\x39\x20\x39\
\x2e\x34\x33\x37\x39\x31\x32\x32\x38\x38\x38\x38\x20\x35\x2e\x34\
\x39\x34\x32\x31\x30\x39\x34\x32\x33\x33\x20\x39\x2e\x34\x31\x35\
\x37\x30\x34\x35\x30\x30\x30\x35\x20\x35\x2e\x35\x30\x30\x34\x35\
\x32\x30\x31\x31\x31\x36\x20\x39\x2e\x33\x39\x34\x32\x30\x35\x30\
\x37\x39\x37\x32\x20\x43\x20\x35\x2e\x35\x30\x36\x36\x39\x33\x30\
\x38\x20\x39\x2e\x33\x37\x32\x37\x30\x35\x36\x35\x39\x34\x20\x35\
\x2e\x35\x31\x32\x39\x33\x34\x31\x34\x38\x38\x34\x20\x39\x2e\x33\
\x35\x31\x39\x31\x38\x38\x37\x30\x35\x32\x20\x35\x2e\x35\x31\x39\
\x31\x37\x35\x32\x31\x37\x36\x37\x20\x39\x2e\x33\x33\x31\x38\x35\
\x36\x34\x36\x38\x30\x33\x20\x43\x20\x35\x2e\x35\x32\x35\x34\x31\
\x36\x32\x38\x36\x35\x31\x20\x39\x2e\x33\x31\x31\x37\x39\x34\x30\
\x36\x35\x35\x33\x20\x35\x2e\x35\x33\x31\x36\x35\x37\x33\x35\x35\
\x33\x34\x20\x39\x2e\x32\x39\x32\x34\x36\x30\x34\x30\x38\x36\x20\
\x35\x2e\x35\x33\x37\x38\x39\x38\x34\x32\x34\x31\x38\x20\x39\x2e\
\x32\x37\x33\x38\x36\x36\x30\x33\x36\x31\x38\x20\x43\x20\x35\x2e\
\x35\x34\x34\x31\x33\x39\x34\x39\x33\x30\x32\x20\x39\x2e\x32\x35\
\x35\x32\x37\x31\x36\x36\x33\x37\x36\x20\x35\x2e\x35\x35\x30\x33\
\x38\x30\x35\x36\x31\x38\x35\x20\x39\x2e\x32\x33\x37\x34\x32\x31\
\x30\x32\x34\x35\x33\x20\x35\x2e\x35\x35\x36\x36\x32\x31\x36\x33\
\x30\x36\x39\x20\x39\x2e\x32\x32\x30\x33\x32\x33\x34\x32\x35\x31\
\x36\x20\x43\x20\x35\x2e\x35\x36\x32\x38\x36\x32\x36\x39\x39\x35\
\x32\x20\x39\x2e\x32\x30\x33\x32\x32\x35\x38\x32\x35\x37\x38\x20\
\x35\x2e\x35\x36\x39\x31\x30\x33\x37\x36\x38\x33\x36\x20\x39\x2e\
\x31\x38\x36\x38\x38\x35\x37\x39\x37\x35\x39\x20\x35\x2e\x35\x37\
\x35\x33\x34\x34\x38\x33\x37\x32\x20\x39\x2e\x31\x37\x31\x33\x31\
\x31\x34\x30\x30\x35\x35\x20\x43\x20\x35\x2e\x35\x38\x31\x35\x38\
\x35\x39\x30\x36\x30\x33\x20\x39\x2e\x31\x35\x35\x37\x33\x37\x30\
\x30\x33\x35\x20\x35\x2e\x35\x38\x37\x38\x32\x36\x39\x37\x34\x38\
\x37\x20\x39\x2e\x31\x34\x30\x39\x33\x32\x38\x34\x34\x35\x38\x20\
\x35\x2e\x35\x39\x34\x30\x36\x38\x30\x34\x33\x37\x20\x39\x2e\x31\
\x32\x36\x39\x30\x35\x37\x32\x34\x36\x20\x43\x20\x35\x2e\x36\x30\
\x30\x33\x30\x39\x31\x31\x32\x35\x34\x20\x39\x2e\x31\x31\x32\x38\
\x37\x38\x36\x30\x34\x36\x32\x20\x35\x2e\x36\x30\x36\x35\x35\x30\
\x31\x38\x31\x33\x38\x20\x39\x2e\x30\x39\x39\x36\x33\x33\x31\x39\
\x39\x30\x36\x20\x35\x2e\x36\x31\x32\x37\x39\x31\x32\x35\x30\x32\
\x31\x20\x39\x2e\x30\x38\x37\x31\x37\x35\x30\x33\x39\x31\x32\x20\
\x43\x20\x35\x2e\x36\x31\x39\x30\x33\x32\x33\x31\x39\x30\x35\x20\
\x39\x2e\x30\x37\x34\x37\x31\x36\x38\x37\x39\x31\x37\x20\x35\x2e\
\x36\x32\x35\x32\x37\x33\x33\x38\x37\x38\x38\x20\x39\x2e\x30\x36\
\x33\x30\x35\x30\x37\x30\x31\x35\x39\x20\x35\x2e\x36\x33\x31\x35\
\x31\x34\x34\x35\x36\x37\x32\x20\x39\x2e\x30\x35\x32\x31\x38\x30\
\x37\x35\x39\x33\x37\x20\x43\x20\x35\x2e\x36\x33\x37\x37\x35\x35\
\x35\x32\x35\x35\x36\x20\x39\x2e\x30\x34\x31\x33\x31\x30\x38\x31\
\x37\x31\x34\x20\x35\x2e\x36\x34\x33\x39\x39\x36\x35\x39\x34\x33\
\x39\x20\x39\x2e\x30\x33\x31\x32\x34\x31\x39\x30\x30\x39\x39\x20\
\x35\x2e\x36\x35\x30\x32\x33\x37\x36\x36\x33\x32\x33\x20\x39\x2e\
\x30\x32\x31\x39\x37\x36\x39\x37\x39\x31\x32\x20\x43\x20\x35\x2e\
\x36\x35\x36\x34\x37\x38\x37\x33\x32\x30\x37\x20\x39\x2e\x30\x31\
\x32\x37\x31\x32\x30\x35\x37\x32\x35\x20\x35\x2e\x36\x36\x32\x37\
\x31\x39\x38\x30\x30\x39\x20\x39\x2e\x30\x30\x34\x32\x35\x35\x39\
\x36\x36\x39\x35\x20\x35\x2e\x36\x36\x38\x39\x36\x30\x38\x36\x39\
\x37\x34\x20\x38\x2e\x39\x39\x36\x36\x31\x30\x33\x38\x37\x30\x36\
\x20\x43\x20\x35\x2e\x36\x37\x35\x32\x30\x31\x39\x33\x38\x35\x37\
\x20\x38\x2e\x39\x38\x38\x39\x36\x34\x38\x30\x37\x31\x36\x20\x35\
\x2e\x36\x38\x31\x34\x34\x33\x30\x30\x37\x34\x31\x20\x38\x2e\x39\
\x38\x32\x31\x33\x34\x36\x31\x34\x30\x34\x20\x35\x2e\x36\x38\x37\
\x36\x38\x34\x30\x37\x36\x32\x35\x20\x38\x2e\x39\x37\x36\x31\x32\
\x30\x31\x39\x34\x35\x37\x20\x43\x20\x35\x2e\x36\x39\x33\x39\x32\
\x35\x31\x34\x35\x30\x38\x20\x38\x2e\x39\x37\x30\x31\x30\x35\x37\
\x37\x35\x31\x20\x35\x2e\x37\x30\x30\x31\x36\x36\x32\x31\x33\x39\
\x32\x20\x38\x2e\x39\x36\x34\x39\x31\x32\x30\x33\x37\x32\x20\x35\
\x2e\x37\x30\x36\x34\x30\x37\x32\x38\x32\x37\x35\x20\x38\x2e\x39\
\x36\x30\x35\x33\x38\x30\x37\x35\x31\x38\x20\x43\x20\x35\x2e\x37\
\x31\x32\x36\x34\x38\x33\x35\x31\x35\x39\x20\x38\x2e\x39\x35\x36\
\x31\x36\x34\x31\x31\x33\x31\x37\x20\x35\x2e\x37\x31\x38\x38\x38\
\x39\x34\x32\x30\x34\x33\x20\x38\x2e\x39\x35\x32\x36\x31\x34\x38\
\x35\x38\x39\x20\x35\x2e\x37\x32\x35\x31\x33\x30\x34\x38\x39\x32\
\x36\x20\x38\x2e\x39\x34\x39\x38\x38\x38\x31\x31\x35\x35\x36\x20\
\x43\x20\x35\x2e\x37\x33\x31\x33\x37\x31\x35\x35\x38\x31\x20\x38\
\x2e\x39\x34\x37\x31\x36\x31\x33\x37\x32\x32\x32\x20\x35\x2e\x37\
\x33\x37\x36\x31\x32\x36\x32\x36\x39\x33\x20\x38\x2e\x39\x34\x35\
\x32\x36\x32\x30\x38\x38\x20\x35\x2e\x37\x34\x33\x38\x35\x33\x36\
\x39\x35\x37\x37\x20\x38\x2e\x39\x34\x34\x31\x38\x36\x37\x37\x38\
\x33\x20\x43\x20\x35\x2e\x37\x35\x30\x30\x39\x34\x37\x36\x34\x36\
\x31\x20\x38\x2e\x39\x34\x33\x31\x31\x31\x34\x36\x38\x36\x20\x35\
\x2e\x37\x35\x36\x33\x33\x35\x38\x33\x33\x34\x34\x20\x38\x2e\x39\
\x34\x32\x38\x36\x35\x30\x39\x30\x33\x31\x20\x35\x2e\x37\x36\x32\
\x35\x37\x36\x39\x30\x32\x32\x38\x20\x38\x2e\x39\x34\x33\x34\x34\
\x32\x38\x37\x36\x34\x35\x20\x43\x20\x35\x2e\x37\x36\x38\x38\x31\
\x37\x39\x37\x31\x31\x31\x20\x38\x2e\x39\x34\x34\x30\x32\x30\x36\
\x36\x32\x36\x20\x35\x2e\x37\x37\x35\x30\x35\x39\x30\x33\x39\x39\
\x35\x20\x38\x2e\x39\x34\x35\x34\x32\x37\x35\x37\x31\x30\x39\x20\
\x35\x2e\x37\x38\x31\x33\x30\x30\x31\x30\x38\x37\x39\x20\x38\x2e\
\x39\x34\x37\x36\x35\x37\x35\x35\x39\x39\x35\x20\x43\x20\x35\x2e\
\x37\x38\x37\x35\x34\x31\x31\x37\x37\x36\x32\x20\x38\x2e\x39\x34\
\x39\x38\x38\x37\x35\x34\x38\x38\x31\x20\x35\x2e\x37\x39\x33\x37\
\x38\x32\x32\x34\x36\x34\x36\x20\x38\x2e\x39\x35\x32\x39\x34\x35\
\x35\x36\x39\x32\x39\x20\x35\x2e\x38\x30\x30\x30\x32\x33\x33\x31\
\x35\x32\x39\x20\x38\x2e\x39\x35\x36\x38\x32\x34\x33\x31\x33\x37\
\x37\x20\x43\x20\x35\x2e\x38\x30\x36\x32\x36\x34\x33\x38\x34\x31\
\x33\x20\x38\x2e\x39\x36\x30\x37\x30\x33\x30\x35\x38\x32\x35\x20\
\x35\x2e\x38\x31\x32\x35\x30\x35\x34\x35\x32\x39\x37\x20\x38\x2e\
\x39\x36\x35\x34\x30\x37\x34\x36\x33\x36\x37\x20\x35\x2e\x38\x31\
\x38\x37\x34\x36\x35\x32\x31\x38\x20\x38\x2e\x39\x37\x30\x39\x32\
\x38\x39\x36\x38\x30\x35\x20\x43\x20\x35\x2e\x38\x32\x34\x39\x38\
\x37\x35\x39\x30\x36\x34\x20\x38\x2e\x39\x37\x36\x34\x35\x30\x34\
\x37\x32\x34\x32\x20\x35\x2e\x38\x33\x31\x32\x32\x38\x36\x35\x39\
\x34\x37\x20\x38\x2e\x39\x38\x32\x37\x39\x33\x39\x39\x30\x37\x37\
\x20\x35\x2e\x38\x33\x37\x34\x36\x39\x37\x32\x38\x33\x31\x20\x38\
\x2e\x39\x38\x39\x39\x34\x39\x37\x31\x39\x39\x36\x20\x43\x20\x35\
\x2e\x38\x34\x33\x37\x31\x30\x37\x39\x37\x31\x35\x20\x38\x2e\x39\
\x39\x37\x31\x30\x35\x34\x34\x39\x31\x35\x20\x35\x2e\x38\x34\x39\
\x39\x35\x31\x38\x36\x35\x39\x38\x20\x39\x2e\x30\x30\x35\x30\x37\
\x38\x32\x37\x34\x36\x39\x20\x35\x2e\x38\x35\x36\x31\x39\x32\x39\
\x33\x34\x38\x32\x20\x39\x2e\x30\x31\x33\x38\x35\x37\x31\x36\x37\
\x34\x35\x20\x43\x20\x35\x2e\x38\x36\x32\x34\x33\x34\x30\x30\x33\
\x36\x35\x20\x39\x2e\x30\x32\x32\x36\x33\x36\x30\x36\x30\x32\x31\
\x20\x35\x2e\x38\x36\x38\x36\x37\x35\x30\x37\x32\x34\x39\x20\x39\
\x2e\x30\x33\x32\x32\x32\x35\x38\x36\x38\x36\x32\x20\x35\x2e\x38\
\x37\x34\x39\x31\x36\x31\x34\x31\x33\x33\x20\x39\x2e\x30\x34\x32\
\x36\x31\x34\x33\x35\x34\x36\x33\x20\x43\x20\x35\x2e\x38\x38\x31\
\x31\x35\x37\x32\x31\x30\x31\x36\x20\x39\x2e\x30\x35\x33\x30\x30\
\x32\x38\x34\x30\x36\x34\x20\x35\x2e\x38\x38\x37\x33\x39\x38\x32\
\x37\x39\x20\x39\x2e\x30\x36\x34\x31\x39\x34\x38\x30\x38\x31\x20\
\x35\x2e\x38\x39\x33\x36\x33\x39\x33\x34\x37\x38\x33\x20\x39\x2e\
\x30\x37\x36\x31\x37\x36\x38\x32\x38\x39\x35\x20\x43\x20\x35\x2e\
\x38\x39\x39\x38\x38\x30\x34\x31\x36\x36\x37\x20\x39\x2e\x30\x38\
\x38\x31\x35\x38\x38\x34\x39\x38\x31\x20\x35\x2e\x39\x30\x36\x31\
\x32\x31\x34\x38\x35\x35\x31\x20\x39\x2e\x31\x30\x30\x39\x33\x35\
\x36\x37\x35\x39\x31\x20\x35\x2e\x39\x31\x32\x33\x36\x32\x35\x35\
\x34\x33\x34\x20\x39\x2e\x31\x31\x34\x34\x39\x32\x37\x30\x39\x39\
\x33\x20\x43\x20\x35\x2e\x39\x31\x38\x36\x30\x33\x36\x32\x33\x31\
\x38\x20\x39\x2e\x31\x32\x38\x30\x34\x39\x37\x34\x33\x39\x34\x20\
\x35\x2e\x39\x32\x34\x38\x34\x34\x36\x39\x32\x30\x32\x20\x39\x2e\
\x31\x34\x32\x33\x39\x31\x36\x37\x38\x34\x20\x35\x2e\x39\x33\x31\
\x30\x38\x35\x37\x36\x30\x38\x35\x20\x39\x2e\x31\x35\x37\x35\x30\
\x32\x37\x36\x39\x32\x37\x20\x43\x20\x35\x2e\x39\x33\x37\x33\x32\
\x36\x38\x32\x39\x36\x39\x20\x39\x2e\x31\x37\x32\x36\x31\x33\x38\
\x36\x30\x31\x34\x20\x35\x2e\x39\x34\x33\x35\x36\x37\x38\x39\x38\
\x35\x32\x20\x39\x2e\x31\x38\x38\x34\x39\x38\x37\x33\x33\x33\x34\
\x20\x35\x2e\x39\x34\x39\x38\x30\x38\x39\x36\x37\x33\x36\x20\x39\
\x2e\x32\x30\x35\x31\x34\x30\x35\x32\x32\x35\x31\x20\x43\x20\x35\
\x2e\x39\x35\x36\x30\x35\x30\x30\x33\x36\x32\x20\x39\x2e\x32\x32\
\x31\x37\x38\x32\x33\x31\x31\x36\x37\x20\x35\x2e\x39\x36\x32\x32\
\x39\x31\x31\x30\x35\x30\x33\x20\x39\x2e\x32\x33\x39\x31\x38\x35\
\x35\x36\x38\x39\x36\x20\x35\x2e\x39\x36\x38\x35\x33\x32\x31\x37\
\x33\x38\x37\x20\x39\x2e\x32\x35\x37\x33\x33\x32\x33\x33\x31\x37\
\x32\x20\x43\x20\x35\x2e\x39\x37\x34\x37\x37\x33\x32\x34\x32\x37\
\x20\x39\x2e\x32\x37\x35\x34\x37\x39\x30\x39\x34\x34\x38\x20\x35\
\x2e\x39\x38\x31\x30\x31\x34\x33\x31\x31\x35\x34\x20\x39\x2e\x32\
\x39\x34\x33\x37\x33\x38\x33\x34\x30\x39\x20\x35\x2e\x39\x38\x37\
\x32\x35\x35\x33\x38\x30\x33\x38\x20\x39\x2e\x33\x31\x33\x39\x39\
\x37\x35\x31\x39\x33\x38\x20\x43\x20\x35\x2e\x39\x39\x33\x34\x39\
\x36\x34\x34\x39\x32\x31\x20\x39\x2e\x33\x33\x33\x36\x32\x31\x32\
\x30\x34\x36\x36\x20\x35\x2e\x39\x39\x39\x37\x33\x37\x35\x31\x38\
\x30\x35\x20\x39\x2e\x33\x35\x33\x39\x37\x38\x32\x31\x39\x33\x31\
\x20\x36\x2e\x30\x30\x35\x39\x37\x38\x35\x38\x36\x38\x38\x20\x39\
\x2e\x33\x37\x35\x30\x34\x38\x34\x39\x33\x30\x35\x20\x43\x20\x36\
\x2e\x30\x31\x32\x32\x31\x39\x36\x35\x35\x37\x32\x20\x39\x2e\x33\
\x39\x36\x31\x31\x38\x37\x36\x36\x37\x39\x20\x36\x2e\x30\x31\x38\
\x34\x36\x30\x37\x32\x34\x35\x36\x20\x39\x2e\x34\x31\x37\x39\x30\
\x36\x35\x38\x38\x38\x32\x20\x36\x2e\x30\x32\x34\x37\x30\x31\x37\
\x39\x33\x33\x39\x20\x39\x2e\x34\x34\x30\x33\x39\x30\x38\x38\x30\
\x38\x31\x20\x43\x20\x36\x2e\x30\x33\x30\x39\x34\x32\x38\x36\x32\
\x32\x33\x20\x39\x2e\x34\x36\x32\x38\x37\x35\x31\x37\x32\x38\x20\
\x36\x2e\x30\x33\x37\x31\x38\x33\x39\x33\x31\x30\x36\x20\x39\x2e\
\x34\x38\x36\x30\x36\x30\x31\x32\x32\x38\x35\x20\x36\x2e\x30\x34\
\x33\x34\x32\x34\x39\x39\x39\x39\x20\x39\x2e\x35\x30\x39\x39\x32\
\x33\x36\x37\x37\x31\x31\x20\x43\x20\x36\x2e\x30\x34\x39\x36\x36\
\x36\x30\x36\x38\x37\x34\x20\x39\x2e\x35\x33\x33\x37\x38\x37\x32\
\x33\x31\x33\x38\x20\x36\x2e\x30\x35\x35\x39\x30\x37\x31\x33\x37\
\x35\x37\x20\x39\x2e\x35\x35\x38\x33\x33\x33\x34\x37\x30\x34\x20\
\x36\x2e\x30\x36\x32\x31\x34\x38\x32\x30\x36\x34\x31\x20\x39\x2e\
\x35\x38\x33\x35\x33\x39\x33\x39\x38\x39\x32\x20\x43\x20\x36\x2e\
\x30\x36\x38\x33\x38\x39\x32\x37\x35\x32\x34\x20\x39\x2e\x36\x30\
\x38\x37\x34\x35\x33\x32\x37\x34\x34\x20\x36\x2e\x30\x37\x34\x36\
\x33\x30\x33\x34\x34\x30\x38\x20\x39\x2e\x36\x33\x34\x36\x31\x34\
\x39\x31\x32\x31\x32\x20\x36\x2e\x30\x38\x30\x38\x37\x31\x34\x31\
\x32\x39\x32\x20\x39\x2e\x36\x36\x31\x31\x32\x34\x32\x35\x31\x38\
\x35\x20\x43\x20\x36\x2e\x30\x38\x37\x31\x31\x32\x34\x38\x31\x37\
\x35\x20\x39\x2e\x36\x38\x37\x36\x33\x33\x35\x39\x31\x35\x38\x20\
\x36\x2e\x30\x39\x33\x33\x35\x33\x35\x35\x30\x35\x39\x20\x39\x2e\
\x37\x31\x34\x37\x38\x36\x35\x33\x32\x39\x39\x20\x36\x2e\x30\x39\
\x39\x35\x39\x34\x36\x31\x39\x34\x32\x20\x39\x2e\x37\x34\x32\x35\
\x35\x38\x33\x30\x36\x30\x38\x20\x43\x20\x36\x2e\x31\x30\x35\x38\
\x33\x35\x36\x38\x38\x32\x36\x20\x39\x2e\x37\x37\x30\x33\x33\x30\
\x30\x37\x39\x31\x37\x20\x36\x2e\x31\x31\x32\x30\x37\x36\x37\x35\
\x37\x31\x20\x39\x2e\x37\x39\x38\x37\x32\x34\x34\x30\x34\x36\x20\
\x36\x2e\x31\x31\x38\x33\x31\x37\x38\x32\x35\x39\x33\x20\x39\x2e\
\x38\x32\x37\x37\x31\x35\x36\x38\x31\x37\x35\x20\x43\x20\x36\x2e\
\x31\x32\x34\x35\x35\x38\x38\x39\x34\x37\x37\x20\x39\x2e\x38\x35\
\x36\x37\x30\x36\x39\x35\x38\x38\x39\x20\x36\x2e\x31\x33\x30\x37\
\x39\x39\x39\x36\x33\x36\x20\x39\x2e\x38\x38\x36\x32\x39\x38\x37\
\x37\x36\x37\x20\x36\x2e\x31\x33\x37\x30\x34\x31\x30\x33\x32\x34\
\x34\x20\x39\x2e\x39\x31\x36\x34\x36\x34\x37\x34\x33\x35\x20\x43\
\x20\x36\x2e\x31\x34\x33\x32\x38\x32\x31\x30\x31\x32\x38\x20\x39\
\x2e\x39\x34\x36\x36\x33\x30\x37\x31\x30\x33\x20\x36\x2e\x31\x34\
\x39\x35\x32\x33\x31\x37\x30\x31\x31\x20\x39\x2e\x39\x37\x37\x33\
\x37\x34\x32\x37\x37\x37\x39\x20\x36\x2e\x31\x35\x35\x37\x36\x34\
\x32\x33\x38\x39\x35\x20\x31\x30\x2e\x30\x30\x38\x36\x36\x38\x33\
\x30\x34\x20\x43\x20\x36\x2e\x31\x36\x32\x30\x30\x35\x33\x30\x37\
\x37\x38\x20\x31\x30\x2e\x30\x33\x39\x39\x36\x32\x33\x33\x30\x33\
\x20\x36\x2e\x31\x36\x38\x32\x34\x36\x33\x37\x36\x36\x32\x20\x31\
\x30\x2e\x30\x37\x31\x38\x31\x30\x31\x32\x34\x33\x20\x36\x2e\x31\
\x37\x34\x34\x38\x37\x34\x34\x35\x34\x36\x20\x31\x30\x2e\x31\x30\
\x34\x31\x38\x33\x38\x33\x36\x20\x43\x20\x36\x2e\x31\x38\x30\x37\
\x32\x38\x35\x31\x34\x32\x39\x20\x31\x30\x2e\x31\x33\x36\x35\x35\
\x37\x35\x34\x37\x37\x20\x36\x2e\x31\x38\x36\x39\x36\x39\x35\x38\
\x33\x31\x33\x20\x31\x30\x2e\x31\x36\x39\x34\x36\x30\x33\x33\x38\
\x35\x20\x36\x2e\x31\x39\x33\x32\x31\x30\x36\x35\x31\x39\x36\x20\
\x31\x30\x2e\x32\x30\x32\x38\x36\x33\x36\x39\x32\x37\x20\x43\x20\
\x36\x2e\x31\x39\x39\x34\x35\x31\x37\x32\x30\x38\x20\x31\x30\x2e\
\x32\x33\x36\x32\x36\x37\x30\x34\x36\x39\x20\x36\x2e\x32\x30\x35\
\x36\x39\x32\x37\x38\x39\x36\x34\x20\x31\x30\x2e\x32\x37\x30\x31\
\x37\x33\x39\x37\x33\x35\x20\x36\x2e\x32\x31\x31\x39\x33\x33\x38\
\x35\x38\x34\x37\x20\x31\x30\x2e\x33\x30\x34\x35\x35\x35\x33\x33\
\x35\x38\x20\x43\x20\x36\x2e\x32\x31\x38\x31\x37\x34\x39\x32\x37\
\x33\x31\x20\x31\x30\x2e\x33\x33\x38\x39\x33\x36\x36\x39\x38\x20\
\x36\x2e\x32\x32\x34\x34\x31\x35\x39\x39\x36\x31\x35\x20\x31\x30\
\x2e\x33\x37\x33\x37\x39\x35\x33\x34\x37\x35\x20\x36\x2e\x32\x33\
\x30\x36\x35\x37\x30\x36\x34\x39\x38\x20\x31\x30\x2e\x34\x30\x39\
\x31\x30\x31\x35\x37\x31\x34\x20\x43\x20\x36\x2e\x32\x33\x36\x38\
\x39\x38\x31\x33\x33\x38\x32\x20\x31\x30\x2e\x34\x34\x34\x34\x30\
\x37\x37\x39\x35\x33\x20\x36\x2e\x32\x34\x33\x31\x33\x39\x32\x30\
\x32\x36\x35\x20\x31\x30\x2e\x34\x38\x30\x31\x36\x34\x32\x38\x33\
\x35\x20\x36\x2e\x32\x34\x39\x33\x38\x30\x32\x37\x31\x34\x39\x20\
\x31\x30\x2e\x35\x31\x36\x33\x34\x30\x37\x39\x33\x31\x20\x43\x20\
\x36\x2e\x32\x35\x35\x36\x32\x31\x33\x34\x30\x33\x33\x20\x31\x30\
\x2e\x35\x35\x32\x35\x31\x37\x33\x30\x32\x37\x20\x36\x2e\x32\x36\
\x31\x38\x36\x32\x34\x30\x39\x31\x36\x20\x31\x30\x2e\x35\x38\x39\
\x31\x31\x36\x33\x35\x37\x38\x20\x36\x2e\x32\x36\x38\x31\x30\x33\
\x34\x37\x38\x20\x31\x30\x2e\x36\x32\x36\x31\x30\x37\x32\x33\x31\
\x38\x20\x43\x20\x36\x2e\x32\x37\x34\x33\x34\x34\x35\x34\x36\x38\
\x33\x20\x31\x30\x2e\x36\x36\x33\x30\x39\x38\x31\x30\x35\x38\x20\
\x36\x2e\x32\x38\x30\x35\x38\x35\x36\x31\x35\x36\x37\x20\x31\x30\
\x2e\x37\x30\x30\x34\x38\x33\x31\x35\x33\x32\x20\x36\x2e\x32\x38\
\x36\x38\x32\x36\x36\x38\x34\x35\x31\x20\x31\x30\x2e\x37\x33\x38\
\x32\x33\x31\x32\x31\x31\x36\x20\x43\x20\x36\x2e\x32\x39\x33\x30\
\x36\x37\x37\x35\x33\x33\x34\x20\x31\x30\x2e\x37\x37\x35\x39\x37\
\x39\x32\x37\x20\x36\x2e\x32\x39\x39\x33\x30\x38\x38\x32\x32\x31\
\x38\x20\x31\x30\x2e\x38\x31\x34\x30\x39\x32\x35\x32\x30\x34\x20\
\x36\x2e\x33\x30\x35\x35\x34\x39\x38\x39\x31\x30\x31\x20\x31\x30\
\x2e\x38\x35\x32\x35\x33\x39\x34\x31\x32\x35\x20\x43\x20\x36\x2e\
\x33\x31\x31\x37\x39\x30\x39\x35\x39\x38\x35\x20\x31\x30\x2e\x38\
\x39\x30\x39\x38\x36\x33\x30\x34\x37\x20\x36\x2e\x33\x31\x38\x30\
\x33\x32\x30\x32\x38\x36\x39\x20\x31\x30\x2e\x39\x32\x39\x37\x36\
\x38\x38\x34\x33\x20\x36\x2e\x33\x32\x34\x32\x37\x33\x30\x39\x37\
\x35\x32\x20\x31\x30\x2e\x39\x36\x38\x38\x35\x35\x31\x33\x38\x33\
\x20\x43\x20\x36\x2e\x33\x33\x30\x35\x31\x34\x31\x36\x36\x33\x36\
\x20\x31\x31\x2e\x30\x30\x37\x39\x34\x31\x34\x33\x33\x35\x20\x36\
\x2e\x33\x33\x36\x37\x35\x35\x32\x33\x35\x31\x39\x20\x31\x31\x2e\
\x30\x34\x37\x33\x33\x33\x33\x31\x30\x31\x20\x36\x2e\x33\x34\x32\
\x39\x39\x36\x33\x30\x34\x30\x33\x20\x31\x31\x2e\x30\x38\x36\x39\
\x39\x38\x35\x38\x39\x31\x20\x43\x20\x36\x2e\x33\x34\x39\x32\x33\
\x37\x33\x37\x32\x38\x37\x20\x31\x31\x2e\x31\x32\x36\x36\x36\x33\
\x38\x36\x38\x32\x20\x36\x2e\x33\x35\x35\x34\x37\x38\x34\x34\x31\
\x37\x20\x31\x31\x2e\x31\x36\x36\x36\x30\x34\x31\x39\x31\x36\x20\
\x36\x2e\x33\x36\x31\x37\x31\x39\x35\x31\x30\x35\x34\x20\x31\x31\
\x2e\x32\x30\x36\x37\x38\x37\x31\x34\x30\x34\x20\x43\x20\x36\x2e\
\x33\x36\x37\x39\x36\x30\x35\x37\x39\x33\x37\x20\x31\x31\x2e\x32\
\x34\x36\x39\x37\x30\x30\x38\x39\x31\x20\x36\x2e\x33\x37\x34\x32\
\x30\x31\x36\x34\x38\x32\x31\x20\x31\x31\x2e\x32\x38\x37\x33\x39\
\x37\x31\x31\x39\x39\x20\x36\x2e\x33\x38\x30\x34\x34\x32\x37\x31\
\x37\x30\x35\x20\x31\x31\x2e\x33\x32\x38\x30\x33\x35\x36\x32\x34\
\x31\x20\x43\x20\x36\x2e\x33\x38\x36\x36\x38\x33\x37\x38\x35\x38\
\x38\x20\x31\x31\x2e\x33\x36\x38\x36\x37\x34\x31\x32\x38\x32\x20\
\x36\x2e\x33\x39\x32\x39\x32\x34\x38\x35\x34\x37\x32\x20\x31\x31\
\x2e\x34\x30\x39\x35\x32\x35\x33\x37\x34\x38\x20\x36\x2e\x33\x39\
\x39\x31\x36\x35\x39\x32\x33\x35\x35\x20\x31\x31\x2e\x34\x35\x30\
\x35\x35\x36\x36\x31\x35\x37\x20\x43\x20\x36\x2e\x34\x30\x35\x34\
\x30\x36\x39\x39\x32\x33\x39\x20\x31\x31\x2e\x34\x39\x31\x35\x38\
\x37\x38\x35\x36\x36\x20\x36\x2e\x34\x31\x31\x36\x34\x38\x30\x36\
\x31\x32\x33\x20\x31\x31\x2e\x35\x33\x32\x38\x30\x30\x31\x37\x31\
\x35\x20\x36\x2e\x34\x31\x37\x38\x38\x39\x31\x33\x30\x30\x36\x20\
\x31\x31\x2e\x35\x37\x34\x31\x36\x30\x37\x32\x33\x36\x20\x43\x20\
\x36\x2e\x34\x32\x34\x31\x33\x30\x31\x39\x38\x39\x20\x31\x31\x2e\
\x36\x31\x35\x35\x32\x31\x32\x37\x35\x36\x20\x36\x2e\x34\x33\x30\
\x33\x37\x31\x32\x36\x37\x37\x33\x20\x31\x31\x2e\x36\x35\x37\x30\
\x33\x30\x39\x35\x33\x34\x20\x36\x2e\x34\x33\x36\x36\x31\x32\x33\
\x33\x36\x35\x37\x20\x31\x31\x2e\x36\x39\x38\x36\x35\x36\x38\x38\
\x31\x39\x20\x43\x20\x36\x2e\x34\x34\x32\x38\x35\x33\x34\x30\x35\
\x34\x31\x20\x31\x31\x2e\x37\x34\x30\x32\x38\x32\x38\x31\x30\x34\
\x20\x36\x2e\x34\x34\x39\x30\x39\x34\x34\x37\x34\x32\x34\x20\x31\
\x31\x2e\x37\x38\x32\x30\x32\x35\x36\x38\x35\x38\x20\x36\x2e\x34\
\x35\x35\x33\x33\x35\x35\x34\x33\x30\x38\x20\x31\x31\x2e\x38\x32\
\x33\x38\x35\x32\x36\x34\x35\x38\x20\x43\x20\x36\x2e\x34\x36\x31\
\x35\x37\x36\x36\x31\x31\x39\x31\x20\x31\x31\x2e\x38\x36\x35\x36\
\x37\x39\x36\x30\x35\x39\x20\x36\x2e\x34\x36\x37\x38\x31\x37\x36\
\x38\x30\x37\x35\x20\x31\x31\x2e\x39\x30\x37\x35\x39\x31\x31\x35\
\x33\x32\x20\x36\x2e\x34\x37\x34\x30\x35\x38\x37\x34\x39\x35\x39\
\x20\x31\x31\x2e\x39\x34\x39\x35\x35\x34\x34\x38\x39\x32\x20\x43\
\x20\x36\x2e\x34\x38\x30\x32\x39\x39\x38\x31\x38\x34\x32\x20\x31\
\x31\x2e\x39\x39\x31\x35\x31\x37\x38\x32\x35\x31\x20\x36\x2e\x34\
\x38\x36\x35\x34\x30\x38\x38\x37\x32\x36\x20\x31\x32\x2e\x30\x33\
\x33\x35\x33\x33\x32\x35\x38\x20\x36\x2e\x34\x39\x32\x37\x38\x31\
\x39\x35\x36\x31\x20\x31\x32\x2e\x30\x37\x35\x35\x36\x38\x31\x30\
\x33\x33\x20\x43\x20\x36\x2e\x34\x39\x39\x30\x32\x33\x30\x32\x34\
\x39\x33\x20\x31\x32\x2e\x31\x31\x37\x36\x30\x32\x39\x34\x38\x36\
\x20\x36\x2e\x35\x30\x35\x32\x36\x34\x30\x39\x33\x37\x37\x20\x31\
\x32\x2e\x31\x35\x39\x36\x35\x37\x33\x32\x30\x31\x20\x36\x2e\x35\
\x31\x31\x35\x30\x35\x31\x36\x32\x36\x20\x31\x32\x2e\x32\x30\x31\
\x36\x39\x38\x36\x39\x37\x38\x20\x43\x20\x36\x2e\x35\x31\x37\x37\
\x34\x36\x32\x33\x31\x34\x34\x20\x31\x32\x2e\x32\x34\x33\x37\x34\
\x30\x30\x37\x35\x36\x20\x36\x2e\x35\x32\x33\x39\x38\x37\x33\x30\
\x30\x32\x38\x20\x31\x32\x2e\x32\x38\x35\x37\x36\x38\x33\x37\x38\
\x34\x20\x36\x2e\x35\x33\x30\x32\x32\x38\x33\x36\x39\x31\x31\x20\
\x31\x32\x2e\x33\x32\x37\x37\x35\x31\x33\x30\x31\x34\x20\x43\x20\
\x36\x2e\x35\x33\x36\x34\x36\x39\x34\x33\x37\x39\x35\x20\x31\x32\
\x2e\x33\x36\x39\x37\x33\x34\x32\x32\x34\x35\x20\x36\x2e\x35\x34\
\x32\x37\x31\x30\x35\x30\x36\x37\x38\x20\x31\x32\x2e\x34\x31\x31\
\x36\x37\x31\x34\x39\x31\x37\x20\x36\x2e\x35\x34\x38\x39\x35\x31\
\x35\x37\x35\x36\x32\x20\x31\x32\x2e\x34\x35\x33\x35\x33\x31\x30\
\x36\x33\x33\x20\x43\x20\x36\x2e\x35\x35\x35\x31\x39\x32\x36\x34\
\x34\x34\x36\x20\x31\x32\x2e\x34\x39\x35\x33\x39\x30\x36\x33\x35\
\x20\x36\x2e\x35\x36\x31\x34\x33\x33\x37\x31\x33\x32\x39\x20\x31\
\x32\x2e\x35\x33\x37\x31\x37\x32\x30\x34\x30\x35\x20\x36\x2e\x35\
\x36\x37\x36\x37\x34\x37\x38\x32\x31\x33\x20\x31\x32\x2e\x35\x37\
\x38\x38\x34\x33\x35\x35\x34\x36\x20\x43\x20\x36\x2e\x35\x37\x33\
\x39\x31\x35\x38\x35\x30\x39\x36\x20\x31\x32\x2e\x36\x32\x30\x35\
\x31\x35\x30\x36\x38\x37\x20\x36\x2e\x35\x38\x30\x31\x35\x36\x39\
\x31\x39\x38\x20\x31\x32\x2e\x36\x36\x32\x30\x37\x36\x30\x32\x37\
\x33\x20\x36\x2e\x35\x38\x36\x33\x39\x37\x39\x38\x38\x36\x34\x20\
\x31\x32\x2e\x37\x30\x33\x34\x39\x35\x30\x36\x38\x35\x20\x43\x20\
\x36\x2e\x35\x39\x32\x36\x33\x39\x30\x35\x37\x34\x37\x20\x31\x32\
\x2e\x37\x34\x34\x39\x31\x34\x31\x30\x39\x38\x20\x36\x2e\x35\x39\
\x38\x38\x38\x30\x31\x32\x36\x33\x31\x20\x31\x32\x2e\x37\x38\x36\
\x31\x39\x30\x33\x37\x36\x39\x20\x36\x2e\x36\x30\x35\x31\x32\x31\
\x31\x39\x35\x31\x34\x20\x31\x32\x2e\x38\x32\x37\x32\x39\x32\x39\
\x32\x30\x32\x20\x43\x20\x36\x2e\x36\x31\x31\x33\x36\x32\x32\x36\
\x33\x39\x38\x20\x31\x32\x2e\x38\x36\x38\x33\x39\x35\x34\x36\x33\
\x35\x20\x36\x2e\x36\x31\x37\x36\x30\x33\x33\x33\x32\x38\x32\x20\
\x31\x32\x2e\x39\x30\x39\x33\x32\x33\x32\x33\x34\x38\x20\x36\x2e\
\x36\x32\x33\x38\x34\x34\x34\x30\x31\x36\x35\x20\x31\x32\x2e\x39\
\x35\x30\x30\x34\x35\x37\x34\x34\x32\x20\x43\x20\x36\x2e\x36\x33\
\x30\x30\x38\x35\x34\x37\x30\x34\x39\x20\x31\x32\x2e\x39\x39\x30\
\x37\x36\x38\x32\x35\x33\x36\x20\x36\x2e\x36\x33\x36\x33\x32\x36\
\x35\x33\x39\x33\x32\x20\x31\x33\x2e\x30\x33\x31\x32\x38\x34\x32\
\x36\x33\x34\x20\x36\x2e\x36\x34\x32\x35\x36\x37\x36\x30\x38\x31\
\x36\x20\x31\x33\x2e\x30\x37\x31\x35\x36\x33\x37\x39\x30\x36\x20\
\x43\x20\x36\x2e\x36\x34\x38\x38\x30\x38\x36\x37\x37\x20\x31\x33\
\x2e\x31\x31\x31\x38\x34\x33\x33\x31\x37\x38\x20\x36\x2e\x36\x35\
\x35\x30\x34\x39\x37\x34\x35\x38\x33\x20\x31\x33\x2e\x31\x35\x31\
\x38\x38\x34\x39\x33\x36\x38\x20\x36\x2e\x36\x36\x31\x32\x39\x30\
\x38\x31\x34\x36\x37\x20\x31\x33\x2e\x31\x39\x31\x36\x35\x39\x32\
\x31\x38\x31\x20\x43\x20\x36\x2e\x36\x36\x37\x35\x33\x31\x38\x38\
\x33\x35\x20\x31\x33\x2e\x32\x33\x31\x34\x33\x33\x34\x39\x39\x34\
\x20\x36\x2e\x36\x37\x33\x37\x37\x32\x39\x35\x32\x33\x34\x20\x31\
\x33\x2e\x32\x37\x30\x39\x33\x38\x38\x33\x31\x38\x20\x36\x2e\x36\
\x38\x30\x30\x31\x34\x30\x32\x31\x31\x38\x20\x31\x33\x2e\x33\x31\
\x30\x31\x34\x36\x33\x38\x34\x35\x20\x43\x20\x36\x2e\x36\x38\x36\
\x32\x35\x35\x30\x39\x30\x30\x31\x20\x31\x33\x2e\x33\x34\x39\x33\
\x35\x33\x39\x33\x37\x32\x20\x36\x2e\x36\x39\x32\x34\x39\x36\x31\
\x35\x38\x38\x35\x20\x31\x33\x2e\x33\x38\x38\x32\x36\x31\x39\x31\
\x36\x31\x20\x36\x2e\x36\x39\x38\x37\x33\x37\x32\x32\x37\x36\x38\
\x20\x31\x33\x2e\x34\x32\x36\x38\x34\x32\x31\x33\x33\x36\x20\x43\
\x20\x36\x2e\x37\x30\x34\x39\x37\x38\x32\x39\x36\x35\x32\x20\x31\
\x33\x2e\x34\x36\x35\x34\x32\x32\x33\x35\x31\x32\x20\x36\x2e\x37\
\x31\x31\x32\x31\x39\x33\x36\x35\x33\x36\x20\x31\x33\x2e\x35\x30\
\x33\x36\x37\x32\x38\x33\x33\x20\x36\x2e\x37\x31\x37\x34\x36\x30\
\x34\x33\x34\x31\x39\x20\x31\x33\x2e\x35\x34\x31\x35\x36\x36\x30\
\x37\x38\x35\x20\x43\x20\x36\x2e\x37\x32\x33\x37\x30\x31\x35\x30\
\x33\x30\x33\x20\x31\x33\x2e\x35\x37\x39\x34\x35\x39\x33\x32\x34\
\x31\x20\x36\x2e\x37\x32\x39\x39\x34\x32\x35\x37\x31\x38\x36\x20\
\x31\x33\x2e\x36\x31\x36\x39\x39\x33\x31\x38\x31\x36\x20\x36\x2e\
\x37\x33\x36\x31\x38\x33\x36\x34\x30\x37\x20\x31\x33\x2e\x36\x35\
\x34\x31\x34\x30\x38\x38\x30\x31\x20\x43\x20\x36\x2e\x37\x34\x32\
\x34\x32\x34\x37\x30\x39\x35\x34\x20\x31\x33\x2e\x36\x39\x31\x32\
\x38\x38\x35\x37\x38\x36\x20\x36\x2e\x37\x34\x38\x36\x36\x35\x37\
\x37\x38\x33\x37\x20\x31\x33\x2e\x37\x32\x38\x30\x34\x37\x37\x39\
\x32\x35\x20\x36\x2e\x37\x35\x34\x39\x30\x36\x38\x34\x37\x32\x31\
\x20\x31\x33\x2e\x37\x36\x34\x33\x39\x32\x35\x32\x31\x35\x20\x43\
\x20\x36\x2e\x37\x36\x31\x31\x34\x37\x39\x31\x36\x30\x35\x20\x31\
\x33\x2e\x38\x30\x30\x37\x33\x37\x32\x35\x30\x35\x20\x36\x2e\x37\
\x36\x37\x33\x38\x38\x39\x38\x34\x38\x38\x20\x31\x33\x2e\x38\x33\
\x36\x36\x36\x34\x39\x39\x38\x37\x20\x36\x2e\x37\x37\x33\x36\x33\
\x30\x30\x35\x33\x37\x32\x20\x31\x33\x2e\x38\x37\x32\x31\x35\x30\
\x35\x37\x36\x39\x20\x43\x20\x36\x2e\x37\x37\x39\x38\x37\x31\x31\
\x32\x32\x35\x35\x20\x31\x33\x2e\x39\x30\x37\x36\x33\x36\x31\x35\
\x35\x31\x20\x36\x2e\x37\x38\x36\x31\x31\x32\x31\x39\x31\x33\x39\
\x20\x31\x33\x2e\x39\x34\x32\x36\x37\x36\x39\x30\x30\x39\x20\x36\
\x2e\x37\x39\x32\x33\x35\x33\x32\x36\x30\x32\x33\x20\x31\x33\x2e\
\x39\x37\x37\x32\x34\x38\x34\x37\x35\x31\x20\x43\x20\x36\x2e\x37\
\x39\x38\x35\x39\x34\x33\x32\x39\x30\x36\x20\x31\x34\x2e\x30\x31\
\x31\x38\x32\x30\x30\x34\x39\x33\x20\x36\x2e\x38\x30\x34\x38\x33\
\x35\x33\x39\x37\x39\x20\x31\x34\x2e\x30\x34\x35\x39\x31\x39\x36\
\x32\x37\x31\x20\x36\x2e\x38\x31\x31\x30\x37\x36\x34\x36\x36\x37\
\x33\x20\x31\x34\x2e\x30\x37\x39\x35\x32\x33\x37\x35\x36\x39\x20\
\x43\x20\x36\x2e\x38\x31\x37\x33\x31\x37\x35\x33\x35\x35\x37\x20\
\x31\x34\x2e\x31\x31\x33\x31\x32\x37\x38\x38\x36\x38\x20\x36\x2e\
\x38\x32\x33\x35\x35\x38\x36\x30\x34\x34\x31\x20\x31\x34\x2e\x31\
\x34\x36\x32\x33\x33\x35\x38\x35\x38\x20\x36\x2e\x38\x32\x39\x37\
\x39\x39\x36\x37\x33\x32\x34\x20\x31\x34\x2e\x31\x37\x38\x38\x31\
\x38\x33\x32\x36\x33\x20\x43\x20\x36\x2e\x38\x33\x36\x30\x34\x30\
\x37\x34\x32\x30\x38\x20\x31\x34\x2e\x32\x31\x31\x34\x30\x33\x30\
\x36\x36\x39\x20\x36\x2e\x38\x34\x32\x32\x38\x31\x38\x31\x30\x39\
\x31\x20\x31\x34\x2e\x32\x34\x33\x34\x36\x33\x37\x31\x32\x37\x20\
\x36\x2e\x38\x34\x38\x35\x32\x32\x38\x37\x39\x37\x35\x20\x31\x34\
\x2e\x32\x37\x34\x39\x37\x38\x36\x39\x34\x39\x20\x43\x20\x36\x2e\
\x38\x35\x34\x37\x36\x33\x39\x34\x38\x35\x39\x20\x31\x34\x2e\x33\
\x30\x36\x34\x39\x33\x36\x37\x37\x31\x20\x36\x2e\x38\x36\x31\x30\
\x30\x35\x30\x31\x37\x34\x32\x20\x31\x34\x2e\x33\x33\x37\x34\x35\
\x39\x37\x31\x30\x37\x20\x36\x2e\x38\x36\x37\x32\x34\x36\x30\x38\
\x36\x32\x36\x20\x31\x34\x2e\x33\x36\x37\x38\x35\x36\x32\x31\x38\
\x39\x20\x43\x20\x36\x2e\x38\x37\x33\x34\x38\x37\x31\x35\x35\x30\
\x39\x20\x31\x34\x2e\x33\x39\x38\x32\x35\x32\x37\x32\x37\x32\x20\
\x36\x2e\x38\x37\x39\x37\x32\x38\x32\x32\x33\x39\x33\x20\x31\x34\
\x2e\x34\x32\x38\x30\x37\x36\x32\x38\x31\x37\x20\x36\x2e\x38\x38\
\x35\x39\x36\x39\x32\x39\x32\x37\x37\x20\x31\x34\x2e\x34\x35\x37\
\x33\x30\x37\x33\x32\x39\x34\x20\x43\x20\x36\x2e\x38\x39\x32\x32\
\x31\x30\x33\x36\x31\x36\x20\x31\x34\x2e\x34\x38\x36\x35\x33\x38\
\x33\x37\x37\x32\x20\x36\x2e\x38\x39\x38\x34\x35\x31\x34\x33\x30\
\x34\x34\x20\x31\x34\x2e\x35\x31\x35\x31\x37\x33\x33\x35\x31\x36\
\x20\x36\x2e\x39\x30\x34\x36\x39\x32\x34\x39\x39\x32\x37\x20\x31\
\x34\x2e\x35\x34\x33\x31\x39\x33\x37\x35\x33\x38\x20\x43\x20\x36\
\x2e\x39\x31\x30\x39\x33\x33\x35\x36\x38\x31\x31\x20\x31\x34\x2e\
\x35\x37\x31\x32\x31\x34\x31\x35\x36\x20\x36\x2e\x39\x31\x37\x31\
\x37\x34\x36\x33\x36\x39\x35\x20\x31\x34\x2e\x35\x39\x38\x36\x31\
\x36\x32\x38\x36\x37\x20\x36\x2e\x39\x32\x33\x34\x31\x35\x37\x30\
\x35\x37\x38\x20\x31\x34\x2e\x36\x32\x35\x33\x38\x32\x37\x32\x39\
\x37\x20\x43\x20\x36\x2e\x39\x32\x39\x36\x35\x36\x37\x37\x34\x36\
\x32\x20\x31\x34\x2e\x36\x35\x32\x31\x34\x39\x31\x37\x32\x37\x20\
\x36\x2e\x39\x33\x35\x38\x39\x37\x38\x34\x33\x34\x35\x20\x31\x34\
\x2e\x36\x37\x38\x32\x37\x36\x31\x30\x31\x39\x20\x36\x2e\x39\x34\
\x32\x31\x33\x38\x39\x31\x32\x32\x39\x20\x31\x34\x2e\x37\x30\x33\
\x37\x34\x37\x32\x31\x30\x34\x20\x43\x20\x36\x2e\x39\x34\x38\x33\
\x37\x39\x39\x38\x31\x31\x33\x20\x31\x34\x2e\x37\x32\x39\x32\x31\
\x38\x33\x31\x39\x20\x36\x2e\x39\x35\x34\x36\x32\x31\x30\x34\x39\
\x39\x36\x20\x31\x34\x2e\x37\x35\x34\x30\x32\x39\x36\x35\x39\x38\
\x20\x36\x2e\x39\x36\x30\x38\x36\x32\x31\x31\x38\x38\x20\x31\x34\
\x2e\x37\x37\x38\x31\x36\x36\x30\x36\x30\x39\x20\x43\x20\x36\x2e\
\x39\x36\x37\x31\x30\x33\x31\x38\x37\x36\x33\x20\x31\x34\x2e\x38\
\x30\x32\x33\x30\x32\x34\x36\x32\x31\x20\x36\x2e\x39\x37\x33\x33\
\x34\x34\x32\x35\x36\x34\x37\x20\x31\x34\x2e\x38\x32\x35\x37\x35\
\x39\x38\x36\x31\x35\x20\x36\x2e\x39\x37\x39\x35\x38\x35\x33\x32\
\x35\x33\x31\x20\x31\x34\x2e\x38\x34\x38\x35\x32\x34\x32\x34\x35\
\x34\x20\x43\x20\x36\x2e\x39\x38\x35\x38\x32\x36\x33\x39\x34\x31\
\x34\x20\x31\x34\x2e\x38\x37\x31\x32\x38\x38\x36\x32\x39\x33\x20\
\x36\x2e\x39\x39\x32\x30\x36\x37\x34\x36\x32\x39\x38\x20\x31\x34\
\x2e\x38\x39\x33\x33\x35\x35\x38\x32\x37\x31\x20\x36\x2e\x39\x39\
\x38\x33\x30\x38\x35\x33\x31\x38\x31\x20\x31\x34\x2e\x39\x31\x34\
\x37\x31\x33\x30\x30\x34\x39\x20\x43\x20\x37\x2e\x30\x30\x34\x35\
\x34\x39\x36\x30\x30\x36\x35\x20\x31\x34\x2e\x39\x33\x36\x30\x37\
\x30\x31\x38\x32\x37\x20\x37\x2e\x30\x31\x30\x37\x39\x30\x36\x36\
\x39\x34\x39\x20\x31\x34\x2e\x39\x35\x36\x37\x31\x33\x30\x36\x37\
\x36\x20\x37\x2e\x30\x31\x37\x30\x33\x31\x37\x33\x38\x33\x32\x20\
\x31\x34\x2e\x39\x37\x36\x36\x33\x30\x30\x32\x35\x36\x20\x43\x20\
\x37\x2e\x30\x32\x33\x32\x37\x32\x38\x30\x37\x31\x36\x20\x31\x34\
\x2e\x39\x39\x36\x35\x34\x36\x39\x38\x33\x36\x20\x37\x2e\x30\x32\
\x39\x35\x31\x33\x38\x37\x36\x20\x31\x35\x2e\x30\x31\x35\x37\x33\
\x33\x36\x34\x36\x31\x20\x37\x2e\x30\x33\x35\x37\x35\x34\x39\x34\
\x34\x38\x33\x20\x31\x35\x2e\x30\x33\x34\x31\x37\x39\x35\x39\x36\
\x38\x20\x43\x20\x37\x2e\x30\x34\x31\x39\x39\x36\x30\x31\x33\x36\
\x37\x20\x31\x35\x2e\x30\x35\x32\x36\x32\x35\x35\x34\x37\x35\x20\
\x37\x2e\x30\x34\x38\x32\x33\x37\x30\x38\x32\x35\x20\x31\x35\x2e\
\x30\x37\x30\x33\x32\x36\x33\x32\x39\x31\x20\x37\x2e\x30\x35\x34\
\x34\x37\x38\x31\x35\x31\x33\x34\x20\x31\x35\x2e\x30\x38\x37\x32\
\x37\x32\x37\x35\x39\x31\x20\x43\x20\x37\x2e\x30\x36\x30\x37\x31\
\x39\x32\x32\x30\x31\x38\x20\x31\x35\x2e\x31\x30\x34\x32\x31\x39\
\x31\x38\x39\x20\x37\x2e\x30\x36\x36\x39\x36\x30\x32\x38\x39\x30\
\x31\x20\x31\x35\x2e\x31\x32\x30\x34\x30\x36\x37\x32\x38\x20\x37\
\x2e\x30\x37\x33\x32\x30\x31\x33\x35\x37\x38\x35\x20\x31\x35\x2e\
\x31\x33\x35\x38\x32\x37\x34\x34\x31\x35\x20\x43\x20\x37\x2e\x30\
\x37\x39\x34\x34\x32\x34\x32\x36\x36\x38\x20\x31\x35\x2e\x31\x35\
\x31\x32\x34\x38\x31\x35\x35\x20\x37\x2e\x30\x38\x35\x36\x38\x33\
\x34\x39\x35\x35\x32\x20\x31\x35\x2e\x31\x36\x35\x38\x39\x37\x34\
\x32\x38\x39\x20\x37\x2e\x30\x39\x31\x39\x32\x34\x35\x36\x34\x33\
\x36\x20\x31\x35\x2e\x31\x37\x39\x37\x36\x38\x35\x38\x38\x38\x20\
\x43\x20\x37\x2e\x30\x39\x38\x31\x36\x35\x36\x33\x33\x31\x39\x20\
\x31\x35\x2e\x31\x39\x33\x36\x33\x39\x37\x34\x38\x38\x20\x37\x2e\
\x31\x30\x34\x34\x30\x36\x37\x30\x32\x30\x33\x20\x31\x35\x2e\x32\
\x30\x36\x37\x32\x38\x31\x31\x32\x39\x20\x37\x2e\x31\x31\x30\x36\
\x34\x37\x37\x37\x30\x38\x36\x20\x31\x35\x2e\x32\x31\x39\x30\x32\
\x38\x32\x37\x37\x33\x20\x43\x20\x37\x2e\x31\x31\x36\x38\x38\x38\
\x38\x33\x39\x37\x20\x31\x35\x2e\x32\x33\x31\x33\x32\x38\x34\x34\
\x31\x38\x20\x37\x2e\x31\x32\x33\x31\x32\x39\x39\x30\x38\x35\x34\
\x20\x31\x35\x2e\x32\x34\x32\x38\x33\x35\x36\x36\x34\x32\x20\x37\
\x2e\x31\x32\x39\x33\x37\x30\x39\x37\x37\x33\x37\x20\x31\x35\x2e\
\x32\x35\x33\x35\x34\x35\x38\x31\x39\x38\x20\x43\x20\x37\x2e\x31\
\x33\x35\x36\x31\x32\x30\x34\x36\x32\x31\x20\x31\x35\x2e\x32\x36\
\x34\x32\x35\x35\x39\x37\x35\x34\x20\x37\x2e\x31\x34\x31\x38\x35\
\x33\x31\x31\x35\x30\x34\x20\x31\x35\x2e\x32\x37\x34\x31\x36\x34\
\x32\x36\x38\x34\x20\x37\x2e\x31\x34\x38\x30\x39\x34\x31\x38\x33\
\x38\x38\x20\x31\x35\x2e\x32\x38\x33\x32\x36\x37\x38\x35\x39\x34\
\x20\x43\x20\x37\x2e\x31\x35\x34\x33\x33\x35\x32\x35\x32\x37\x32\
\x20\x31\x35\x2e\x32\x39\x32\x33\x37\x31\x34\x35\x30\x34\x20\x37\
\x2e\x31\x36\x30\x35\x37\x36\x33\x32\x31\x35\x35\x20\x31\x35\x2e\
\x33\x30\x30\x36\x36\x35\x34\x39\x37\x38\x20\x37\x2e\x31\x36\x36\
\x38\x31\x37\x33\x39\x30\x33\x39\x20\x31\x35\x2e\x33\x30\x38\x31\
\x34\x38\x34\x35\x32\x20\x43\x20\x37\x2e\x31\x37\x33\x30\x35\x38\
\x34\x35\x39\x32\x32\x20\x31\x35\x2e\x33\x31\x35\x36\x33\x31\x34\
\x30\x36\x33\x20\x37\x2e\x31\x37\x39\x32\x39\x39\x35\x32\x38\x30\
\x36\x20\x31\x35\x2e\x33\x32\x32\x32\x39\x38\x33\x38\x37\x33\x20\
\x37\x2e\x31\x38\x35\x35\x34\x30\x35\x39\x36\x39\x20\x31\x35\x2e\
\x33\x32\x38\x31\x34\x39\x31\x33\x37\x37\x20\x43\x20\x37\x2e\x31\
\x39\x31\x37\x38\x31\x36\x36\x35\x37\x33\x20\x31\x35\x2e\x33\x33\
\x33\x39\x39\x39\x38\x38\x38\x20\x37\x2e\x31\x39\x38\x30\x32\x32\
\x37\x33\x34\x35\x37\x20\x31\x35\x2e\x33\x33\x39\x30\x32\x39\x34\
\x39\x37\x20\x37\x2e\x32\x30\x34\x32\x36\x33\x38\x30\x33\x34\x20\
\x31\x35\x2e\x33\x34\x33\x32\x33\x38\x39\x39\x39\x35\x20\x43\x20\
\x37\x2e\x32\x31\x30\x35\x30\x34\x38\x37\x32\x32\x34\x20\x31\x35\
\x2e\x33\x34\x37\x34\x34\x38\x35\x30\x31\x39\x20\x37\x2e\x32\x31\
\x36\x37\x34\x35\x39\x34\x31\x30\x38\x20\x31\x35\x2e\x33\x35\x30\
\x38\x33\x32\x39\x36\x34\x20\x37\x2e\x32\x32\x32\x39\x38\x37\x30\
\x30\x39\x39\x31\x20\x31\x35\x2e\x33\x35\x33\x33\x39\x34\x37\x31\
\x31\x36\x20\x43\x20\x37\x2e\x32\x32\x39\x32\x32\x38\x30\x37\x38\
\x37\x35\x20\x31\x35\x2e\x33\x35\x35\x39\x35\x36\x34\x35\x39\x32\
\x20\x37\x2e\x32\x33\x35\x34\x36\x39\x31\x34\x37\x35\x38\x20\x31\
\x35\x2e\x33\x35\x37\x36\x39\x30\x35\x34\x32\x38\x20\x37\x2e\x32\
\x34\x31\x37\x31\x30\x32\x31\x36\x34\x32\x20\x31\x35\x2e\x33\x35\
\x38\x36\x30\x30\x35\x37\x35\x35\x20\x43\x20\x37\x2e\x32\x34\x37\
\x39\x35\x31\x32\x38\x35\x32\x36\x20\x31\x35\x2e\x33\x35\x39\x35\
\x31\x30\x36\x30\x38\x33\x20\x37\x2e\x32\x35\x34\x31\x39\x32\x33\
\x35\x34\x30\x39\x20\x31\x35\x2e\x33\x35\x39\x35\x39\x31\x36\x33\
\x32\x39\x20\x37\x2e\x32\x36\x30\x34\x33\x33\x34\x32\x32\x39\x33\
\x20\x31\x35\x2e\x33\x35\x38\x38\x34\x38\x35\x34\x34\x31\x20\x43\
\x20\x37\x2e\x32\x36\x36\x36\x37\x34\x34\x39\x31\x37\x36\x20\x31\
\x35\x2e\x33\x35\x38\x31\x30\x35\x34\x35\x35\x33\x20\x37\x2e\x32\
\x37\x32\x39\x31\x35\x35\x36\x30\x36\x20\x31\x35\x2e\x33\x35\x36\
\x35\x33\x33\x32\x39\x35\x36\x20\x37\x2e\x32\x37\x39\x31\x35\x36\
\x36\x32\x39\x34\x34\x20\x31\x35\x2e\x33\x35\x34\x31\x33\x38\x32\
\x33\x34\x20\x43\x20\x37\x2e\x32\x38\x35\x33\x39\x37\x36\x39\x38\
\x32\x37\x20\x31\x35\x2e\x33\x35\x31\x37\x34\x33\x31\x37\x32\x33\
\x20\x37\x2e\x32\x39\x31\x36\x33\x38\x37\x36\x37\x31\x31\x20\x31\
\x35\x2e\x33\x34\x38\x35\x32\x30\x32\x35\x38\x36\x20\x37\x2e\x32\
\x39\x37\x38\x37\x39\x38\x33\x35\x39\x34\x20\x31\x35\x2e\x33\x34\
\x34\x34\x37\x36\x39\x32\x36\x33\x20\x43\x20\x37\x2e\x33\x30\x34\
\x31\x32\x30\x39\x30\x34\x37\x38\x20\x31\x35\x2e\x33\x34\x30\x34\
\x33\x33\x35\x39\x34\x20\x37\x2e\x33\x31\x30\x33\x36\x31\x39\x37\
\x33\x36\x32\x20\x31\x35\x2e\x33\x33\x35\x35\x36\x34\x39\x30\x38\
\x32\x20\x37\x2e\x33\x31\x36\x36\x30\x33\x30\x34\x32\x34\x35\x20\
\x31\x35\x2e\x33\x32\x39\x38\x37\x39\x35\x35\x35\x34\x20\x43\x20\
\x37\x2e\x33\x32\x32\x38\x34\x34\x31\x31\x31\x32\x39\x20\x31\x35\
\x2e\x33\x32\x34\x31\x39\x34\x32\x30\x32\x37\x20\x37\x2e\x33\x32\
\x39\x30\x38\x35\x31\x38\x30\x31\x33\x20\x31\x35\x2e\x33\x31\x37\
\x36\x38\x37\x32\x37\x30\x37\x20\x37\x2e\x33\x33\x35\x33\x32\x36\
\x32\x34\x38\x39\x36\x20\x31\x35\x2e\x33\x31\x30\x33\x36\x38\x36\
\x38\x35\x38\x20\x43\x20\x37\x2e\x33\x34\x31\x35\x36\x37\x33\x31\
\x37\x38\x20\x31\x35\x2e\x33\x30\x33\x30\x35\x30\x31\x30\x31\x20\
\x37\x2e\x33\x34\x37\x38\x30\x38\x33\x38\x36\x36\x33\x20\x31\x35\
\x2e\x32\x39\x34\x39\x31\x34\x39\x38\x31\x32\x20\x37\x2e\x33\x35\
\x34\x30\x34\x39\x34\x35\x35\x34\x37\x20\x31\x35\x2e\x32\x38\x35\
\x39\x37\x34\x34\x37\x37\x32\x20\x43\x20\x37\x2e\x33\x36\x30\x32\
\x39\x30\x35\x32\x34\x33\x31\x20\x31\x35\x2e\x32\x37\x37\x30\x33\
\x33\x39\x37\x33\x32\x20\x37\x2e\x33\x36\x36\x35\x33\x31\x35\x39\
\x33\x31\x34\x20\x31\x35\x2e\x32\x36\x37\x32\x38\x33\x32\x34\x30\
\x38\x20\x37\x2e\x33\x37\x32\x37\x37\x32\x36\x36\x31\x39\x38\x20\
\x31\x35\x2e\x32\x35\x36\x37\x33\x34\x36\x33\x37\x38\x20\x43\x20\
\x37\x2e\x33\x37\x39\x30\x31\x33\x37\x33\x30\x38\x31\x20\x31\x35\
\x2e\x32\x34\x36\x31\x38\x36\x30\x33\x34\x38\x20\x37\x2e\x33\x38\
\x35\x32\x35\x34\x37\x39\x39\x36\x35\x20\x31\x35\x2e\x32\x33\x34\
\x38\x33\x34\x37\x36\x32\x33\x20\x37\x2e\x33\x39\x31\x34\x39\x35\
\x38\x36\x38\x34\x39\x20\x31\x35\x2e\x32\x32\x32\x36\x39\x34\x33\
\x36\x36\x33\x20\x43\x20\x37\x2e\x33\x39\x37\x37\x33\x36\x39\x33\
\x37\x33\x32\x20\x31\x35\x2e\x32\x31\x30\x35\x35\x33\x39\x37\x30\
\x32\x20\x37\x2e\x34\x30\x33\x39\x37\x38\x30\x30\x36\x31\x36\x20\
\x31\x35\x2e\x31\x39\x37\x36\x31\x39\x37\x30\x34\x34\x20\x37\x2e\
\x34\x31\x30\x32\x31\x39\x30\x37\x34\x39\x39\x20\x31\x35\x2e\x31\
\x38\x33\x39\x30\x36\x32\x38\x31\x37\x20\x43\x20\x37\x2e\x34\x31\
\x36\x34\x36\x30\x31\x34\x33\x38\x33\x20\x31\x35\x2e\x31\x37\x30\
\x31\x39\x32\x38\x35\x39\x31\x20\x37\x2e\x34\x32\x32\x37\x30\x31\
\x32\x31\x32\x36\x37\x20\x31\x35\x2e\x31\x35\x35\x36\x39\x35\x35\
\x39\x33\x35\x20\x37\x2e\x34\x32\x38\x39\x34\x32\x32\x38\x31\x35\
\x20\x31\x35\x2e\x31\x34\x30\x34\x33\x30\x33\x34\x32\x33\x20\x43\
\x20\x37\x2e\x34\x33\x35\x31\x38\x33\x33\x35\x30\x33\x34\x20\x31\
\x35\x2e\x31\x32\x35\x31\x36\x35\x30\x39\x31\x31\x20\x37\x2e\x34\
\x34\x31\x34\x32\x34\x34\x31\x39\x31\x37\x20\x31\x35\x2e\x31\x30\
\x39\x31\x32\x37\x32\x33\x35\x35\x20\x37\x2e\x34\x34\x37\x36\x36\
\x35\x34\x38\x38\x30\x31\x20\x31\x35\x2e\x30\x39\x32\x33\x33\x33\
\x37\x35\x32\x37\x20\x43\x20\x37\x2e\x34\x35\x33\x39\x30\x36\x35\
\x35\x36\x38\x35\x20\x31\x35\x2e\x30\x37\x35\x35\x34\x30\x32\x36\
\x39\x38\x20\x37\x2e\x34\x36\x30\x31\x34\x37\x36\x32\x35\x36\x38\
\x20\x31\x35\x2e\x30\x35\x37\x39\x38\x36\x36\x31\x35\x34\x20\x37\
\x2e\x34\x36\x36\x33\x38\x38\x36\x39\x34\x35\x32\x20\x31\x35\x2e\
\x30\x33\x39\x36\x39\x30\x38\x36\x20\x43\x20\x37\x2e\x34\x37\x32\
\x36\x32\x39\x37\x36\x33\x33\x35\x20\x31\x35\x2e\x30\x32\x31\x33\
\x39\x35\x31\x30\x34\x37\x20\x37\x2e\x34\x37\x38\x38\x37\x30\x38\
\x33\x32\x31\x39\x20\x31\x35\x2e\x30\x30\x32\x33\x35\x32\x37\x38\
\x35\x36\x20\x37\x2e\x34\x38\x35\x31\x31\x31\x39\x30\x31\x30\x33\
\x20\x31\x34\x2e\x39\x38\x32\x35\x38\x33\x30\x33\x39\x32\x20\x43\
\x20\x37\x2e\x34\x39\x31\x33\x35\x32\x39\x36\x39\x38\x36\x20\x31\
\x34\x2e\x39\x36\x32\x38\x31\x33\x32\x39\x32\x37\x20\x37\x2e\x34\
\x39\x37\x35\x39\x34\x30\x33\x38\x37\x20\x31\x34\x2e\x39\x34\x32\
\x33\x31\x31\x37\x34\x34\x34\x20\x37\x2e\x35\x30\x33\x38\x33\x35\
\x31\x30\x37\x35\x33\x20\x31\x34\x2e\x39\x32\x31\x30\x39\x38\x35\
\x36\x36\x37\x20\x43\x20\x37\x2e\x35\x31\x30\x30\x37\x36\x31\x37\
\x36\x33\x37\x20\x31\x34\x2e\x38\x39\x39\x38\x38\x35\x33\x38\x39\
\x20\x37\x2e\x35\x31\x36\x33\x31\x37\x32\x34\x35\x32\x31\x20\x31\
\x34\x2e\x38\x37\x37\x39\x35\x36\x33\x30\x32\x36\x20\x37\x2e\x35\
\x32\x32\x35\x35\x38\x33\x31\x34\x30\x34\x20\x31\x34\x2e\x38\x35\
\x35\x33\x33\x32\x34\x38\x34\x37\x20\x43\x20\x37\x2e\x35\x32\x38\
\x37\x39\x39\x33\x38\x32\x38\x38\x20\x31\x34\x2e\x38\x33\x32\x37\
\x30\x38\x36\x36\x36\x39\x20\x37\x2e\x35\x33\x35\x30\x34\x30\x34\
\x35\x31\x37\x31\x20\x31\x34\x2e\x38\x30\x39\x33\x38\x35\x39\x34\
\x20\x37\x2e\x35\x34\x31\x32\x38\x31\x35\x32\x30\x35\x35\x20\x31\
\x34\x2e\x37\x38\x35\x33\x38\x36\x34\x35\x33\x36\x20\x43\x20\x37\
\x2e\x35\x34\x37\x35\x32\x32\x35\x38\x39\x33\x39\x20\x31\x34\x2e\
\x37\x36\x31\x33\x38\x36\x39\x36\x37\x33\x20\x37\x2e\x35\x35\x33\
\x37\x36\x33\x36\x35\x38\x32\x32\x20\x31\x34\x2e\x37\x33\x36\x37\
\x30\x36\x36\x35\x32\x20\x37\x2e\x35\x36\x30\x30\x30\x34\x37\x32\
\x37\x30\x36\x20\x31\x34\x2e\x37\x31\x31\x33\x36\x38\x35\x39\x35\
\x33\x20\x43\x20\x37\x2e\x35\x36\x36\x32\x34\x35\x37\x39\x35\x38\
\x39\x20\x31\x34\x2e\x36\x38\x36\x30\x33\x30\x35\x33\x38\x36\x20\
\x37\x2e\x35\x37\x32\x34\x38\x36\x38\x36\x34\x37\x33\x20\x31\x34\
\x2e\x36\x36\x30\x30\x33\x30\x37\x38\x35\x36\x20\x37\x2e\x35\x37\
\x38\x37\x32\x37\x39\x33\x33\x35\x37\x20\x31\x34\x2e\x36\x33\x33\
\x33\x39\x33\x33\x32\x35\x38\x20\x43\x20\x37\x2e\x35\x38\x34\x39\
\x36\x39\x30\x30\x32\x34\x20\x31\x34\x2e\x36\x30\x36\x37\x35\x35\
\x38\x36\x36\x20\x37\x2e\x35\x39\x31\x32\x31\x30\x30\x37\x31\x32\
\x34\x20\x31\x34\x2e\x35\x37\x39\x34\x37\x36\x38\x36\x35\x32\x20\
\x37\x2e\x35\x39\x37\x34\x35\x31\x31\x34\x30\x30\x38\x20\x31\x34\
\x2e\x35\x35\x31\x35\x38\x31\x31\x37\x38\x33\x20\x43\x20\x37\x2e\
\x36\x30\x33\x36\x39\x32\x32\x30\x38\x39\x31\x20\x31\x34\x2e\x35\
\x32\x33\x36\x38\x35\x34\x39\x31\x33\x20\x37\x2e\x36\x30\x39\x39\
\x33\x33\x32\x37\x37\x37\x35\x20\x31\x34\x2e\x34\x39\x35\x31\x36\
\x39\x34\x31\x30\x35\x20\x37\x2e\x36\x31\x36\x31\x37\x34\x33\x34\
\x36\x35\x38\x20\x31\x34\x2e\x34\x36\x36\x30\x35\x38\x36\x31\x37\
\x32\x20\x43\x20\x37\x2e\x36\x32\x32\x34\x31\x35\x34\x31\x35\x34\
\x32\x20\x31\x34\x2e\x34\x33\x36\x39\x34\x37\x38\x32\x33\x39\x20\
\x37\x2e\x36\x32\x38\x36\x35\x36\x34\x38\x34\x32\x36\x20\x31\x34\
\x2e\x34\x30\x37\x32\x33\x38\x37\x34\x32\x38\x20\x37\x2e\x36\x33\
\x34\x38\x39\x37\x35\x35\x33\x30\x39\x20\x31\x34\x2e\x33\x37\x36\
\x39\x35\x37\x38\x34\x32\x33\x20\x43\x20\x37\x2e\x36\x34\x31\x31\
\x33\x38\x36\x32\x31\x39\x33\x20\x31\x34\x2e\x33\x34\x36\x36\x37\
\x36\x39\x34\x31\x39\x20\x37\x2e\x36\x34\x37\x33\x37\x39\x36\x39\
\x30\x37\x36\x20\x31\x34\x2e\x33\x31\x35\x38\x32\x30\x37\x38\x34\
\x34\x20\x37\x2e\x36\x35\x33\x36\x32\x30\x37\x35\x39\x36\x20\x31\
\x34\x2e\x32\x38\x34\x34\x31\x36\x35\x38\x34\x37\x20\x43\x20\x37\
\x2e\x36\x35\x39\x38\x36\x31\x38\x32\x38\x34\x34\x20\x31\x34\x2e\
\x32\x35\x33\x30\x31\x32\x33\x38\x35\x20\x37\x2e\x36\x36\x36\x31\
\x30\x32\x38\x39\x37\x32\x37\x20\x31\x34\x2e\x32\x32\x31\x30\x35\
\x36\x38\x34\x38\x34\x20\x37\x2e\x36\x37\x32\x33\x34\x33\x39\x36\
\x36\x31\x31\x20\x31\x34\x2e\x31\x38\x38\x35\x37\x37\x38\x39\x33\
\x36\x20\x43\x20\x37\x2e\x36\x37\x38\x35\x38\x35\x30\x33\x34\x39\
\x34\x20\x31\x34\x2e\x31\x35\x36\x30\x39\x38\x39\x33\x38\x38\x20\
\x37\x2e\x36\x38\x34\x38\x32\x36\x31\x30\x33\x37\x38\x20\x31\x34\
\x2e\x31\x32\x33\x30\x39\x33\x34\x31\x39\x36\x20\x37\x2e\x36\x39\
\x31\x30\x36\x37\x31\x37\x32\x36\x32\x20\x31\x34\x2e\x30\x38\x39\
\x35\x38\x39\x39\x31\x35\x34\x20\x43\x20\x37\x2e\x36\x39\x37\x33\
\x30\x38\x32\x34\x31\x34\x35\x20\x31\x34\x2e\x30\x35\x36\x30\x38\
\x36\x34\x31\x31\x32\x20\x37\x2e\x37\x30\x33\x35\x34\x39\x33\x31\
\x30\x32\x39\x20\x31\x34\x2e\x30\x32\x32\x30\x38\x31\x39\x32\x38\
\x38\x20\x37\x2e\x37\x30\x39\x37\x39\x30\x33\x37\x39\x31\x32\x20\
\x31\x33\x2e\x39\x38\x37\x36\x30\x35\x36\x36\x34\x36\x20\x43\x20\
\x37\x2e\x37\x31\x36\x30\x33\x31\x34\x34\x37\x39\x36\x20\x31\x33\
\x2e\x39\x35\x33\x31\x32\x39\x34\x30\x30\x34\x20\x37\x2e\x37\x32\
\x32\x32\x37\x32\x35\x31\x36\x38\x20\x31\x33\x2e\x39\x31\x38\x31\
\x37\x38\x35\x31\x38\x37\x20\x37\x2e\x37\x32\x38\x35\x31\x33\x35\
\x38\x35\x36\x33\x20\x31\x33\x2e\x38\x38\x32\x37\x38\x32\x37\x38\
\x37\x34\x20\x43\x20\x37\x2e\x37\x33\x34\x37\x35\x34\x36\x35\x34\
\x34\x37\x20\x31\x33\x2e\x38\x34\x37\x33\x38\x37\x30\x35\x36\x32\
\x20\x37\x2e\x37\x34\x30\x39\x39\x35\x37\x32\x33\x33\x20\x31\x33\
\x2e\x38\x31\x31\x35\x34\x33\x38\x30\x31\x38\x20\x37\x2e\x37\x34\
\x37\x32\x33\x36\x37\x39\x32\x31\x34\x20\x31\x33\x2e\x37\x37\x35\
\x32\x38\x33\x33\x31\x37\x39\x20\x43\x20\x37\x2e\x37\x35\x33\x34\
\x37\x37\x38\x36\x30\x39\x38\x20\x31\x33\x2e\x37\x33\x39\x30\x32\
\x32\x38\x33\x33\x39\x20\x37\x2e\x37\x35\x39\x37\x31\x38\x39\x32\
\x39\x38\x31\x20\x31\x33\x2e\x37\x30\x32\x33\x34\x32\x36\x31\x33\
\x31\x20\x37\x2e\x37\x36\x35\x39\x35\x39\x39\x39\x38\x36\x35\x20\
\x31\x33\x2e\x36\x36\x35\x32\x37\x33\x34\x32\x37\x35\x20\x43\x20\
\x37\x2e\x37\x37\x32\x32\x30\x31\x30\x36\x37\x34\x38\x20\x31\x33\
\x2e\x36\x32\x38\x32\x30\x34\x32\x34\x31\x39\x20\x37\x2e\x37\x37\
\x38\x34\x34\x32\x31\x33\x36\x33\x32\x20\x31\x33\x2e\x35\x39\x30\
\x37\x34\x33\x37\x35\x34\x34\x20\x37\x2e\x37\x38\x34\x36\x38\x33\
\x32\x30\x35\x31\x36\x20\x31\x33\x2e\x35\x35\x32\x39\x32\x33\x31\
\x36\x38\x33\x20\x43\x20\x37\x2e\x37\x39\x30\x39\x32\x34\x32\x37\
\x33\x39\x39\x20\x31\x33\x2e\x35\x31\x35\x31\x30\x32\x35\x38\x32\
\x33\x20\x37\x2e\x37\x39\x37\x31\x36\x35\x33\x34\x32\x38\x33\x20\
\x31\x33\x2e\x34\x37\x36\x39\x31\x39\x37\x33\x34\x31\x20\x37\x2e\
\x38\x30\x33\x34\x30\x36\x34\x31\x31\x36\x36\x20\x31\x33\x2e\x34\
\x33\x38\x34\x30\x36\x32\x31\x30\x32\x20\x43\x20\x37\x2e\x38\x30\
\x39\x36\x34\x37\x34\x38\x30\x35\x20\x31\x33\x2e\x33\x39\x39\x38\
\x39\x32\x36\x38\x36\x33\x20\x37\x2e\x38\x31\x35\x38\x38\x38\x35\
\x34\x39\x33\x34\x20\x31\x33\x2e\x33\x36\x31\x30\x34\x36\x35\x30\
\x30\x32\x20\x37\x2e\x38\x32\x32\x31\x32\x39\x36\x31\x38\x31\x37\
\x20\x31\x33\x2e\x33\x32\x31\x38\x39\x39\x35\x37\x32\x32\x20\x43\
\x20\x37\x2e\x38\x32\x38\x33\x37\x30\x36\x38\x37\x30\x31\x20\x31\
\x33\x2e\x32\x38\x32\x37\x35\x32\x36\x34\x34\x32\x20\x37\x2e\x38\
\x33\x34\x36\x31\x31\x37\x35\x35\x38\x34\x20\x31\x33\x2e\x32\x34\
\x33\x33\x30\x33\x31\x36\x38\x31\x20\x37\x2e\x38\x34\x30\x38\x35\
\x32\x38\x32\x34\x36\x38\x20\x31\x33\x2e\x32\x30\x33\x35\x38\x33\
\x33\x34\x39\x20\x43\x20\x37\x2e\x38\x34\x37\x30\x39\x33\x38\x39\
\x33\x35\x32\x20\x31\x33\x2e\x31\x36\x33\x38\x36\x33\x35\x32\x39\
\x38\x20\x37\x2e\x38\x35\x33\x33\x33\x34\x39\x36\x32\x33\x35\x20\
\x31\x33\x2e\x31\x32\x33\x38\x37\x31\x37\x34\x34\x33\x20\x37\x2e\
\x38\x35\x39\x35\x37\x36\x30\x33\x31\x31\x39\x20\x31\x33\x2e\x30\
\x38\x33\x36\x34\x30\x34\x33\x32\x35\x20\x43\x20\x37\x2e\x38\x36\
\x35\x38\x31\x37\x31\x30\x30\x30\x32\x20\x31\x33\x2e\x30\x34\x33\
\x34\x30\x39\x31\x32\x30\x36\x20\x37\x2e\x38\x37\x32\x30\x35\x38\
\x31\x36\x38\x38\x36\x20\x31\x33\x2e\x30\x30\x32\x39\x33\x36\x38\
\x34\x34\x35\x20\x37\x2e\x38\x37\x38\x32\x39\x39\x32\x33\x37\x37\
\x20\x31\x32\x2e\x39\x36\x32\x32\x35\x36\x32\x32\x39\x31\x20\x43\
\x20\x37\x2e\x38\x38\x34\x35\x34\x30\x33\x30\x36\x35\x33\x20\x31\
\x32\x2e\x39\x32\x31\x35\x37\x35\x36\x31\x33\x37\x20\x37\x2e\x38\
\x39\x30\x37\x38\x31\x33\x37\x35\x33\x37\x20\x31\x32\x2e\x38\x38\
\x30\x36\x38\x35\x34\x30\x38\x37\x20\x37\x2e\x38\x39\x37\x30\x32\
\x32\x34\x34\x34\x32\x31\x20\x31\x32\x2e\x38\x33\x39\x36\x31\x38\
\x33\x37\x33\x33\x20\x43\x20\x37\x2e\x39\x30\x33\x32\x36\x33\x35\
\x31\x33\x30\x34\x20\x31\x32\x2e\x37\x39\x38\x35\x35\x31\x33\x33\
\x38\x20\x37\x2e\x39\x30\x39\x35\x30\x34\x35\x38\x31\x38\x38\x20\
\x31\x32\x2e\x37\x35\x37\x33\x30\x36\x34\x31\x31\x36\x20\x37\x2e\
\x39\x31\x35\x37\x34\x35\x36\x35\x30\x37\x31\x20\x31\x32\x2e\x37\
\x31\x35\x39\x31\x36\x34\x33\x37\x34\x20\x43\x20\x37\x2e\x39\x32\
\x31\x39\x38\x36\x37\x31\x39\x35\x35\x20\x31\x32\x2e\x36\x37\x34\
\x35\x32\x36\x34\x36\x33\x31\x20\x37\x2e\x39\x32\x38\x32\x32\x37\
\x37\x38\x38\x33\x39\x20\x31\x32\x2e\x36\x33\x32\x39\x39\x30\x35\
\x37\x31\x33\x20\x37\x2e\x39\x33\x34\x34\x36\x38\x38\x35\x37\x32\
\x32\x20\x31\x32\x2e\x35\x39\x31\x33\x34\x31\x36\x33\x38\x33\x20\
\x43\x20\x37\x2e\x39\x34\x30\x37\x30\x39\x39\x32\x36\x30\x36\x20\
\x31\x32\x2e\x35\x34\x39\x36\x39\x32\x37\x30\x35\x32\x20\x37\x2e\
\x39\x34\x36\x39\x35\x30\x39\x39\x34\x38\x39\x20\x31\x32\x2e\x35\
\x30\x37\x39\x33\x30\x30\x35\x33\x38\x20\x37\x2e\x39\x35\x33\x31\
\x39\x32\x30\x36\x33\x37\x33\x20\x31\x32\x2e\x34\x36\x36\x30\x38\
\x36\x35\x34\x32\x34\x20\x43\x20\x37\x2e\x39\x35\x39\x34\x33\x33\
\x31\x33\x32\x35\x37\x20\x31\x32\x2e\x34\x32\x34\x32\x34\x33\x30\
\x33\x31\x31\x20\x37\x2e\x39\x36\x35\x36\x37\x34\x32\x30\x31\x34\
\x20\x31\x32\x2e\x33\x38\x32\x33\x31\x38\x31\x37\x36\x33\x20\x37\
\x2e\x39\x37\x31\x39\x31\x35\x32\x37\x30\x32\x34\x20\x31\x32\x2e\
\x33\x34\x30\x33\x34\x34\x37\x36\x37\x39\x20\x43\x20\x37\x2e\x39\
\x37\x38\x31\x35\x36\x33\x33\x39\x30\x37\x20\x31\x32\x2e\x32\x39\
\x38\x33\x37\x31\x33\x35\x39\x34\x20\x37\x2e\x39\x38\x34\x33\x39\
\x37\x34\x30\x37\x39\x31\x20\x31\x32\x2e\x32\x35\x36\x33\x34\x39\
\x31\x30\x38\x32\x20\x37\x2e\x39\x39\x30\x36\x33\x38\x34\x37\x36\
\x37\x35\x20\x31\x32\x2e\x32\x31\x34\x33\x31\x30\x36\x38\x34\x38\
\x20\x43\x20\x37\x2e\x39\x39\x36\x38\x37\x39\x35\x34\x35\x35\x38\
\x20\x31\x32\x2e\x31\x37\x32\x32\x37\x32\x32\x36\x31\x33\x20\x38\
\x2e\x30\x30\x33\x31\x32\x30\x36\x31\x34\x34\x32\x20\x31\x32\x2e\
\x31\x33\x30\x32\x31\x37\x35\x37\x31\x32\x20\x38\x2e\x30\x30\x39\
\x33\x36\x31\x36\x38\x33\x32\x35\x20\x31\x32\x2e\x30\x38\x38\x31\
\x37\x39\x31\x31\x35\x32\x20\x43\x20\x38\x2e\x30\x31\x35\x36\x30\
\x32\x37\x35\x32\x30\x39\x20\x31\x32\x2e\x30\x34\x36\x31\x34\x30\
\x36\x35\x39\x33\x20\x38\x2e\x30\x32\x31\x38\x34\x33\x38\x32\x30\
\x39\x33\x20\x31\x32\x2e\x30\x30\x34\x31\x31\x38\x35\x33\x38\x31\
\x20\x38\x2e\x30\x32\x38\x30\x38\x34\x38\x38\x39\x37\x36\x20\x31\
\x31\x2e\x39\x36\x32\x31\x34\x35\x30\x33\x32\x31\x20\x43\x20\x38\
\x2e\x30\x33\x34\x33\x32\x35\x39\x35\x38\x36\x20\x31\x31\x2e\x39\
\x32\x30\x31\x37\x31\x35\x32\x36\x32\x20\x38\x2e\x30\x34\x30\x35\
\x36\x37\x30\x32\x37\x34\x33\x20\x31\x31\x2e\x38\x37\x38\x32\x34\
\x36\x39\x33\x31\x32\x20\x38\x2e\x30\x34\x36\x38\x30\x38\x30\x39\
\x36\x32\x37\x20\x31\x31\x2e\x38\x33\x36\x34\x30\x33\x32\x35\x37\
\x36\x20\x43\x20\x38\x2e\x30\x35\x33\x30\x34\x39\x31\x36\x35\x31\
\x31\x20\x31\x31\x2e\x37\x39\x34\x35\x35\x39\x35\x38\x33\x39\x20\
\x38\x2e\x30\x35\x39\x32\x39\x30\x32\x33\x33\x39\x34\x20\x31\x31\
\x2e\x37\x35\x32\x37\x39\x37\x33\x32\x31\x36\x20\x38\x2e\x30\x36\
\x35\x35\x33\x31\x33\x30\x32\x37\x38\x20\x31\x31\x2e\x37\x31\x31\
\x31\x34\x38\x31\x36\x31\x37\x20\x43\x20\x38\x2e\x30\x37\x31\x37\
\x37\x32\x33\x37\x31\x36\x31\x20\x31\x31\x2e\x36\x36\x39\x34\x39\
\x39\x30\x30\x31\x39\x20\x38\x2e\x30\x37\x38\x30\x31\x33\x34\x34\
\x30\x34\x35\x20\x31\x31\x2e\x36\x32\x37\x39\x36\x33\x36\x32\x37\
\x39\x20\x38\x2e\x30\x38\x34\x32\x35\x34\x35\x30\x39\x32\x39\x20\
\x31\x31\x2e\x35\x38\x36\x35\x37\x33\x33\x36\x32\x36\x20\x43\x20\
\x38\x2e\x30\x39\x30\x34\x39\x35\x35\x37\x38\x31\x32\x20\x31\x31\
\x2e\x35\x34\x35\x31\x38\x33\x30\x39\x37\x34\x20\x38\x2e\x30\x39\
\x36\x37\x33\x36\x36\x34\x36\x39\x36\x20\x31\x31\x2e\x35\x30\x33\
\x39\x33\x38\x38\x31\x36\x37\x20\x38\x2e\x31\x30\x32\x39\x37\x37\
\x37\x31\x35\x37\x39\x20\x31\x31\x2e\x34\x36\x32\x38\x37\x31\x34\
\x32\x36\x37\x20\x43\x20\x38\x2e\x31\x30\x39\x32\x31\x38\x37\x38\
\x34\x36\x33\x20\x31\x31\x2e\x34\x32\x31\x38\x30\x34\x30\x33\x36\
\x36\x20\x38\x2e\x31\x31\x35\x34\x35\x39\x38\x35\x33\x34\x37\x20\
\x31\x31\x2e\x33\x38\x30\x39\x31\x34\x36\x30\x34\x32\x20\x38\x2e\
\x31\x32\x31\x37\x30\x30\x39\x32\x32\x33\x20\x31\x31\x2e\x33\x34\
\x30\x32\x33\x33\x35\x37\x30\x39\x20\x43\x20\x38\x2e\x31\x32\x37\
\x39\x34\x31\x39\x39\x31\x31\x34\x20\x31\x31\x2e\x32\x39\x39\x35\
\x35\x32\x35\x33\x37\x35\x20\x38\x2e\x31\x33\x34\x31\x38\x33\x30\
\x35\x39\x39\x38\x20\x31\x31\x2e\x32\x35\x39\x30\x38\x31\x31\x35\
\x39\x39\x20\x38\x2e\x31\x34\x30\x34\x32\x34\x31\x32\x38\x38\x31\
\x20\x31\x31\x2e\x32\x31\x38\x38\x34\x39\x33\x36\x37\x35\x20\x43\
\x20\x38\x2e\x31\x34\x36\x36\x36\x35\x31\x39\x37\x36\x35\x20\x31\
\x31\x2e\x31\x37\x38\x36\x31\x37\x35\x37\x35\x32\x20\x38\x2e\x31\
\x35\x32\x39\x30\x36\x32\x36\x36\x34\x38\x20\x31\x31\x2e\x31\x33\
\x38\x36\x32\x36\x38\x31\x32\x35\x20\x38\x2e\x31\x35\x39\x31\x34\
\x37\x33\x33\x35\x33\x32\x20\x31\x31\x2e\x30\x39\x38\x39\x30\x36\
\x34\x35\x31\x20\x43\x20\x38\x2e\x31\x36\x35\x33\x38\x38\x34\x30\
\x34\x31\x36\x20\x31\x31\x2e\x30\x35\x39\x31\x38\x36\x30\x38\x39\
\x36\x20\x38\x2e\x31\x37\x31\x36\x32\x39\x34\x37\x32\x39\x39\x20\
\x31\x31\x2e\x30\x31\x39\x37\x33\x37\x37\x35\x39\x20\x38\x2e\x31\
\x37\x37\x38\x37\x30\x35\x34\x31\x38\x33\x20\x31\x30\x2e\x39\x38\
\x30\x35\x39\x30\x32\x32\x37\x38\x20\x43\x20\x38\x2e\x31\x38\x34\
\x31\x31\x31\x36\x31\x30\x36\x36\x20\x31\x30\x2e\x39\x34\x31\x34\
\x34\x32\x36\x39\x36\x36\x20\x38\x2e\x31\x39\x30\x33\x35\x32\x36\
\x37\x39\x35\x20\x31\x30\x2e\x39\x30\x32\x35\x39\x37\x37\x37\x37\
\x20\x38\x2e\x31\x39\x36\x35\x39\x33\x37\x34\x38\x33\x34\x20\x31\
\x30\x2e\x38\x36\x34\x30\x38\x33\x35\x38\x39\x38\x20\x43\x20\x38\
\x2e\x32\x30\x32\x38\x33\x34\x38\x31\x37\x31\x37\x20\x31\x30\x2e\
\x38\x32\x35\x35\x36\x39\x34\x30\x32\x36\x20\x38\x2e\x32\x30\x39\
\x30\x37\x35\x38\x38\x36\x30\x31\x20\x31\x30\x2e\x37\x38\x37\x33\
\x38\x37\x39\x34\x30\x31\x20\x38\x2e\x32\x31\x35\x33\x31\x36\x39\
\x35\x34\x38\x34\x20\x31\x30\x2e\x37\x34\x39\x35\x36\x36\x36\x33\
\x31\x37\x20\x43\x20\x38\x2e\x32\x32\x31\x35\x35\x38\x30\x32\x33\
\x36\x38\x20\x31\x30\x2e\x37\x31\x31\x37\x34\x35\x33\x32\x33\x33\
\x20\x38\x2e\x32\x32\x37\x37\x39\x39\x30\x39\x32\x35\x32\x20\x31\
\x30\x2e\x36\x37\x34\x32\x38\x36\x33\x33\x38\x33\x20\x38\x2e\x32\
\x33\x34\x30\x34\x30\x31\x36\x31\x33\x35\x20\x31\x30\x2e\x36\x33\
\x37\x32\x31\x36\x33\x37\x32\x35\x20\x43\x20\x38\x2e\x32\x34\x30\
\x32\x38\x31\x32\x33\x30\x31\x39\x20\x31\x30\x2e\x36\x30\x30\x31\
\x34\x36\x34\x30\x36\x37\x20\x38\x2e\x32\x34\x36\x35\x32\x32\x32\
\x39\x39\x30\x32\x20\x31\x30\x2e\x35\x36\x33\x34\x36\x37\x38\x30\
\x33\x20\x38\x2e\x32\x35\x32\x37\x36\x33\x33\x36\x37\x38\x36\x20\
\x31\x30\x2e\x35\x32\x37\x32\x30\x36\x34\x38\x32\x31\x20\x43\x20\
\x38\x2e\x32\x35\x39\x30\x30\x34\x34\x33\x36\x37\x20\x31\x30\x2e\
\x34\x39\x30\x39\x34\x35\x31\x36\x31\x32\x20\x38\x2e\x32\x36\x35\
\x32\x34\x35\x35\x30\x35\x35\x33\x20\x31\x30\x2e\x34\x35\x35\x31\
\x30\x33\x36\x33\x36\x31\x20\x38\x2e\x32\x37\x31\x34\x38\x36\x35\
\x37\x34\x33\x37\x20\x31\x30\x2e\x34\x31\x39\x37\x30\x37\x30\x31\
\x32\x36\x20\x43\x20\x38\x2e\x32\x37\x37\x37\x32\x37\x36\x34\x33\
\x32\x20\x31\x30\x2e\x33\x38\x34\x33\x31\x30\x33\x38\x39\x20\x38\
\x2e\x32\x38\x33\x39\x36\x38\x37\x31\x32\x30\x34\x20\x31\x30\x2e\
\x33\x34\x39\x33\x36\x31\x33\x34\x36\x20\x38\x2e\x32\x39\x30\x32\
\x30\x39\x37\x38\x30\x38\x38\x20\x31\x30\x2e\x33\x31\x34\x38\x38\
\x34\x31\x33\x35\x34\x20\x43\x20\x38\x2e\x32\x39\x36\x34\x35\x30\
\x38\x34\x39\x37\x31\x20\x31\x30\x2e\x32\x38\x30\x34\x30\x36\x39\
\x32\x34\x38\x20\x38\x2e\x33\x30\x32\x36\x39\x31\x39\x31\x38\x35\
\x35\x20\x31\x30\x2e\x32\x34\x36\x34\x30\x34\x33\x38\x37\x37\x20\
\x38\x2e\x33\x30\x38\x39\x33\x32\x39\x38\x37\x33\x38\x20\x31\x30\
\x2e\x32\x31\x32\x38\x39\x39\x38\x38\x34\x36\x20\x43\x20\x38\x2e\
\x33\x31\x35\x31\x37\x34\x30\x35\x36\x32\x32\x20\x31\x30\x2e\x31\
\x37\x39\x33\x39\x35\x33\x38\x31\x36\x20\x38\x2e\x33\x32\x31\x34\
\x31\x35\x31\x32\x35\x30\x36\x20\x31\x30\x2e\x31\x34\x36\x33\x39\
\x31\x39\x31\x31\x31\x20\x38\x2e\x33\x32\x37\x36\x35\x36\x31\x39\
\x33\x38\x39\x20\x31\x30\x2e\x31\x31\x33\x39\x31\x31\x39\x30\x36\
\x34\x20\x43\x20\x38\x2e\x33\x33\x33\x38\x39\x37\x32\x36\x32\x37\
\x33\x20\x31\x30\x2e\x30\x38\x31\x34\x33\x31\x39\x30\x31\x37\x20\
\x38\x2e\x33\x34\x30\x31\x33\x38\x33\x33\x31\x35\x36\x20\x31\x30\
\x2e\x30\x34\x39\x34\x37\x38\x35\x31\x34\x33\x20\x38\x2e\x33\x34\
\x36\x33\x37\x39\x34\x30\x30\x34\x20\x31\x30\x2e\x30\x31\x38\x30\
\x37\x33\x32\x31\x35\x33\x20\x43\x20\x38\x2e\x33\x35\x32\x36\x32\
\x30\x34\x36\x39\x32\x34\x20\x39\x2e\x39\x38\x36\x36\x36\x37\x39\
\x31\x36\x32\x36\x20\x38\x2e\x33\x35\x38\x38\x36\x31\x35\x33\x38\
\x30\x37\x20\x39\x2e\x39\x35\x35\x38\x31\x34\x30\x30\x35\x30\x39\
\x20\x38\x2e\x33\x36\x35\x31\x30\x32\x36\x30\x36\x39\x31\x20\x39\
\x2e\x39\x32\x35\x35\x33\x31\x39\x35\x37\x36\x37\x20\x43\x20\x38\
\x2e\x33\x37\x31\x33\x34\x33\x36\x37\x35\x37\x34\x20\x39\x2e\x38\
\x39\x35\x32\x34\x39\x39\x31\x30\x32\x35\x20\x38\x2e\x33\x37\x37\
\x35\x38\x34\x37\x34\x34\x35\x38\x20\x39\x2e\x38\x36\x35\x35\x34\
\x33\x31\x36\x38\x39\x37\x20\x38\x2e\x33\x38\x33\x38\x32\x35\x38\
\x31\x33\x34\x32\x20\x39\x2e\x38\x33\x36\x34\x33\x31\x31\x38\x32\
\x38\x31\x20\x43\x20\x38\x2e\x33\x39\x30\x30\x36\x36\x38\x38\x32\
\x32\x35\x20\x39\x2e\x38\x30\x37\x33\x31\x39\x31\x39\x36\x36\x35\
\x20\x38\x2e\x33\x39\x36\x33\x30\x37\x39\x35\x31\x30\x39\x20\x39\
\x2e\x37\x37\x38\x38\x30\x35\x35\x34\x35\x36\x32\x20\x38\x2e\x34\
\x30\x32\x35\x34\x39\x30\x31\x39\x39\x32\x20\x39\x2e\x37\x35\x30\
\x39\x30\x38\x36\x32\x31\x37\x31\x20\x43\x20\x38\x2e\x34\x30\x38\
\x37\x39\x30\x30\x38\x38\x37\x36\x20\x39\x2e\x37\x32\x33\x30\x31\
\x31\x36\x39\x37\x38\x20\x38\x2e\x34\x31\x35\x30\x33\x31\x31\x35\
\x37\x36\x20\x39\x2e\x36\x39\x35\x37\x33\x35\x32\x31\x33\x31\x32\
\x20\x38\x2e\x34\x32\x31\x32\x37\x32\x32\x32\x36\x34\x33\x20\x39\
\x2e\x36\x36\x39\x30\x39\x36\x34\x37\x34\x32\x32\x20\x43\x20\x38\
\x2e\x34\x32\x37\x35\x31\x33\x32\x39\x35\x32\x37\x20\x39\x2e\x36\
\x34\x32\x34\x35\x37\x37\x33\x35\x33\x32\x20\x38\x2e\x34\x33\x33\
\x37\x35\x34\x33\x36\x34\x31\x31\x20\x39\x2e\x36\x31\x36\x34\x36\
\x30\x35\x38\x30\x36\x38\x20\x38\x2e\x34\x33\x39\x39\x39\x35\x34\
\x33\x32\x39\x34\x20\x39\x2e\x35\x39\x31\x31\x32\x31\x32\x30\x34\
\x36\x36\x20\x43\x20\x38\x2e\x34\x34\x36\x32\x33\x36\x35\x30\x31\
\x37\x38\x20\x39\x2e\x35\x36\x35\x37\x38\x31\x38\x32\x38\x36\x35\
\x20\x38\x2e\x34\x35\x32\x34\x37\x37\x35\x37\x30\x36\x31\x20\x39\
\x2e\x35\x34\x31\x31\x30\x34\x31\x39\x30\x31\x35\x20\x38\x2e\x34\
\x35\x38\x37\x31\x38\x36\x33\x39\x34\x35\x20\x39\x2e\x35\x31\x37\
\x31\x30\x33\x33\x34\x36\x33\x35\x20\x43\x20\x38\x2e\x34\x36\x34\
\x39\x35\x39\x37\x30\x38\x32\x39\x20\x39\x2e\x34\x39\x33\x31\x30\
\x32\x35\x30\x32\x35\x36\x20\x38\x2e\x34\x37\x31\x32\x30\x30\x37\
\x37\x37\x31\x32\x20\x39\x2e\x34\x36\x39\x37\x38\x32\x35\x32\x36\
\x36\x33\x20\x38\x2e\x34\x37\x37\x34\x34\x31\x38\x34\x35\x39\x36\
\x20\x39\x2e\x34\x34\x37\x31\x35\x37\x33\x31\x35\x32\x39\x20\x43\
\x20\x38\x2e\x34\x38\x33\x36\x38\x32\x39\x31\x34\x37\x39\x20\x39\
\x2e\x34\x32\x34\x35\x33\x32\x31\x30\x33\x39\x35\x20\x38\x2e\x34\
\x38\x39\x39\x32\x33\x39\x38\x33\x36\x33\x20\x39\x2e\x34\x30\x32\
\x36\x30\x35\x38\x33\x38\x33\x37\x20\x38\x2e\x34\x39\x36\x31\x36\
\x35\x30\x35\x32\x34\x37\x20\x39\x2e\x33\x38\x31\x33\x39\x31\x32\
\x33\x33\x32\x39\x20\x43\x20\x38\x2e\x35\x30\x32\x34\x30\x36\x31\
\x32\x31\x33\x20\x39\x2e\x33\x36\x30\x31\x37\x36\x36\x32\x38\x32\
\x31\x20\x38\x2e\x35\x30\x38\x36\x34\x37\x31\x39\x30\x31\x34\x20\
\x39\x2e\x33\x33\x39\x36\x37\x37\x39\x36\x36\x33\x35\x20\x38\x2e\
\x35\x31\x34\x38\x38\x38\x32\x35\x38\x39\x37\x20\x39\x2e\x33\x31\
\x39\x39\x30\x36\x37\x36\x30\x38\x34\x20\x43\x20\x38\x2e\x35\x32\
\x31\x31\x32\x39\x33\x32\x37\x38\x31\x20\x39\x2e\x33\x30\x30\x31\
\x33\x35\x35\x35\x35\x33\x33\x20\x38\x2e\x35\x32\x37\x33\x37\x30\
\x33\x39\x36\x36\x35\x20\x39\x2e\x32\x38\x31\x30\x39\x36\x31\x38\
\x33\x37\x39\x20\x38\x2e\x35\x33\x33\x36\x31\x31\x34\x36\x35\x34\
\x38\x20\x39\x2e\x32\x36\x32\x37\x39\x38\x39\x33\x39\x39\x36\x20\
\x43\x20\x38\x2e\x35\x33\x39\x38\x35\x32\x35\x33\x34\x33\x32\x20\
\x39\x2e\x32\x34\x34\x35\x30\x31\x36\x39\x36\x31\x33\x20\x38\x2e\
\x35\x34\x36\x30\x39\x33\x36\x30\x33\x31\x35\x20\x39\x2e\x32\x32\
\x36\x39\x35\x31\x30\x34\x35\x37\x38\x20\x38\x2e\x35\x35\x32\x33\
\x33\x34\x36\x37\x31\x39\x39\x20\x39\x2e\x32\x31\x30\x31\x35\x36\
\x30\x34\x37\x33\x31\x20\x43\x20\x38\x2e\x35\x35\x38\x35\x37\x35\
\x37\x34\x30\x38\x33\x20\x39\x2e\x31\x39\x33\x33\x36\x31\x30\x34\
\x38\x38\x34\x20\x38\x2e\x35\x36\x34\x38\x31\x36\x38\x30\x39\x36\
\x36\x20\x39\x2e\x31\x37\x37\x33\x32\x36\x32\x34\x39\x32\x37\x20\
\x38\x2e\x35\x37\x31\x30\x35\x37\x38\x37\x38\x35\x20\x39\x2e\x31\
\x36\x32\x30\x35\x39\x34\x35\x37\x36\x39\x20\x43\x20\x38\x2e\x35\
\x37\x37\x32\x39\x38\x39\x34\x37\x33\x33\x20\x39\x2e\x31\x34\x36\
\x37\x39\x32\x36\x36\x36\x31\x20\x38\x2e\x35\x38\x33\x35\x34\x30\
\x30\x31\x36\x31\x37\x20\x39\x2e\x31\x33\x32\x32\x39\x38\x35\x30\
\x33\x37\x34\x20\x38\x2e\x35\x38\x39\x37\x38\x31\x30\x38\x35\x30\
\x31\x20\x39\x2e\x31\x31\x38\x35\x38\x33\x35\x31\x38\x32\x38\x20\
\x43\x20\x38\x2e\x35\x39\x36\x30\x32\x32\x31\x35\x33\x38\x34\x20\
\x39\x2e\x31\x30\x34\x38\x36\x38\x35\x33\x32\x38\x32\x20\x38\x2e\
\x36\x30\x32\x32\x36\x33\x32\x32\x32\x36\x38\x20\x39\x2e\x30\x39\
\x31\x39\x33\x37\x34\x31\x32\x35\x38\x20\x38\x2e\x36\x30\x38\x35\
\x30\x34\x32\x39\x31\x35\x31\x20\x39\x2e\x30\x37\x39\x37\x39\x35\
\x34\x33\x33\x37\x31\x20\x43\x20\x38\x2e\x36\x31\x34\x37\x34\x35\
\x33\x36\x30\x33\x35\x20\x39\x2e\x30\x36\x37\x36\x35\x33\x34\x35\
\x34\x38\x35\x20\x38\x2e\x36\x32\x30\x39\x38\x36\x34\x32\x39\x31\
\x39\x20\x39\x2e\x30\x35\x36\x33\x30\x35\x33\x36\x35\x35\x32\x20\
\x38\x2e\x36\x32\x37\x32\x32\x37\x34\x39\x38\x30\x32\x20\x39\x2e\
\x30\x34\x35\x37\x35\x35\x31\x36\x32\x31\x39\x20\x43\x20\x38\x2e\
\x36\x33\x33\x34\x36\x38\x35\x36\x36\x38\x36\x20\x39\x2e\x30\x33\
\x35\x32\x30\x34\x39\x35\x38\x38\x37\x20\x38\x2e\x36\x33\x39\x37\
\x30\x39\x36\x33\x35\x36\x39\x20\x39\x2e\x30\x32\x35\x34\x35\x37\
\x34\x34\x32\x32\x20\x38\x2e\x36\x34\x35\x39\x35\x30\x37\x30\x34\
\x35\x33\x20\x39\x2e\x30\x31\x36\x35\x31\x35\x33\x32\x32\x38\x20\
\x43\x20\x38\x2e\x36\x35\x32\x31\x39\x31\x37\x37\x33\x33\x37\x20\
\x39\x2e\x30\x30\x37\x35\x37\x33\x32\x30\x33\x34\x20\x38\x2e\x36\
\x35\x38\x34\x33\x32\x38\x34\x32\x32\x20\x38\x2e\x39\x39\x39\x34\
\x34\x31\x33\x32\x36\x39\x39\x20\x38\x2e\x36\x36\x34\x36\x37\x33\
\x39\x31\x31\x30\x34\x20\x38\x2e\x39\x39\x32\x31\x32\x31\x31\x31\
\x34\x31\x35\x20\x43\x20\x38\x2e\x36\x37\x30\x39\x31\x34\x39\x37\
\x39\x38\x37\x20\x38\x2e\x39\x38\x34\x38\x30\x30\x39\x30\x31\x33\
\x31\x20\x38\x2e\x36\x37\x37\x31\x35\x36\x30\x34\x38\x37\x31\x20\
\x38\x2e\x39\x37\x38\x32\x39\x37\x32\x33\x35\x33\x33\x20\x38\x2e\
\x36\x38\x33\x33\x39\x37\x31\x31\x37\x35\x35\x20\x38\x2e\x39\x37\
\x32\x36\x31\x30\x32\x34\x34\x35\x35\x20\x43\x20\x38\x2e\x36\x38\
\x39\x36\x33\x38\x31\x38\x36\x33\x38\x20\x38\x2e\x39\x36\x36\x39\
\x32\x33\x32\x35\x33\x37\x38\x20\x38\x2e\x36\x39\x35\x38\x37\x39\
\x32\x35\x35\x32\x32\x20\x38\x2e\x39\x36\x32\x30\x35\x37\x38\x35\
\x31\x35\x32\x20\x38\x2e\x37\x30\x32\x31\x32\x30\x33\x32\x34\x30\
\x36\x20\x38\x2e\x39\x35\x38\x30\x31\x32\x38\x37\x33\x36\x39\x20\
\x43\x20\x38\x2e\x37\x30\x38\x33\x36\x31\x33\x39\x32\x38\x39\x20\
\x38\x2e\x39\x35\x33\x39\x36\x37\x38\x39\x35\x38\x37\x20\x38\x2e\
\x37\x31\x34\x36\x30\x32\x34\x36\x31\x37\x33\x20\x38\x2e\x39\x35\
\x30\x37\x34\x38\x32\x37\x38\x32\x32\x20\x38\x2e\x37\x32\x30\x38\
\x34\x33\x35\x33\x30\x35\x36\x20\x38\x2e\x39\x34\x38\x33\x35\x31\
\x35\x36\x36\x30\x33\x20\x43\x20\x38\x2e\x37\x32\x37\x30\x38\x34\
\x35\x39\x39\x34\x20\x38\x2e\x39\x34\x35\x39\x35\x34\x38\x35\x33\
\x38\x34\x20\x38\x2e\x37\x33\x33\x33\x32\x35\x36\x36\x38\x32\x34\
\x20\x38\x2e\x39\x34\x34\x33\x38\x35\x39\x39\x37\x36\x35\x20\x38\
\x2e\x37\x33\x39\x35\x36\x36\x37\x33\x37\x30\x37\x20\x38\x2e\x39\
\x34\x33\x36\x34\x31\x32\x35\x35\x39\x20\x43\x20\x38\x2e\x37\x34\
\x35\x38\x30\x37\x38\x30\x35\x39\x31\x20\x38\x2e\x39\x34\x32\x38\
\x39\x36\x35\x31\x34\x31\x35\x20\x38\x2e\x37\x35\x32\x30\x34\x38\
\x38\x37\x34\x37\x34\x20\x38\x2e\x39\x34\x32\x39\x38\x30\x38\x34\
\x34\x35\x35\x20\x38\x2e\x37\x35\x38\x32\x38\x39\x39\x34\x33\x35\
\x38\x20\x38\x2e\x39\x34\x33\x38\x38\x39\x32\x32\x34\x34\x36\x20\
\x43\x20\x38\x2e\x37\x36\x34\x35\x33\x31\x30\x31\x32\x34\x32\x20\
\x38\x2e\x39\x34\x34\x37\x39\x37\x36\x30\x34\x33\x37\x20\x38\x2e\
\x37\x37\x30\x37\x37\x32\x30\x38\x31\x32\x35\x20\x38\x2e\x39\x34\
\x36\x35\x33\x34\x39\x39\x30\x39\x39\x20\x38\x2e\x37\x37\x37\x30\
\x31\x33\x31\x35\x30\x30\x39\x20\x38\x2e\x39\x34\x39\x30\x39\x35\
\x30\x38\x38\x34\x20\x43\x20\x38\x2e\x37\x38\x33\x32\x35\x34\x32\
\x31\x38\x39\x32\x20\x38\x2e\x39\x35\x31\x36\x35\x35\x31\x38\x35\
\x38\x20\x38\x2e\x37\x38\x39\x34\x39\x35\x32\x38\x37\x37\x36\x20\
\x38\x2e\x39\x35\x35\x30\x34\x32\x39\x34\x33\x30\x31\x20\x38\x2e\
\x37\x39\x35\x37\x33\x36\x33\x35\x36\x36\x20\x38\x2e\x39\x35\x39\
\x32\x35\x30\x38\x30\x30\x35\x34\x20\x43\x20\x38\x2e\x38\x30\x31\
\x39\x37\x37\x34\x32\x35\x34\x33\x20\x38\x2e\x39\x36\x33\x34\x35\
\x38\x36\x35\x38\x30\x37\x20\x38\x2e\x38\x30\x38\x32\x31\x38\x34\
\x39\x34\x32\x37\x20\x38\x2e\x39\x36\x38\x34\x39\x31\x35\x34\x39\
\x31\x32\x20\x38\x2e\x38\x31\x34\x34\x35\x39\x35\x36\x33\x31\x20\
\x38\x2e\x39\x37\x34\x33\x34\x30\x36\x36\x32\x33\x31\x20\x43\x20\
\x38\x2e\x38\x32\x30\x37\x30\x30\x36\x33\x31\x39\x34\x20\x38\x2e\
\x39\x38\x30\x31\x38\x39\x37\x37\x35\x35\x31\x20\x38\x2e\x38\x32\
\x36\x39\x34\x31\x37\x30\x30\x37\x38\x20\x38\x2e\x39\x38\x36\x38\
\x36\x30\x30\x32\x30\x35\x39\x20\x38\x2e\x38\x33\x33\x31\x38\x32\
\x37\x36\x39\x36\x31\x20\x38\x2e\x39\x39\x34\x33\x34\x31\x33\x34\
\x37\x39\x36\x20\x43\x20\x38\x2e\x38\x33\x39\x34\x32\x33\x38\x33\
\x38\x34\x35\x20\x39\x2e\x30\x30\x31\x38\x32\x32\x36\x37\x35\x33\
\x32\x20\x38\x2e\x38\x34\x35\x36\x36\x34\x39\x30\x37\x32\x38\x20\
\x39\x2e\x30\x31\x30\x31\x31\x39\x39\x36\x33\x36\x36\x20\x38\x2e\
\x38\x35\x31\x39\x30\x35\x39\x37\x36\x31\x32\x20\x39\x2e\x30\x31\
\x39\x32\x32\x31\x39\x34\x30\x36\x34\x20\x43\x20\x38\x2e\x38\x35\
\x38\x31\x34\x37\x30\x34\x34\x39\x36\x20\x39\x2e\x30\x32\x38\x33\
\x32\x33\x39\x31\x37\x36\x32\x20\x38\x2e\x38\x36\x34\x33\x38\x38\
\x31\x31\x33\x37\x39\x20\x39\x2e\x30\x33\x38\x32\x33\x35\x34\x32\
\x33\x33\x35\x20\x38\x2e\x38\x37\x30\x36\x32\x39\x31\x38\x32\x36\
\x33\x20\x39\x2e\x30\x34\x38\x39\x34\x33\x39\x38\x30\x32\x31\x20\
\x43\x20\x38\x2e\x38\x37\x36\x38\x37\x30\x32\x35\x31\x34\x36\x20\
\x39\x2e\x30\x35\x39\x36\x35\x32\x35\x33\x37\x30\x36\x20\x38\x2e\
\x38\x38\x33\x31\x31\x31\x33\x32\x30\x33\x20\x39\x2e\x30\x37\x31\
\x31\x36\x32\x39\x33\x39\x31\x20\x38\x2e\x38\x38\x39\x33\x35\x32\
\x33\x38\x39\x31\x34\x20\x39\x2e\x30\x38\x33\x34\x36\x31\x35\x32\
\x32\x36\x36\x20\x43\x20\x38\x2e\x38\x39\x35\x35\x39\x33\x34\x35\
\x37\x39\x37\x20\x39\x2e\x30\x39\x35\x37\x36\x30\x31\x30\x36\x32\
\x33\x20\x38\x2e\x39\x30\x31\x38\x33\x34\x35\x32\x36\x38\x31\x20\
\x39\x2e\x31\x30\x38\x38\x35\x31\x36\x31\x31\x39\x20\x38\x2e\x39\
\x30\x38\x30\x37\x35\x35\x39\x35\x36\x34\x20\x39\x2e\x31\x32\x32\
\x37\x32\x31\x32\x31\x31\x31\x36\x20\x43\x20\x38\x2e\x39\x31\x34\
\x33\x31\x36\x36\x36\x34\x34\x38\x20\x39\x2e\x31\x33\x36\x35\x39\
\x30\x38\x31\x30\x34\x31\x20\x38\x2e\x39\x32\x30\x35\x35\x37\x37\
\x33\x33\x33\x32\x20\x39\x2e\x31\x35\x31\x32\x34\x33\x31\x38\x33\
\x30\x32\x20\x38\x2e\x39\x32\x36\x37\x39\x38\x38\x30\x32\x31\x35\
\x20\x39\x2e\x31\x36\x36\x36\x36\x32\x33\x35\x38\x35\x20\x43\x20\
\x38\x2e\x39\x33\x33\x30\x33\x39\x38\x37\x30\x39\x39\x20\x39\x2e\
\x31\x38\x32\x30\x38\x31\x35\x33\x33\x39\x37\x20\x38\x2e\x39\x33\
\x39\x32\x38\x30\x39\x33\x39\x38\x32\x20\x39\x2e\x31\x39\x38\x32\
\x37\x32\x31\x32\x34\x30\x34\x20\x38\x2e\x39\x34\x35\x35\x32\x32\
\x30\x30\x38\x36\x36\x20\x39\x2e\x32\x31\x35\x32\x31\x37\x30\x34\
\x30\x39\x34\x20\x43\x20\x38\x2e\x39\x35\x31\x37\x36\x33\x30\x37\
\x37\x35\x20\x39\x2e\x32\x33\x32\x31\x36\x31\x39\x35\x37\x38\x34\
\x20\x38\x2e\x39\x35\x38\x30\x30\x34\x31\x34\x36\x33\x33\x20\x39\
\x2e\x32\x34\x39\x38\x36\x35\x37\x33\x38\x31\x33\x20\x38\x2e\x39\
\x36\x34\x32\x34\x35\x32\x31\x35\x31\x37\x20\x39\x2e\x32\x36\x38\
\x33\x31\x30\x32\x30\x33\x31\x38\x20\x43\x20\x38\x2e\x39\x37\x30\
\x34\x38\x36\x32\x38\x34\x30\x31\x20\x39\x2e\x32\x38\x36\x37\x35\
\x34\x36\x36\x38\x32\x34\x20\x38\x2e\x39\x37\x36\x37\x32\x37\x33\
\x35\x32\x38\x34\x20\x39\x2e\x33\x30\x35\x39\x34\x34\x32\x37\x32\
\x34\x34\x20\x38\x2e\x39\x38\x32\x39\x36\x38\x34\x32\x31\x36\x38\
\x20\x39\x2e\x33\x32\x35\x38\x35\x39\x37\x37\x34\x34\x20\x43\x20\
\x38\x2e\x39\x38\x39\x32\x30\x39\x34\x39\x30\x35\x31\x20\x39\x2e\
\x33\x34\x35\x37\x37\x35\x32\x37\x36\x33\x36\x20\x38\x2e\x39\x39\
\x35\x34\x35\x30\x35\x35\x39\x33\x35\x20\x39\x2e\x33\x36\x36\x34\
\x32\x31\x30\x34\x31\x33\x39\x20\x39\x2e\x30\x30\x31\x36\x39\x31\
\x36\x32\x38\x31\x39\x20\x39\x2e\x33\x38\x37\x37\x37\x36\x37\x39\
\x35\x30\x39\x20\x43\x20\x39\x2e\x30\x30\x37\x39\x33\x32\x36\x39\
\x37\x30\x32\x20\x39\x2e\x34\x30\x39\x31\x33\x32\x35\x34\x38\x37\
\x38\x20\x39\x2e\x30\x31\x34\x31\x37\x33\x37\x36\x35\x38\x36\x20\
\x39\x2e\x34\x33\x31\x32\x30\x32\x35\x36\x30\x36\x35\x20\x39\x2e\
\x30\x32\x30\x34\x31\x34\x38\x33\x34\x36\x39\x20\x39\x2e\x34\x35\
\x33\x39\x36\x35\x35\x35\x34\x35\x39\x20\x43\x20\x39\x2e\x30\x32\
\x36\x36\x35\x35\x39\x30\x33\x35\x33\x20\x39\x2e\x34\x37\x36\x37\
\x32\x38\x35\x34\x38\x35\x34\x20\x39\x2e\x30\x33\x32\x38\x39\x36\
\x39\x37\x32\x33\x37\x20\x39\x2e\x35\x30\x30\x31\x38\x38\x36\x39\
\x31\x36\x36\x20\x39\x2e\x30\x33\x39\x31\x33\x38\x30\x34\x31\x32\
\x20\x39\x2e\x35\x32\x34\x33\x32\x33\x37\x33\x39\x30\x36\x20\x43\
\x20\x39\x2e\x30\x34\x35\x33\x37\x39\x31\x31\x30\x30\x34\x20\x39\
\x2e\x35\x34\x38\x34\x35\x38\x37\x38\x36\x34\x36\x20\x39\x2e\x30\
\x35\x31\x36\x32\x30\x31\x37\x38\x38\x37\x20\x39\x2e\x35\x37\x33\
\x32\x37\x32\x37\x39\x36\x34\x20\x39\x2e\x30\x35\x37\x38\x36\x31\
\x32\x34\x37\x37\x31\x20\x39\x2e\x35\x39\x38\x37\x34\x32\x35\x38\
\x39\x35\x37\x20\x43\x20\x39\x2e\x30\x36\x34\x31\x30\x32\x33\x31\
\x36\x35\x35\x20\x39\x2e\x36\x32\x34\x32\x31\x32\x33\x38\x32\x37\
\x33\x20\x39\x2e\x30\x37\x30\x33\x34\x33\x33\x38\x35\x33\x38\x20\
\x39\x2e\x36\x35\x30\x33\x34\x31\x39\x30\x32\x32\x36\x20\x39\x2e\
\x30\x37\x36\x35\x38\x34\x34\x35\x34\x32\x32\x20\x39\x2e\x36\x37\
\x37\x31\x30\x37\x30\x37\x30\x32\x37\x20\x43\x20\x39\x2e\x30\x38\
\x32\x38\x32\x35\x35\x32\x33\x30\x35\x20\x39\x2e\x37\x30\x33\x38\
\x37\x32\x32\x33\x38\x32\x38\x20\x39\x2e\x30\x38\x39\x30\x36\x36\
\x35\x39\x31\x38\x39\x20\x39\x2e\x37\x33\x31\x32\x37\x36\x38\x37\
\x36\x36\x37\x20\x39\x2e\x30\x39\x35\x33\x30\x37\x36\x36\x30\x37\
\x33\x20\x39\x2e\x37\x35\x39\x32\x39\x36\x30\x34\x36\x32\x31\x20\
\x43\x20\x39\x2e\x31\x30\x31\x35\x34\x38\x37\x32\x39\x35\x36\x20\
\x39\x2e\x37\x38\x37\x33\x31\x35\x32\x31\x35\x37\x35\x20\x39\x2e\
\x31\x30\x37\x37\x38\x39\x37\x39\x38\x34\x20\x39\x2e\x38\x31\x35\
\x39\x35\x32\x36\x31\x31\x32\x32\x20\x39\x2e\x31\x31\x34\x30\x33\
\x30\x38\x36\x37\x32\x33\x20\x39\x2e\x38\x34\x35\x31\x38\x32\x34\
\x37\x30\x35\x37\x20\x43\x20\x39\x2e\x31\x32\x30\x32\x37\x31\x39\
\x33\x36\x30\x37\x20\x39\x2e\x38\x37\x34\x34\x31\x32\x33\x32\x39\
\x39\x32\x20\x39\x2e\x31\x32\x36\x35\x31\x33\x30\x30\x34\x39\x31\
\x20\x39\x2e\x39\x30\x34\x32\x33\x38\x32\x31\x35\x30\x39\x20\x39\
\x2e\x31\x33\x32\x37\x35\x34\x30\x37\x33\x37\x34\x20\x39\x2e\x39\
\x33\x34\x36\x33\x33\x35\x38\x31\x30\x35\x20\x43\x20\x39\x2e\x31\
\x33\x38\x39\x39\x35\x31\x34\x32\x35\x38\x20\x39\x2e\x39\x36\x35\
\x30\x32\x38\x39\x34\x37\x30\x31\x20\x39\x2e\x31\x34\x35\x32\x33\
\x36\x32\x31\x31\x34\x31\x20\x39\x2e\x39\x39\x35\x39\x39\x37\x32\
\x31\x37\x33\x36\x20\x39\x2e\x31\x35\x31\x34\x37\x37\x32\x38\x30\
\x32\x35\x20\x31\x30\x2e\x30\x32\x37\x35\x31\x31\x31\x30\x35\x31\
\x20\x43\x20\x39\x2e\x31\x35\x37\x37\x31\x38\x33\x34\x39\x30\x39\
\x20\x31\x30\x2e\x30\x35\x39\x30\x32\x34\x39\x39\x32\x39\x20\x39\
\x2e\x31\x36\x33\x39\x35\x39\x34\x31\x37\x39\x32\x20\x31\x30\x2e\
\x30\x39\x31\x30\x38\x37\x37\x37\x38\x20\x39\x2e\x31\x37\x30\x32\
\x30\x30\x34\x38\x36\x37\x36\x20\x31\x30\x2e\x31\x32\x33\x36\x37\
\x31\x34\x37\x33\x37\x20\x43\x20\x39\x2e\x31\x37\x36\x34\x34\x31\
\x35\x35\x35\x35\x39\x20\x31\x30\x2e\x31\x35\x36\x32\x35\x35\x31\
\x36\x39\x34\x20\x39\x2e\x31\x38\x32\x36\x38\x32\x36\x32\x34\x34\
\x33\x20\x31\x30\x2e\x31\x38\x39\x33\x36\x32\x39\x30\x36\x39\x20\
\x39\x2e\x31\x38\x38\x39\x32\x33\x36\x39\x33\x32\x37\x20\x31\x30\
\x2e\x32\x32\x32\x39\x36\x36\x30\x34\x33\x31\x20\x43\x20\x39\x2e\
\x31\x39\x35\x31\x36\x34\x37\x36\x32\x31\x20\x31\x30\x2e\x32\x35\
\x36\x35\x36\x39\x31\x37\x39\x32\x20\x39\x2e\x32\x30\x31\x34\x30\
\x35\x38\x33\x30\x39\x34\x20\x31\x30\x2e\x32\x39\x30\x36\x37\x30\
\x36\x39\x31\x37\x20\x39\x2e\x32\x30\x37\x36\x34\x36\x38\x39\x39\
\x37\x37\x20\x31\x30\x2e\x33\x32\x35\x32\x34\x31\x33\x32\x34\x39\
\x20\x43\x20\x39\x2e\x32\x31\x33\x38\x38\x37\x39\x36\x38\x36\x31\
\x20\x31\x30\x2e\x33\x35\x39\x38\x31\x31\x39\x35\x38\x31\x20\x39\
\x2e\x32\x32\x30\x31\x32\x39\x30\x33\x37\x34\x35\x20\x31\x30\x2e\
\x33\x39\x34\x38\x35\x34\x35\x33\x31\x37\x20\x39\x2e\x32\x32\x36\
\x33\x37\x30\x31\x30\x36\x32\x38\x20\x31\x30\x2e\x34\x33\x30\x33\
\x33\x39\x32\x32\x33\x31\x20\x43\x20\x39\x2e\x32\x33\x32\x36\x31\
\x31\x31\x37\x35\x31\x32\x20\x31\x30\x2e\x34\x36\x35\x38\x32\x33\
\x39\x31\x34\x35\x20\x39\x2e\x32\x33\x38\x38\x35\x32\x32\x34\x33\
\x39\x35\x20\x31\x30\x2e\x35\x30\x31\x37\x35\x33\x33\x38\x30\x38\
\x20\x39\x2e\x32\x34\x35\x30\x39\x33\x33\x31\x32\x37\x39\x20\x31\
\x30\x2e\x35\x33\x38\x30\x39\x37\x32\x37\x38\x35\x20\x43\x20\x39\
\x2e\x32\x35\x31\x33\x33\x34\x33\x38\x31\x36\x33\x20\x31\x30\x2e\
\x35\x37\x34\x34\x34\x31\x31\x37\x36\x32\x20\x39\x2e\x32\x35\x37\
\x35\x37\x35\x34\x35\x30\x34\x36\x20\x31\x30\x2e\x36\x31\x31\x32\
\x30\x31\x39\x39\x35\x39\x20\x39\x2e\x32\x36\x33\x38\x31\x36\x35\
\x31\x39\x33\x20\x31\x30\x2e\x36\x34\x38\x33\x34\x38\x39\x31\x39\
\x39\x20\x43\x20\x39\x2e\x32\x37\x30\x30\x35\x37\x35\x38\x38\x31\
\x34\x20\x31\x30\x2e\x36\x38\x35\x34\x39\x35\x38\x34\x34\x20\x39\
\x2e\x32\x37\x36\x32\x39\x38\x36\x35\x36\x39\x37\x20\x31\x30\x2e\
\x37\x32\x33\x30\x33\x31\x31\x39\x32\x34\x20\x39\x2e\x32\x38\x32\
\x35\x33\x39\x37\x32\x35\x38\x31\x20\x31\x30\x2e\x37\x36\x30\x39\
\x32\x33\x37\x32\x31\x35\x20\x43\x20\x39\x2e\x32\x38\x38\x37\x38\
\x30\x37\x39\x34\x36\x34\x20\x31\x30\x2e\x37\x39\x38\x38\x31\x36\
\x32\x35\x30\x35\x20\x39\x2e\x32\x39\x35\x30\x32\x31\x38\x36\x33\
\x34\x38\x20\x31\x30\x2e\x38\x33\x37\x30\x36\x38\x31\x30\x36\x31\
\x20\x39\x2e\x33\x30\x31\x32\x36\x32\x39\x33\x32\x33\x32\x20\x31\
\x30\x2e\x38\x37\x35\x36\x34\x37\x36\x36\x36\x34\x20\x43\x20\x39\
\x2e\x33\x30\x37\x35\x30\x34\x30\x30\x31\x31\x35\x20\x31\x30\x2e\
\x39\x31\x34\x32\x32\x37\x32\x32\x36\x36\x20\x39\x2e\x33\x31\x33\
\x37\x34\x35\x30\x36\x39\x39\x39\x20\x31\x30\x2e\x39\x35\x33\x31\
\x33\x36\x34\x36\x20\x39\x2e\x33\x31\x39\x39\x38\x36\x31\x33\x38\
\x38\x32\x20\x31\x30\x2e\x39\x39\x32\x33\x34\x33\x34\x31\x35\x35\
\x20\x43\x20\x39\x2e\x33\x32\x36\x32\x32\x37\x32\x30\x37\x36\x36\
\x20\x31\x31\x2e\x30\x33\x31\x35\x35\x30\x33\x37\x31\x20\x39\x2e\
\x33\x33\x32\x34\x36\x38\x32\x37\x36\x35\x20\x31\x31\x2e\x30\x37\
\x31\x30\x35\x36\x38\x33\x36\x38\x20\x39\x2e\x33\x33\x38\x37\x30\
\x39\x33\x34\x35\x33\x33\x20\x31\x31\x2e\x31\x31\x30\x38\x33\x30\
\x35\x38\x31\x39\x20\x43\x20\x39\x2e\x33\x34\x34\x39\x35\x30\x34\
\x31\x34\x31\x37\x20\x31\x31\x2e\x31\x35\x30\x36\x30\x34\x33\x32\
\x37\x20\x39\x2e\x33\x35\x31\x31\x39\x31\x34\x38\x33\x20\x31\x31\
\x2e\x31\x39\x30\x36\x34\x36\x39\x35\x36\x35\x20\x39\x2e\x33\x35\
\x37\x34\x33\x32\x35\x35\x31\x38\x34\x20\x31\x31\x2e\x32\x33\x30\
\x39\x32\x36\x30\x30\x39\x34\x20\x43\x20\x39\x2e\x33\x36\x33\x36\
\x37\x33\x36\x32\x30\x36\x38\x20\x31\x31\x2e\x32\x37\x31\x32\x30\
\x35\x30\x36\x32\x33\x20\x39\x2e\x33\x36\x39\x39\x31\x34\x36\x38\
\x39\x35\x31\x20\x31\x31\x2e\x33\x31\x31\x37\x32\x31\x39\x35\x38\
\x20\x39\x2e\x33\x37\x36\x31\x35\x35\x37\x35\x38\x33\x35\x20\x31\
\x31\x2e\x33\x35\x32\x34\x34\x34\x30\x35\x35\x38\x20\x43\x20\x39\
\x2e\x33\x38\x32\x33\x39\x36\x38\x32\x37\x31\x38\x20\x31\x31\x2e\
\x33\x39\x33\x31\x36\x36\x31\x35\x33\x36\x20\x39\x2e\x33\x38\x38\
\x36\x33\x37\x38\x39\x36\x30\x32\x20\x31\x31\x2e\x34\x33\x34\x30\
\x39\x34\x36\x38\x34\x39\x20\x39\x2e\x33\x39\x34\x38\x37\x38\x39\
\x36\x34\x38\x36\x20\x31\x31\x2e\x34\x37\x35\x31\x39\x36\x38\x37\
\x39\x38\x20\x43\x20\x39\x2e\x34\x30\x31\x31\x32\x30\x30\x33\x33\
\x36\x39\x20\x31\x31\x2e\x35\x31\x36\x32\x39\x39\x30\x37\x34\x37\
\x20\x39\x2e\x34\x30\x37\x33\x36\x31\x31\x30\x32\x35\x33\x20\x31\
\x31\x2e\x35\x35\x37\x35\x37\x35\x39\x37\x34\x38\x20\x39\x2e\x34\
\x31\x33\x36\x30\x32\x31\x37\x31\x33\x36\x20\x31\x31\x2e\x35\x39\
\x38\x39\x39\x34\x37\x33\x31\x35\x20\x43\x20\x39\x2e\x34\x31\x39\
\x38\x34\x33\x32\x34\x30\x32\x20\x31\x31\x2e\x36\x34\x30\x34\x31\
\x33\x34\x38\x38\x31\x20\x39\x2e\x34\x32\x36\x30\x38\x34\x33\x30\
\x39\x30\x34\x20\x31\x31\x2e\x36\x38\x31\x39\x37\x34\x39\x35\x31\
\x36\x20\x39\x2e\x34\x33\x32\x33\x32\x35\x33\x37\x37\x38\x37\x20\
\x31\x31\x2e\x37\x32\x33\x36\x34\x36\x32\x34\x35\x34\x20\x43\x20\
\x39\x2e\x34\x33\x38\x35\x36\x36\x34\x34\x36\x37\x31\x20\x31\x31\
\x2e\x37\x36\x35\x33\x31\x37\x35\x33\x39\x32\x20\x39\x2e\x34\x34\
\x34\x38\x30\x37\x35\x31\x35\x35\x34\x20\x31\x31\x2e\x38\x30\x37\
\x30\x39\x39\x33\x32\x30\x38\x20\x39\x2e\x34\x35\x31\x30\x34\x38\
\x35\x38\x34\x33\x38\x20\x31\x31\x2e\x38\x34\x38\x39\x35\x38\x37\
\x33\x36\x37\x20\x43\x20\x39\x2e\x34\x35\x37\x32\x38\x39\x36\x35\
\x33\x32\x32\x20\x31\x31\x2e\x38\x39\x30\x38\x31\x38\x31\x35\x32\
\x35\x20\x39\x2e\x34\x36\x33\x35\x33\x30\x37\x32\x32\x30\x35\x20\
\x31\x31\x2e\x39\x33\x32\x37\x35\x35\x36\x36\x36\x35\x20\x39\x2e\
\x34\x36\x39\x37\x37\x31\x37\x39\x30\x38\x39\x20\x31\x31\x2e\x39\
\x37\x34\x37\x33\x38\x34\x39\x38\x36\x20\x43\x20\x39\x2e\x34\x37\
\x36\x30\x31\x32\x38\x35\x39\x37\x32\x20\x31\x32\x2e\x30\x31\x36\
\x37\x32\x31\x33\x33\x30\x37\x20\x39\x2e\x34\x38\x32\x32\x35\x33\
\x39\x32\x38\x35\x36\x20\x31\x32\x2e\x30\x35\x38\x37\x34\x39\x37\
\x35\x30\x34\x20\x39\x2e\x34\x38\x38\x34\x39\x34\x39\x39\x37\x34\
\x20\x31\x32\x2e\x31\x30\x30\x37\x39\x31\x31\x30\x32\x32\x20\x43\
\x20\x39\x2e\x34\x39\x34\x37\x33\x36\x30\x36\x36\x32\x33\x20\x31\
\x32\x2e\x31\x34\x32\x38\x33\x32\x34\x35\x33\x39\x20\x39\x2e\x35\
\x30\x30\x39\x37\x37\x31\x33\x35\x30\x37\x20\x31\x32\x2e\x31\x38\
\x34\x38\x38\x36\x38\x31\x32\x34\x20\x39\x2e\x35\x30\x37\x32\x31\
\x38\x32\x30\x33\x39\x20\x31\x32\x2e\x32\x32\x36\x39\x32\x31\x36\
\x39\x36\x37\x20\x43\x20\x39\x2e\x35\x31\x33\x34\x35\x39\x32\x37\
\x32\x37\x34\x20\x31\x32\x2e\x32\x36\x38\x39\x35\x36\x35\x38\x31\
\x20\x39\x2e\x35\x31\x39\x37\x30\x30\x33\x34\x31\x35\x38\x20\x31\
\x32\x2e\x33\x31\x30\x39\x37\x31\x38\x37\x31\x20\x39\x2e\x35\x32\
\x35\x39\x34\x31\x34\x31\x30\x34\x31\x20\x31\x32\x2e\x33\x35\x32\
\x39\x33\x35\x33\x31\x30\x38\x20\x43\x20\x39\x2e\x35\x33\x32\x31\
\x38\x32\x34\x37\x39\x32\x35\x20\x31\x32\x2e\x33\x39\x34\x38\x39\
\x38\x37\x35\x30\x37\x20\x39\x2e\x35\x33\x38\x34\x32\x33\x35\x34\
\x38\x30\x39\x20\x31\x32\x2e\x34\x33\x36\x38\x31\x30\x30\x32\x35\
\x34\x20\x39\x2e\x35\x34\x34\x36\x36\x34\x36\x31\x36\x39\x32\x20\
\x31\x32\x2e\x34\x37\x38\x36\x33\x37\x31\x35\x34\x32\x20\x43\x20\
\x39\x2e\x35\x35\x30\x39\x30\x35\x36\x38\x35\x37\x36\x20\x31\x32\
\x2e\x35\x32\x30\x34\x36\x34\x32\x38\x32\x39\x20\x39\x2e\x35\x35\
\x37\x31\x34\x36\x37\x35\x34\x35\x39\x20\x31\x32\x2e\x35\x36\x32\
\x32\x30\x36\x37\x35\x36\x34\x20\x39\x2e\x35\x36\x33\x33\x38\x37\
\x38\x32\x33\x34\x33\x20\x31\x32\x2e\x36\x30\x33\x38\x33\x32\x39\
\x31\x38\x31\x20\x43\x20\x39\x2e\x35\x36\x39\x36\x32\x38\x38\x39\
\x32\x32\x37\x20\x31\x32\x2e\x36\x34\x35\x34\x35\x39\x30\x37\x39\
\x38\x20\x39\x2e\x35\x37\x35\x38\x36\x39\x39\x36\x31\x31\x20\x31\
\x32\x2e\x36\x38\x36\x39\x36\x38\x32\x32\x37\x20\x39\x2e\x35\x38\
\x32\x31\x31\x31\x30\x32\x39\x39\x34\x20\x31\x32\x2e\x37\x32\x38\
\x33\x32\x39\x30\x37\x36\x34\x20\x43\x20\x39\x2e\x35\x38\x38\x33\
\x35\x32\x30\x39\x38\x37\x37\x20\x31\x32\x2e\x37\x36\x39\x36\x38\
\x39\x39\x32\x35\x39\x20\x39\x2e\x35\x39\x34\x35\x39\x33\x31\x36\
\x37\x36\x31\x20\x31\x32\x2e\x38\x31\x30\x39\x30\x31\x35\x38\x32\
\x33\x20\x39\x2e\x36\x30\x30\x38\x33\x34\x32\x33\x36\x34\x35\x20\
\x31\x32\x2e\x38\x35\x31\x39\x33\x33\x31\x38\x34\x33\x20\x43\x20\
\x39\x2e\x36\x30\x37\x30\x37\x35\x33\x30\x35\x32\x38\x20\x31\x32\
\x2e\x38\x39\x32\x39\x36\x34\x37\x38\x36\x33\x20\x39\x2e\x36\x31\
\x33\x33\x31\x36\x33\x37\x34\x31\x32\x20\x31\x32\x2e\x39\x33\x33\
\x38\x31\x35\x32\x34\x37\x36\x20\x39\x2e\x36\x31\x39\x35\x35\x37\
\x34\x34\x32\x39\x35\x20\x31\x32\x2e\x39\x37\x34\x34\x35\x34\x31\
\x37\x35\x39\x20\x43\x20\x39\x2e\x36\x32\x35\x37\x39\x38\x35\x31\
\x31\x37\x39\x20\x31\x33\x2e\x30\x31\x35\x30\x39\x33\x31\x30\x34\
\x33\x20\x39\x2e\x36\x33\x32\x30\x33\x39\x35\x38\x30\x36\x33\x20\
\x31\x33\x2e\x30\x35\x35\x35\x31\x39\x32\x32\x34\x32\x20\x39\x2e\
\x36\x33\x38\x32\x38\x30\x36\x34\x39\x34\x36\x20\x31\x33\x2e\x30\
\x39\x35\x37\x30\x32\x36\x35\x39\x36\x20\x43\x20\x39\x2e\x36\x34\
\x34\x35\x32\x31\x37\x31\x38\x33\x20\x31\x33\x2e\x31\x33\x35\x38\
\x38\x36\x30\x39\x35\x31\x20\x39\x2e\x36\x35\x30\x37\x36\x32\x37\
\x38\x37\x31\x33\x20\x31\x33\x2e\x31\x37\x35\x38\x32\x35\x33\x38\
\x33\x33\x20\x39\x2e\x36\x35\x37\x30\x30\x33\x38\x35\x35\x39\x37\
\x20\x31\x33\x2e\x32\x31\x35\x34\x39\x31\x32\x31\x30\x39\x20\x43\
\x20\x39\x2e\x36\x36\x33\x32\x34\x34\x39\x32\x34\x38\x31\x20\x31\
\x33\x2e\x32\x35\x35\x31\x35\x37\x30\x33\x38\x34\x20\x39\x2e\x36\
\x36\x39\x34\x38\x35\x39\x39\x33\x36\x34\x20\x31\x33\x2e\x32\x39\
\x34\x35\x34\x37\x37\x35\x37\x32\x20\x39\x2e\x36\x37\x35\x37\x32\
\x37\x30\x36\x32\x34\x38\x20\x31\x33\x2e\x33\x33\x33\x36\x33\x34\
\x36\x36\x31\x37\x20\x43\x20\x39\x2e\x36\x38\x31\x39\x36\x38\x31\
\x33\x31\x33\x31\x20\x31\x33\x2e\x33\x37\x32\x37\x32\x31\x35\x36\
\x36\x33\x20\x39\x2e\x36\x38\x38\x32\x30\x39\x32\x30\x30\x31\x35\
\x20\x31\x33\x2e\x34\x31\x31\x35\x30\x32\x38\x32\x36\x20\x39\x2e\
\x36\x39\x34\x34\x35\x30\x32\x36\x38\x39\x39\x20\x31\x33\x2e\x34\
\x34\x39\x39\x35\x30\x33\x38\x37\x35\x20\x43\x20\x39\x2e\x37\x30\
\x30\x36\x39\x31\x33\x33\x37\x38\x32\x20\x31\x33\x2e\x34\x38\x38\
\x33\x39\x37\x39\x34\x38\x39\x20\x39\x2e\x37\x30\x36\x39\x33\x32\
\x34\x30\x36\x36\x36\x20\x31\x33\x2e\x35\x32\x36\x35\x30\x39\x38\
\x30\x31\x38\x20\x39\x2e\x37\x31\x33\x31\x37\x33\x34\x37\x35\x34\
\x39\x20\x31\x33\x2e\x35\x36\x34\x32\x35\x38\x35\x38\x38\x34\x20\
\x43\x20\x39\x2e\x37\x31\x39\x34\x31\x34\x35\x34\x34\x33\x33\x20\
\x31\x33\x2e\x36\x30\x32\x30\x30\x37\x33\x37\x34\x39\x20\x39\x2e\
\x37\x32\x35\x36\x35\x35\x36\x31\x33\x31\x37\x20\x31\x33\x2e\x36\
\x33\x39\x33\x39\x30\x39\x30\x38\x32\x20\x39\x2e\x37\x33\x31\x38\
\x39\x36\x36\x38\x32\x20\x31\x33\x2e\x36\x37\x36\x33\x38\x32\x35\
\x36\x38\x32\x20\x43\x20\x39\x2e\x37\x33\x38\x31\x33\x37\x37\x35\
\x30\x38\x34\x20\x31\x33\x2e\x37\x31\x33\x33\x37\x34\x32\x32\x38\
\x32\x20\x39\x2e\x37\x34\x34\x33\x37\x38\x38\x31\x39\x36\x37\x20\
\x31\x33\x2e\x37\x34\x39\x39\x37\x31\x36\x35\x34\x38\x20\x39\x2e\
\x37\x35\x30\x36\x31\x39\x38\x38\x38\x35\x31\x20\x31\x33\x2e\x37\
\x38\x36\x31\x34\x39\x30\x30\x36\x39\x20\x43\x20\x39\x2e\x37\x35\
\x36\x38\x36\x30\x39\x35\x37\x33\x35\x20\x31\x33\x2e\x38\x32\x32\
\x33\x32\x36\x33\x35\x39\x20\x39\x2e\x37\x36\x33\x31\x30\x32\x30\
\x32\x36\x31\x38\x20\x31\x33\x2e\x38\x35\x38\x30\x38\x31\x31\x30\
\x36\x39\x20\x39\x2e\x37\x36\x39\x33\x34\x33\x30\x39\x35\x30\x32\
\x20\x31\x33\x2e\x38\x39\x33\x33\x38\x38\x32\x32\x38\x36\x20\x43\
\x20\x39\x2e\x37\x37\x35\x35\x38\x34\x31\x36\x33\x38\x35\x20\x31\
\x33\x2e\x39\x32\x38\x36\x39\x35\x33\x35\x30\x33\x20\x39\x2e\x37\
\x38\x31\x38\x32\x35\x32\x33\x32\x36\x39\x20\x31\x33\x2e\x39\x36\
\x33\x35\x35\x32\x31\x35\x30\x33\x20\x39\x2e\x37\x38\x38\x30\x36\
\x36\x33\x30\x31\x35\x33\x20\x31\x33\x2e\x39\x39\x37\x39\x33\x34\
\x34\x36\x34\x32\x20\x43\x20\x39\x2e\x37\x39\x34\x33\x30\x37\x33\
\x37\x30\x33\x36\x20\x31\x34\x2e\x30\x33\x32\x33\x31\x36\x37\x37\
\x38\x31\x20\x39\x2e\x38\x30\x30\x35\x34\x38\x34\x33\x39\x32\x20\
\x31\x34\x2e\x30\x36\x36\x32\x32\x31\x37\x34\x39\x20\x39\x2e\x38\
\x30\x36\x37\x38\x39\x35\x30\x38\x30\x34\x20\x31\x34\x2e\x30\x39\
\x39\x36\x32\x36\x31\x30\x37\x33\x20\x43\x20\x39\x2e\x38\x31\x33\
\x30\x33\x30\x35\x37\x36\x38\x37\x20\x31\x34\x2e\x31\x33\x33\x30\
\x33\x30\x34\x36\x35\x36\x20\x39\x2e\x38\x31\x39\x32\x37\x31\x36\
\x34\x35\x37\x31\x20\x31\x34\x2e\x31\x36\x35\x39\x33\x31\x31\x39\
\x37\x33\x20\x39\x2e\x38\x32\x35\x35\x31\x32\x37\x31\x34\x35\x34\
\x20\x31\x34\x2e\x31\x39\x38\x33\x30\x35\x39\x36\x34\x20\x43\x20\
\x39\x2e\x38\x33\x31\x37\x35\x33\x37\x38\x33\x33\x38\x20\x31\x34\
\x2e\x32\x33\x30\x36\x38\x30\x37\x33\x30\x36\x20\x39\x2e\x38\x33\
\x37\x39\x39\x34\x38\x35\x32\x32\x32\x20\x31\x34\x2e\x32\x36\x32\
\x35\x32\x36\x33\x36\x35\x36\x20\x39\x2e\x38\x34\x34\x32\x33\x35\
\x39\x32\x31\x30\x35\x20\x31\x34\x2e\x32\x39\x33\x38\x32\x31\x34\
\x39\x36\x20\x43\x20\x39\x2e\x38\x35\x30\x34\x37\x36\x39\x38\x39\
\x38\x39\x20\x31\x34\x2e\x33\x32\x35\x31\x31\x36\x36\x32\x36\x33\
\x20\x39\x2e\x38\x35\x36\x37\x31\x38\x30\x35\x38\x37\x32\x20\x31\
\x34\x2e\x33\x35\x35\x38\x35\x37\x39\x33\x38\x20\x39\x2e\x38\x36\
\x32\x39\x35\x39\x31\x32\x37\x35\x36\x20\x31\x34\x2e\x33\x38\x36\
\x30\x32\x35\x30\x35\x36\x35\x20\x43\x20\x39\x2e\x38\x36\x39\x32\
\x30\x30\x31\x39\x36\x34\x20\x31\x34\x2e\x34\x31\x36\x31\x39\x32\
\x31\x37\x34\x39\x20\x39\x2e\x38\x37\x35\x34\x34\x31\x32\x36\x35\
\x32\x33\x20\x31\x34\x2e\x34\x34\x35\x37\x38\x31\x36\x34\x33\x37\
\x20\x39\x2e\x38\x38\x31\x36\x38\x32\x33\x33\x34\x30\x37\x20\x31\
\x34\x2e\x34\x37\x34\x37\x37\x34\x31\x31\x38\x33\x20\x43\x20\x39\
\x2e\x38\x38\x37\x39\x32\x33\x34\x30\x32\x39\x20\x31\x34\x2e\x35\
\x30\x33\x37\x36\x36\x35\x39\x32\x38\x20\x39\x2e\x38\x39\x34\x31\
\x36\x34\x34\x37\x31\x37\x34\x20\x31\x34\x2e\x35\x33\x32\x31\x35\
\x38\x34\x37\x39\x36\x20\x39\x2e\x39\x30\x30\x34\x30\x35\x35\x34\
\x30\x35\x38\x20\x31\x34\x2e\x35\x35\x39\x39\x33\x31\x34\x39\x33\
\x39\x20\x43\x20\x39\x2e\x39\x30\x36\x36\x34\x36\x36\x30\x39\x34\
\x31\x20\x31\x34\x2e\x35\x38\x37\x37\x30\x34\x35\x30\x38\x33\x20\
\x39\x2e\x39\x31\x32\x38\x38\x37\x36\x37\x38\x32\x35\x20\x31\x34\
\x2e\x36\x31\x34\x38\x35\x34\x39\x32\x35\x32\x20\x39\x2e\x39\x31\
\x39\x31\x32\x38\x37\x34\x37\x30\x38\x20\x31\x34\x2e\x36\x34\x31\
\x33\x36\x35\x35\x34\x38\x32\x20\x43\x20\x39\x2e\x39\x32\x35\x33\
\x36\x39\x38\x31\x35\x39\x32\x20\x31\x34\x2e\x36\x36\x37\x38\x37\
\x36\x31\x37\x31\x31\x20\x39\x2e\x39\x33\x31\x36\x31\x30\x38\x38\
\x34\x37\x36\x20\x31\x34\x2e\x36\x39\x33\x37\x34\x33\x31\x34\x39\
\x33\x20\x39\x2e\x39\x33\x37\x38\x35\x31\x39\x35\x33\x35\x39\x20\
\x31\x34\x2e\x37\x31\x38\x39\x35\x30\x34\x30\x31\x31\x20\x43\x20\
\x39\x2e\x39\x34\x34\x30\x39\x33\x30\x32\x32\x34\x33\x20\x31\x34\
\x2e\x37\x34\x34\x31\x35\x37\x36\x35\x32\x38\x20\x39\x2e\x39\x35\
\x30\x33\x33\x34\x30\x39\x31\x32\x36\x20\x31\x34\x2e\x37\x36\x38\
\x37\x30\x31\x32\x30\x37\x35\x20\x39\x2e\x39\x35\x36\x35\x37\x35\
\x31\x36\x30\x31\x20\x31\x34\x2e\x37\x39\x32\x35\x36\x36\x31\x32\
\x32\x39\x20\x43\x20\x39\x2e\x39\x36\x32\x38\x31\x36\x32\x32\x38\
\x39\x34\x20\x31\x34\x2e\x38\x31\x36\x34\x33\x31\x30\x33\x38\x33\
\x20\x39\x2e\x39\x36\x39\x30\x35\x37\x32\x39\x37\x37\x37\x20\x31\
\x34\x2e\x38\x33\x39\x36\x31\x33\x32\x33\x30\x32\x20\x39\x2e\x39\
\x37\x35\x32\x39\x38\x33\x36\x36\x36\x31\x20\x31\x34\x2e\x38\x36\
\x32\x30\x39\x38\x39\x31\x39\x32\x20\x43\x20\x39\x2e\x39\x38\x31\
\x35\x33\x39\x34\x33\x35\x34\x34\x20\x31\x34\x2e\x38\x38\x34\x35\
\x38\x34\x36\x30\x38\x32\x20\x39\x2e\x39\x38\x37\x37\x38\x30\x35\
\x30\x34\x32\x38\x20\x31\x34\x2e\x39\x30\x36\x33\x36\x39\x36\x30\
\x32\x36\x20\x39\x2e\x39\x39\x34\x30\x32\x31\x35\x37\x33\x31\x32\
\x20\x31\x34\x2e\x39\x32\x37\x34\x34\x31\x33\x30\x37\x20\x43\x20\
\x31\x30\x2e\x30\x30\x30\x32\x36\x32\x36\x34\x32\x20\x31\x34\x2e\
\x39\x34\x38\x35\x31\x33\x30\x31\x31\x33\x20\x31\x30\x2e\x30\x30\
\x36\x35\x30\x33\x37\x31\x30\x38\x20\x31\x34\x2e\x39\x36\x38\x38\
\x36\x37\x31\x33\x33\x32\x20\x31\x30\x2e\x30\x31\x32\x37\x34\x34\
\x37\x37\x39\x36\x20\x31\x34\x2e\x39\x38\x38\x34\x39\x32\x32\x38\
\x30\x36\x20\x43\x20\x31\x30\x2e\x30\x31\x38\x39\x38\x35\x38\x34\
\x38\x35\x20\x31\x35\x2e\x30\x30\x38\x31\x31\x37\x34\x32\x38\x20\
\x31\x30\x2e\x30\x32\x35\x32\x32\x36\x39\x31\x37\x33\x20\x31\x35\
\x2e\x30\x32\x37\x30\x30\x39\x32\x31\x34\x32\x20\x31\x30\x2e\x30\
\x33\x31\x34\x36\x37\x39\x38\x36\x31\x20\x31\x35\x2e\x30\x34\x35\
\x31\x35\x37\x34\x36\x38\x33\x20\x43\x20\x31\x30\x2e\x30\x33\x37\
\x37\x30\x39\x30\x35\x35\x20\x31\x35\x2e\x30\x36\x33\x33\x30\x35\
\x37\x32\x32\x34\x20\x31\x30\x2e\x30\x34\x33\x39\x35\x30\x31\x32\
\x33\x38\x20\x31\x35\x2e\x30\x38\x30\x37\x30\x35\x39\x37\x30\x31\
\x20\x31\x30\x2e\x30\x35\x30\x31\x39\x31\x31\x39\x32\x36\x20\x31\
\x35\x2e\x30\x39\x37\x33\x34\x39\x32\x37\x37\x35\x20\x43\x20\x31\
\x30\x2e\x30\x35\x36\x34\x33\x32\x32\x36\x31\x35\x20\x31\x35\x2e\
\x31\x31\x33\x39\x39\x32\x35\x38\x34\x39\x20\x31\x30\x2e\x30\x36\
\x32\x36\x37\x33\x33\x33\x30\x33\x20\x31\x35\x2e\x31\x32\x39\x38\
\x37\x34\x33\x39\x37\x31\x20\x31\x30\x2e\x30\x36\x38\x39\x31\x34\
\x33\x39\x39\x31\x20\x31\x35\x2e\x31\x34\x34\x39\x38\x37\x30\x33\
\x30\x37\x20\x43\x20\x31\x30\x2e\x30\x37\x35\x31\x35\x35\x34\x36\
\x38\x20\x31\x35\x2e\x31\x36\x30\x30\x39\x39\x36\x36\x34\x34\x20\
\x31\x30\x2e\x30\x38\x31\x33\x39\x36\x35\x33\x36\x38\x20\x31\x35\
\x2e\x31\x37\x34\x34\x33\x38\x34\x39\x31\x31\x20\x31\x30\x2e\x30\
\x38\x37\x36\x33\x37\x36\x30\x35\x37\x20\x31\x35\x2e\x31\x38\x37\
\x39\x39\x37\x30\x39\x30\x31\x20\x43\x20\x31\x30\x2e\x30\x39\x33\
\x38\x37\x38\x36\x37\x34\x35\x20\x31\x35\x2e\x32\x30\x31\x35\x35\
\x35\x36\x38\x39\x20\x31\x30\x2e\x31\x30\x30\x31\x31\x39\x37\x34\
\x33\x33\x20\x31\x35\x2e\x32\x31\x34\x33\x32\x39\x33\x36\x35\x35\
\x20\x31\x30\x2e\x31\x30\x36\x33\x36\x30\x38\x31\x32\x32\x20\x31\
\x35\x2e\x32\x32\x36\x33\x31\x32\x39\x37\x31\x20\x43\x20\x31\x30\
\x2e\x31\x31\x32\x36\x30\x31\x38\x38\x31\x20\x31\x35\x2e\x32\x33\
\x38\x32\x39\x36\x35\x37\x36\x36\x20\x31\x30\x2e\x31\x31\x38\x38\
\x34\x32\x39\x34\x39\x38\x20\x31\x35\x2e\x32\x34\x39\x34\x38\x35\
\x33\x35\x37\x34\x20\x31\x30\x2e\x31\x32\x35\x30\x38\x34\x30\x31\
\x38\x37\x20\x31\x35\x2e\x32\x35\x39\x38\x37\x35\x34\x34\x35\x34\
\x20\x43\x20\x31\x30\x2e\x31\x33\x31\x33\x32\x35\x30\x38\x37\x35\
\x20\x31\x35\x2e\x32\x37\x30\x32\x36\x35\x35\x33\x33\x34\x20\x31\
\x30\x2e\x31\x33\x37\x35\x36\x36\x31\x35\x36\x33\x20\x31\x35\x2e\
\x32\x37\x39\x38\x35\x32\x31\x32\x33\x20\x31\x30\x2e\x31\x34\x33\
\x38\x30\x37\x32\x32\x35\x32\x20\x31\x35\x2e\x32\x38\x38\x36\x33\
\x32\x36\x33\x32\x36\x20\x43\x20\x31\x30\x2e\x31\x35\x30\x30\x34\
\x38\x32\x39\x34\x20\x31\x35\x2e\x32\x39\x37\x34\x31\x33\x31\x34\
\x32\x31\x20\x31\x30\x2e\x31\x35\x36\x32\x38\x39\x33\x36\x32\x39\
\x20\x31\x35\x2e\x33\x30\x35\x33\x38\x32\x37\x32\x31\x37\x20\x31\
\x30\x2e\x31\x36\x32\x35\x33\x30\x34\x33\x31\x37\x20\x31\x35\x2e\
\x33\x31\x32\x35\x34\x30\x30\x38\x20\x43\x20\x31\x30\x2e\x31\x36\
\x38\x37\x37\x31\x35\x30\x30\x35\x20\x31\x35\x2e\x33\x31\x39\x36\
\x39\x37\x34\x33\x38\x33\x20\x31\x30\x2e\x31\x37\x35\x30\x31\x32\
\x35\x36\x39\x34\x20\x31\x35\x2e\x33\x32\x36\x30\x33\x37\x36\x38\
\x38\x37\x20\x31\x30\x2e\x31\x38\x31\x32\x35\x33\x36\x33\x38\x32\
\x20\x31\x35\x2e\x33\x33\x31\x35\x36\x30\x38\x33\x32\x20\x43\x20\
\x31\x30\x2e\x31\x38\x37\x34\x39\x34\x37\x30\x37\x20\x31\x35\x2e\
\x33\x33\x37\x30\x38\x33\x39\x37\x35\x32\x20\x31\x30\x2e\x31\x39\
\x33\x37\x33\x35\x37\x37\x35\x39\x20\x31\x35\x2e\x33\x34\x31\x37\
\x38\x35\x30\x39\x35\x36\x20\x31\x30\x2e\x31\x39\x39\x39\x37\x36\
\x38\x34\x34\x37\x20\x31\x35\x2e\x33\x34\x35\x36\x36\x35\x34\x38\
\x36\x32\x20\x43\x20\x31\x30\x2e\x32\x30\x36\x32\x31\x37\x39\x31\
\x33\x35\x20\x31\x35\x2e\x33\x34\x39\x35\x34\x35\x38\x37\x36\x39\
\x20\x31\x30\x2e\x32\x31\x32\x34\x35\x38\x39\x38\x32\x34\x20\x31\
\x35\x2e\x33\x35\x32\x36\x30\x30\x36\x30\x30\x33\x20\x31\x30\x2e\
\x32\x31\x38\x37\x30\x30\x30\x35\x31\x32\x20\x31\x35\x2e\x33\x35\
\x34\x38\x33\x32\x32\x34\x30\x31\x20\x43\x20\x31\x30\x2e\x32\x32\
\x34\x39\x34\x31\x31\x32\x30\x31\x20\x31\x35\x2e\x33\x35\x37\x30\
\x36\x33\x38\x37\x39\x38\x20\x31\x30\x2e\x32\x33\x31\x31\x38\x32\
\x31\x38\x38\x39\x20\x31\x35\x2e\x33\x35\x38\x34\x36\x37\x34\x38\
\x34\x33\x20\x31\x30\x2e\x32\x33\x37\x34\x32\x33\x32\x35\x37\x37\
\x20\x31\x35\x2e\x33\x35\x39\x30\x34\x36\x39\x32\x33\x35\x20\x43\
\x20\x31\x30\x2e\x32\x34\x33\x36\x36\x34\x33\x32\x36\x36\x20\x31\
\x35\x2e\x33\x35\x39\x36\x32\x36\x33\x36\x32\x38\x20\x31\x30\x2e\
\x32\x34\x39\x39\x30\x35\x33\x39\x35\x34\x20\x31\x35\x2e\x33\x35\
\x39\x33\x37\x36\x36\x37\x38\x37\x20\x31\x30\x2e\x32\x35\x36\x31\
\x34\x36\x34\x36\x34\x32\x20\x31\x35\x2e\x33\x35\x38\x33\x30\x33\
\x30\x32\x31\x37\x20\x43\x20\x31\x30\x2e\x32\x36\x32\x33\x38\x37\
\x35\x33\x33\x31\x20\x31\x35\x2e\x33\x35\x37\x32\x32\x39\x33\x36\
\x34\x37\x20\x31\x30\x2e\x32\x36\x38\x36\x32\x38\x36\x30\x31\x39\
\x20\x31\x35\x2e\x33\x35\x35\x33\x32\x36\x37\x37\x38\x20\x31\x30\
\x2e\x32\x37\x34\x38\x36\x39\x36\x37\x30\x37\x20\x31\x35\x2e\x33\
\x35\x32\x36\x30\x31\x36\x38\x34\x34\x20\x43\x20\x31\x30\x2e\x32\
\x38\x31\x31\x31\x30\x37\x33\x39\x36\x20\x31\x35\x2e\x33\x34\x39\
\x38\x37\x36\x35\x39\x30\x38\x20\x31\x30\x2e\x32\x38\x37\x33\x35\
\x31\x38\x30\x38\x34\x20\x31\x35\x2e\x33\x34\x36\x33\x32\x34\x30\
\x34\x32\x36\x20\x31\x30\x2e\x32\x39\x33\x35\x39\x32\x38\x37\x37\
\x32\x20\x31\x35\x2e\x33\x34\x31\x39\x35\x31\x37\x32\x34\x38\x20\
\x43\x20\x31\x30\x2e\x32\x39\x39\x38\x33\x33\x39\x34\x36\x31\x20\
\x31\x35\x2e\x33\x33\x37\x35\x37\x39\x34\x30\x37\x31\x20\x31\x30\
\x2e\x33\x30\x36\x30\x37\x35\x30\x31\x34\x39\x20\x31\x35\x2e\x33\
\x33\x32\x33\x38\x32\x33\x38\x38\x37\x20\x31\x30\x2e\x33\x31\x32\
\x33\x31\x36\x30\x38\x33\x38\x20\x31\x35\x2e\x33\x32\x36\x33\x36\
\x39\x36\x30\x35\x34\x20\x43\x20\x31\x30\x2e\x33\x31\x38\x35\x35\
\x37\x31\x35\x32\x36\x20\x31\x35\x2e\x33\x32\x30\x33\x35\x36\x38\
\x32\x32\x32\x20\x31\x30\x2e\x33\x32\x34\x37\x39\x38\x32\x32\x31\
\x34\x20\x31\x35\x2e\x33\x31\x33\x35\x32\x33\x33\x36\x37\x32\x20\
\x31\x30\x2e\x33\x33\x31\x30\x33\x39\x32\x39\x30\x33\x20\x31\x35\
\x2e\x33\x30\x35\x38\x37\x39\x34\x31\x32\x39\x20\x43\x20\x31\x30\
\x2e\x33\x33\x37\x32\x38\x30\x33\x35\x39\x31\x20\x31\x35\x2e\x32\
\x39\x38\x32\x33\x35\x34\x35\x38\x37\x20\x31\x30\x2e\x33\x34\x33\
\x35\x32\x31\x34\x32\x37\x39\x20\x31\x35\x2e\x32\x38\x39\x37\x37\
\x36\x31\x33\x30\x31\x20\x31\x30\x2e\x33\x34\x39\x37\x36\x32\x34\
\x39\x36\x38\x20\x31\x35\x2e\x32\x38\x30\x35\x31\x32\x38\x32\x30\
\x39\x20\x43\x20\x31\x30\x2e\x33\x35\x36\x30\x30\x33\x35\x36\x35\
\x36\x20\x31\x35\x2e\x32\x37\x31\x32\x34\x39\x35\x31\x31\x36\x20\
\x31\x30\x2e\x33\x36\x32\x32\x34\x34\x36\x33\x34\x34\x20\x31\x35\
\x2e\x32\x36\x31\x31\x37\x37\x33\x38\x35\x38\x20\x31\x30\x2e\x33\
\x36\x38\x34\x38\x35\x37\x30\x33\x33\x20\x31\x35\x2e\x32\x35\x30\
\x33\x30\x39\x30\x34\x30\x36\x20\x43\x20\x31\x30\x2e\x33\x37\x34\
\x37\x32\x36\x37\x37\x32\x31\x20\x31\x35\x2e\x32\x33\x39\x34\x34\
\x30\x36\x39\x35\x34\x20\x31\x30\x2e\x33\x38\x30\x39\x36\x37\x38\
\x34\x31\x20\x31\x35\x2e\x32\x32\x37\x37\x37\x31\x33\x34\x31\x38\
\x20\x31\x30\x2e\x33\x38\x37\x32\x30\x38\x39\x30\x39\x38\x20\x31\
\x35\x2e\x32\x31\x35\x33\x31\x34\x37\x36\x30\x39\x20\x43\x20\x31\
\x30\x2e\x33\x39\x33\x34\x34\x39\x39\x37\x38\x36\x20\x31\x35\x2e\
\x32\x30\x32\x38\x35\x38\x31\x37\x39\x39\x20\x31\x30\x2e\x33\x39\
\x39\x36\x39\x31\x30\x34\x37\x35\x20\x31\x35\x2e\x31\x38\x39\x36\
\x30\x39\x36\x33\x36\x39\x20\x31\x30\x2e\x34\x30\x35\x39\x33\x32\
\x31\x31\x36\x33\x20\x31\x35\x2e\x31\x37\x35\x35\x38\x34\x30\x37\
\x35\x34\x20\x43\x20\x31\x30\x2e\x34\x31\x32\x31\x37\x33\x31\x38\
\x35\x31\x20\x31\x35\x2e\x31\x36\x31\x35\x35\x38\x35\x31\x34\x20\
\x31\x30\x2e\x34\x31\x38\x34\x31\x34\x32\x35\x34\x20\x31\x35\x2e\
\x31\x34\x36\x37\x35\x31\x32\x36\x30\x39\x20\x31\x30\x2e\x34\x32\
\x34\x36\x35\x35\x33\x32\x32\x38\x20\x31\x35\x2e\x31\x33\x31\x31\
\x37\x38\x33\x39\x39\x35\x20\x43\x20\x31\x30\x2e\x34\x33\x30\x38\
\x39\x36\x33\x39\x31\x36\x20\x31\x35\x2e\x31\x31\x35\x36\x30\x35\
\x35\x33\x38\x31\x20\x31\x30\x2e\x34\x33\x37\x31\x33\x37\x34\x36\
\x30\x35\x20\x31\x35\x2e\x30\x39\x39\x32\x36\x32\x34\x36\x33\x38\
\x20\x31\x30\x2e\x34\x34\x33\x33\x37\x38\x35\x32\x39\x33\x20\x31\
\x35\x2e\x30\x38\x32\x31\x36\x36\x33\x37\x34\x38\x20\x43\x20\x31\
\x30\x2e\x34\x34\x39\x36\x31\x39\x35\x39\x38\x31\x20\x31\x35\x2e\
\x30\x36\x35\x30\x37\x30\x32\x38\x35\x39\x20\x31\x30\x2e\x34\x35\
\x35\x38\x36\x30\x36\x36\x37\x20\x31\x35\x2e\x30\x34\x37\x32\x31\
\x36\x36\x35\x33\x34\x20\x31\x30\x2e\x34\x36\x32\x31\x30\x31\x37\
\x33\x35\x38\x20\x31\x35\x2e\x30\x32\x38\x36\x32\x33\x37\x36\x33\
\x38\x20\x43\x20\x31\x30\x2e\x34\x36\x38\x33\x34\x32\x38\x30\x34\
\x37\x20\x31\x35\x2e\x30\x31\x30\x30\x33\x30\x38\x37\x34\x32\x20\
\x31\x30\x2e\x34\x37\x34\x35\x38\x33\x38\x37\x33\x35\x20\x31\x34\
\x2e\x39\x39\x30\x36\x39\x34\x32\x38\x31\x36\x20\x31\x30\x2e\x34\
\x38\x30\x38\x32\x34\x39\x34\x32\x33\x20\x31\x34\x2e\x39\x37\x30\
\x36\x33\x33\x33\x33\x32\x20\x43\x20\x31\x30\x2e\x34\x38\x37\x30\
\x36\x36\x30\x31\x31\x32\x20\x31\x34\x2e\x39\x35\x30\x35\x37\x32\
\x33\x38\x32\x34\x20\x31\x30\x2e\x34\x39\x33\x33\x30\x37\x30\x38\
\x20\x31\x34\x2e\x39\x32\x39\x37\x38\x32\x37\x31\x39\x38\x20\x31\
\x30\x2e\x34\x39\x39\x35\x34\x38\x31\x34\x38\x38\x20\x31\x34\x2e\
\x39\x30\x38\x32\x38\x34\x37\x32\x30\x33\x20\x43\x20\x31\x30\x2e\
\x35\x30\x35\x37\x38\x39\x32\x31\x37\x37\x20\x31\x34\x2e\x38\x38\
\x36\x37\x38\x36\x37\x32\x30\x37\x20\x31\x30\x2e\x35\x31\x32\x30\
\x33\x30\x32\x38\x36\x35\x20\x31\x34\x2e\x38\x36\x34\x35\x37\x36\
\x31\x32\x34\x37\x20\x31\x30\x2e\x35\x31\x38\x32\x37\x31\x33\x35\
\x35\x33\x20\x31\x34\x2e\x38\x34\x31\x36\x37\x34\x33\x30\x36\x35\
\x20\x43\x20\x31\x30\x2e\x35\x32\x34\x35\x31\x32\x34\x32\x34\x32\
\x20\x31\x34\x2e\x38\x31\x38\x37\x37\x32\x34\x38\x38\x34\x20\x31\
\x30\x2e\x35\x33\x30\x37\x35\x33\x34\x39\x33\x20\x31\x34\x2e\x37\
\x39\x35\x31\x37\x35\x32\x39\x31\x37\x20\x31\x30\x2e\x35\x33\x36\
\x39\x39\x34\x35\x36\x31\x39\x20\x31\x34\x2e\x37\x37\x30\x39\x30\
\x35\x30\x35\x36\x34\x20\x43\x20\x31\x30\x2e\x35\x34\x33\x32\x33\
\x35\x36\x33\x30\x37\x20\x31\x34\x2e\x37\x34\x36\x36\x33\x34\x38\
\x32\x31\x31\x20\x31\x30\x2e\x35\x34\x39\x34\x37\x36\x36\x39\x39\
\x35\x20\x31\x34\x2e\x37\x32\x31\x36\x38\x37\x35\x30\x30\x31\x20\
\x31\x30\x2e\x35\x35\x35\x37\x31\x37\x37\x36\x38\x34\x20\x31\x34\
\x2e\x36\x39\x36\x30\x38\x36\x33\x36\x34\x32\x20\x43\x20\x31\x30\
\x2e\x35\x36\x31\x39\x35\x38\x38\x33\x37\x32\x20\x31\x34\x2e\x36\
\x37\x30\x34\x38\x35\x32\x32\x38\x33\x20\x31\x30\x2e\x35\x36\x38\
\x31\x39\x39\x39\x30\x36\x20\x31\x34\x2e\x36\x34\x34\x32\x32\x36\
\x33\x34\x36\x33\x20\x31\x30\x2e\x35\x37\x34\x34\x34\x30\x39\x37\
\x34\x39\x20\x31\x34\x2e\x36\x31\x37\x33\x33\x33\x38\x38\x33\x39\
\x20\x43\x20\x31\x30\x2e\x35\x38\x30\x36\x38\x32\x30\x34\x33\x37\
\x20\x31\x34\x2e\x35\x39\x30\x34\x34\x31\x34\x32\x31\x34\x20\x31\
\x30\x2e\x35\x38\x36\x39\x32\x33\x31\x31\x32\x35\x20\x31\x34\x2e\
\x35\x36\x32\x39\x31\x31\x35\x36\x39\x20\x31\x30\x2e\x35\x39\x33\
\x31\x36\x34\x31\x38\x31\x34\x20\x31\x34\x2e\x35\x33\x34\x37\x36\
\x39\x33\x35\x30\x31\x20\x43\x20\x31\x30\x2e\x35\x39\x39\x34\x30\
\x35\x32\x35\x30\x32\x20\x31\x34\x2e\x35\x30\x36\x36\x32\x37\x31\
\x33\x31\x31\x20\x31\x30\x2e\x36\x30\x35\x36\x34\x36\x33\x31\x39\
\x20\x31\x34\x2e\x34\x37\x37\x38\x36\x38\x38\x36\x33\x38\x20\x31\
\x30\x2e\x36\x31\x31\x38\x38\x37\x33\x38\x37\x39\x20\x31\x34\x2e\
\x34\x34\x38\x35\x32\x30\x33\x39\x30\x33\x20\x43\x20\x31\x30\x2e\
\x36\x31\x38\x31\x32\x38\x34\x35\x36\x37\x20\x31\x34\x2e\x34\x31\
\x39\x31\x37\x31\x39\x31\x36\x37\x20\x31\x30\x2e\x36\x32\x34\x33\
\x36\x39\x35\x32\x35\x36\x20\x31\x34\x2e\x33\x38\x39\x32\x32\x39\
\x36\x38\x38\x36\x20\x31\x30\x2e\x36\x33\x30\x36\x31\x30\x35\x39\
\x34\x34\x20\x31\x34\x2e\x33\x35\x38\x37\x32\x30\x33\x32\x37\x31\
\x20\x43\x20\x31\x30\x2e\x36\x33\x36\x38\x35\x31\x36\x36\x33\x32\
\x20\x31\x34\x2e\x33\x32\x38\x32\x31\x30\x39\x36\x35\x35\x20\x31\
\x30\x2e\x36\x34\x33\x30\x39\x32\x37\x33\x32\x31\x20\x31\x34\x2e\
\x32\x39\x37\x31\x33\x31\x30\x36\x31\x20\x31\x30\x2e\x36\x34\x39\
\x33\x33\x33\x38\x30\x30\x39\x20\x31\x34\x2e\x32\x36\x35\x35\x30\
\x37\x39\x37\x32\x34\x20\x43\x20\x31\x30\x2e\x36\x35\x35\x35\x37\
\x34\x38\x36\x39\x37\x20\x31\x34\x2e\x32\x33\x33\x38\x38\x34\x38\
\x38\x33\x39\x20\x31\x30\x2e\x36\x36\x31\x38\x31\x35\x39\x33\x38\
\x36\x20\x31\x34\x2e\x32\x30\x31\x37\x31\x35\x33\x34\x36\x20\x31\
\x30\x2e\x36\x36\x38\x30\x35\x37\x30\x30\x37\x34\x20\x31\x34\x2e\
\x31\x36\x39\x30\x32\x37\x34\x31\x33\x31\x20\x43\x20\x31\x30\x2e\
\x36\x37\x34\x32\x39\x38\x30\x37\x36\x32\x20\x31\x34\x2e\x31\x33\
\x36\x33\x33\x39\x34\x38\x30\x32\x20\x31\x30\x2e\x36\x38\x30\x35\
\x33\x39\x31\x34\x35\x31\x20\x31\x34\x2e\x31\x30\x33\x31\x33\x30\
\x30\x33\x36\x31\x20\x31\x30\x2e\x36\x38\x36\x37\x38\x30\x32\x31\
\x33\x39\x20\x31\x34\x2e\x30\x36\x39\x34\x32\x37\x37\x38\x37\x35\
\x20\x43\x20\x31\x30\x2e\x36\x39\x33\x30\x32\x31\x32\x38\x32\x38\
\x20\x31\x34\x2e\x30\x33\x35\x37\x32\x35\x35\x33\x38\x39\x20\x31\
\x30\x2e\x36\x39\x39\x32\x36\x32\x33\x35\x31\x36\x20\x31\x34\x2e\
\x30\x30\x31\x35\x32\x37\x35\x32\x33\x36\x20\x31\x30\x2e\x37\x30\
\x35\x35\x30\x33\x34\x32\x30\x34\x20\x31\x33\x2e\x39\x36\x36\x38\
\x36\x33\x30\x35\x35\x38\x20\x43\x20\x31\x30\x2e\x37\x31\x31\x37\
\x34\x34\x34\x38\x39\x33\x20\x31\x33\x2e\x39\x33\x32\x31\x39\x38\
\x35\x38\x38\x20\x31\x30\x2e\x37\x31\x37\x39\x38\x35\x35\x35\x38\
\x31\x20\x31\x33\x2e\x38\x39\x37\x30\x36\x34\x38\x36\x34\x33\x20\
\x31\x30\x2e\x37\x32\x34\x32\x32\x36\x36\x32\x36\x39\x20\x31\x33\
\x2e\x38\x36\x31\x34\x39\x31\x37\x36\x31\x34\x20\x43\x20\x31\x30\
\x2e\x37\x33\x30\x34\x36\x37\x36\x39\x35\x38\x20\x31\x33\x2e\x38\
\x32\x35\x39\x31\x38\x36\x35\x38\x34\x20\x31\x30\x2e\x37\x33\x36\
\x37\x30\x38\x37\x36\x34\x36\x20\x31\x33\x2e\x37\x38\x39\x39\x30\
\x33\x35\x33\x35\x37\x20\x31\x30\x2e\x37\x34\x32\x39\x34\x39\x38\
\x33\x33\x34\x20\x31\x33\x2e\x37\x35\x33\x34\x37\x36\x37\x38\x36\
\x20\x43\x20\x31\x30\x2e\x37\x34\x39\x31\x39\x30\x39\x30\x32\x33\
\x20\x31\x33\x2e\x37\x31\x37\x30\x35\x30\x30\x33\x36\x34\x20\x31\
\x30\x2e\x37\x35\x35\x34\x33\x31\x39\x37\x31\x31\x20\x31\x33\x2e\
\x36\x38\x30\x32\x30\x39\x31\x38\x36\x34\x20\x31\x30\x2e\x37\x36\
\x31\x36\x37\x33\x30\x33\x39\x39\x20\x31\x33\x2e\x36\x34\x32\x39\
\x38\x35\x30\x39\x38\x31\x20\x43\x20\x31\x30\x2e\x37\x36\x37\x39\
\x31\x34\x31\x30\x38\x38\x20\x31\x33\x2e\x36\x30\x35\x37\x36\x31\
\x30\x30\x39\x39\x20\x31\x30\x2e\x37\x37\x34\x31\x35\x35\x31\x37\
\x37\x36\x20\x31\x33\x2e\x35\x36\x38\x31\x35\x31\x33\x38\x30\x38\
\x20\x31\x30\x2e\x37\x38\x30\x33\x39\x36\x32\x34\x36\x35\x20\x31\
\x33\x2e\x35\x33\x30\x31\x38\x37\x34\x39\x34\x35\x20\x43\x20\x31\
\x30\x2e\x37\x38\x36\x36\x33\x37\x33\x31\x35\x33\x20\x31\x33\x2e\
\x34\x39\x32\x32\x32\x33\x36\x30\x38\x33\x20\x31\x30\x2e\x37\x39\
\x32\x38\x37\x38\x33\x38\x34\x31\x20\x31\x33\x2e\x34\x35\x33\x39\
\x30\x33\x33\x33\x36\x36\x20\x31\x30\x2e\x37\x39\x39\x31\x31\x39\
\x34\x35\x33\x20\x31\x33\x2e\x34\x31\x35\x32\x35\x38\x33\x33\x36\
\x35\x20\x43\x20\x31\x30\x2e\x38\x30\x35\x33\x36\x30\x35\x32\x31\
\x38\x20\x31\x33\x2e\x33\x37\x36\x36\x31\x33\x33\x33\x36\x34\x20\
\x31\x30\x2e\x38\x31\x31\x36\x30\x31\x35\x39\x30\x36\x20\x31\x33\
\x2e\x33\x33\x37\x36\x34\x31\x36\x35\x37\x33\x20\x31\x30\x2e\x38\
\x31\x37\x38\x34\x32\x36\x35\x39\x35\x20\x31\x33\x2e\x32\x39\x38\
\x33\x37\x35\x32\x38\x30\x33\x20\x43\x20\x31\x30\x2e\x38\x32\x34\
\x30\x38\x33\x37\x32\x38\x33\x20\x31\x33\x2e\x32\x35\x39\x31\x30\
\x38\x39\x30\x33\x34\x20\x31\x30\x2e\x38\x33\x30\x33\x32\x34\x37\
\x39\x37\x31\x20\x31\x33\x2e\x32\x31\x39\x35\x34\x36\x30\x35\x38\
\x38\x20\x31\x30\x2e\x38\x33\x36\x35\x36\x35\x38\x36\x36\x20\x31\
\x33\x2e\x31\x37\x39\x37\x31\x39\x30\x30\x32\x35\x20\x43\x20\x31\
\x30\x2e\x38\x34\x32\x38\x30\x36\x39\x33\x34\x38\x20\x31\x33\x2e\
\x31\x33\x39\x38\x39\x31\x39\x34\x36\x33\x20\x31\x30\x2e\x38\x34\
\x39\x30\x34\x38\x30\x30\x33\x37\x20\x31\x33\x2e\x30\x39\x39\x37\
\x39\x39\x30\x39\x32\x20\x31\x30\x2e\x38\x35\x35\x32\x38\x39\x30\
\x37\x32\x35\x20\x31\x33\x2e\x30\x35\x39\x34\x37\x32\x39\x32\x30\
\x37\x20\x43\x20\x31\x30\x2e\x38\x36\x31\x35\x33\x30\x31\x34\x31\
\x33\x20\x31\x33\x2e\x30\x31\x39\x31\x34\x36\x37\x34\x39\x34\x20\
\x31\x30\x2e\x38\x36\x37\x37\x37\x31\x32\x31\x30\x32\x20\x31\x32\
\x2e\x39\x37\x38\x35\x38\x35\x38\x36\x30\x35\x20\x31\x30\x2e\x38\
\x37\x34\x30\x31\x32\x32\x37\x39\x20\x31\x32\x2e\x39\x33\x37\x38\
\x32\x32\x39\x30\x39\x39\x20\x43\x20\x31\x30\x2e\x38\x38\x30\x32\
\x35\x33\x33\x34\x37\x38\x20\x31\x32\x2e\x38\x39\x37\x30\x35\x39\
\x39\x35\x39\x33\x20\x31\x30\x2e\x38\x38\x36\x34\x39\x34\x34\x31\
\x36\x37\x20\x31\x32\x2e\x38\x35\x36\x30\x39\x33\x37\x33\x34\x34\
\x20\x31\x30\x2e\x38\x39\x32\x37\x33\x35\x34\x38\x35\x35\x20\x31\
\x32\x2e\x38\x31\x34\x39\x35\x37\x30\x31\x35\x34\x20\x43\x20\x31\
\x30\x2e\x38\x39\x38\x39\x37\x36\x35\x35\x34\x33\x20\x31\x32\x2e\
\x37\x37\x33\x38\x32\x30\x32\x39\x36\x34\x20\x31\x30\x2e\x39\x30\
\x35\x32\x31\x37\x36\x32\x33\x32\x20\x31\x32\x2e\x37\x33\x32\x35\
\x31\x32\x30\x36\x30\x37\x20\x31\x30\x2e\x39\x31\x31\x34\x35\x38\
\x36\x39\x32\x20\x31\x32\x2e\x36\x39\x31\x30\x36\x35\x31\x36\x32\
\x20\x43\x20\x31\x30\x2e\x39\x31\x37\x36\x39\x39\x37\x36\x30\x39\
\x20\x31\x32\x2e\x36\x34\x39\x36\x31\x38\x32\x36\x33\x33\x20\x31\
\x30\x2e\x39\x32\x33\x39\x34\x30\x38\x32\x39\x37\x20\x31\x32\x2e\
\x36\x30\x38\x30\x33\x31\x38\x37\x30\x35\x20\x31\x30\x2e\x39\x33\
\x30\x31\x38\x31\x38\x39\x38\x35\x20\x31\x32\x2e\x35\x36\x36\x33\
\x33\x38\x38\x36\x30\x33\x20\x43\x20\x31\x30\x2e\x39\x33\x36\x34\
\x32\x32\x39\x36\x37\x34\x20\x31\x32\x2e\x35\x32\x34\x36\x34\x35\
\x38\x35\x30\x31\x20\x31\x30\x2e\x39\x34\x32\x36\x36\x34\x30\x33\
\x36\x32\x20\x31\x32\x2e\x34\x38\x32\x38\x34\x35\x35\x38\x34\x31\
\x20\x31\x30\x2e\x39\x34\x38\x39\x30\x35\x31\x30\x35\x20\x31\x32\
\x2e\x34\x34\x30\x39\x37\x30\x39\x31\x30\x39\x20\x43\x20\x31\x30\
\x2e\x39\x35\x35\x31\x34\x36\x31\x37\x33\x39\x20\x31\x32\x2e\x33\
\x39\x39\x30\x39\x36\x32\x33\x37\x37\x20\x31\x30\x2e\x39\x36\x31\
\x33\x38\x37\x32\x34\x32\x37\x20\x31\x32\x2e\x33\x35\x37\x31\x34\
\x36\x37\x31\x32\x39\x20\x31\x30\x2e\x39\x36\x37\x36\x32\x38\x33\
\x31\x31\x35\x20\x31\x32\x2e\x33\x31\x35\x31\x35\x35\x31\x30\x36\
\x32\x20\x43\x20\x31\x30\x2e\x39\x37\x33\x38\x36\x39\x33\x38\x30\
\x34\x20\x31\x32\x2e\x32\x37\x33\x31\x36\x33\x34\x39\x39\x35\x20\
\x31\x30\x2e\x39\x38\x30\x31\x31\x30\x34\x34\x39\x32\x20\x31\x32\
\x2e\x32\x33\x31\x31\x32\x39\x35\x36\x30\x39\x20\x31\x30\x2e\x39\
\x38\x36\x33\x35\x31\x35\x31\x38\x20\x31\x32\x2e\x31\x38\x39\x30\
\x38\x35\x39\x33\x30\x39\x20\x43\x20\x31\x30\x2e\x39\x39\x32\x35\
\x39\x32\x35\x38\x36\x39\x20\x31\x32\x2e\x31\x34\x37\x30\x34\x32\
\x33\x30\x30\x39\x20\x31\x30\x2e\x39\x39\x38\x38\x33\x33\x36\x35\
\x35\x37\x20\x31\x32\x2e\x31\x30\x34\x39\x38\x38\x39\x32\x34\x31\
\x20\x31\x31\x2e\x30\x30\x35\x30\x37\x34\x37\x32\x34\x36\x20\x31\
\x32\x2e\x30\x36\x32\x39\x35\x38\x32\x36\x31\x33\x20\x43\x20\x31\
\x31\x2e\x30\x31\x31\x33\x31\x35\x37\x39\x33\x34\x20\x31\x32\x2e\
\x30\x32\x30\x39\x32\x37\x35\x39\x38\x35\x20\x31\x31\x2e\x30\x31\
\x37\x35\x35\x36\x38\x36\x32\x32\x20\x31\x31\x2e\x39\x37\x38\x39\
\x31\x39\x37\x38\x39\x33\x20\x31\x31\x2e\x30\x32\x33\x37\x39\x37\
\x39\x33\x31\x31\x20\x31\x31\x2e\x39\x33\x36\x39\x36\x37\x30\x36\
\x34\x33\x20\x43\x20\x31\x31\x2e\x30\x33\x30\x30\x33\x38\x39\x39\
\x39\x39\x20\x31\x31\x2e\x38\x39\x35\x30\x31\x34\x33\x33\x39\x32\
\x20\x31\x31\x2e\x30\x33\x36\x32\x38\x30\x30\x36\x38\x37\x20\x31\
\x31\x2e\x38\x35\x33\x31\x31\x37\x30\x33\x32\x38\x20\x31\x31\x2e\
\x30\x34\x32\x35\x32\x31\x31\x33\x37\x36\x20\x31\x31\x2e\x38\x31\
\x31\x33\x30\x37\x30\x39\x35\x36\x20\x43\x20\x31\x31\x2e\x30\x34\
\x38\x37\x36\x32\x32\x30\x36\x34\x20\x31\x31\x2e\x37\x36\x39\x34\
\x39\x37\x31\x35\x38\x34\x20\x31\x31\x2e\x30\x35\x35\x30\x30\x33\
\x32\x37\x35\x32\x20\x31\x31\x2e\x37\x32\x37\x37\x37\x35\x31\x31\
\x39\x31\x20\x31\x31\x2e\x30\x36\x31\x32\x34\x34\x33\x34\x34\x31\
\x20\x31\x31\x2e\x36\x38\x36\x31\x37\x32\x35\x39\x39\x20\x43\x20\
\x31\x31\x2e\x30\x36\x37\x34\x38\x35\x34\x31\x32\x39\x20\x31\x31\
\x2e\x36\x34\x34\x35\x37\x30\x30\x37\x39\x20\x31\x31\x2e\x30\x37\
\x33\x37\x32\x36\x34\x38\x31\x38\x20\x31\x31\x2e\x36\x30\x33\x30\
\x38\x37\x38\x30\x30\x33\x20\x31\x31\x2e\x30\x37\x39\x39\x36\x37\
\x35\x35\x30\x36\x20\x31\x31\x2e\x35\x36\x31\x37\x35\x37\x30\x30\
\x36\x31\x20\x43\x20\x31\x31\x2e\x30\x38\x36\x32\x30\x38\x36\x31\
\x39\x34\x20\x31\x31\x2e\x35\x32\x30\x34\x32\x36\x32\x31\x32\x20\
\x31\x31\x2e\x30\x39\x32\x34\x34\x39\x36\x38\x38\x33\x20\x31\x31\
\x2e\x34\x37\x39\x32\x34\x37\x38\x31\x36\x38\x20\x31\x31\x2e\x30\
\x39\x38\x36\x39\x30\x37\x35\x37\x31\x20\x31\x31\x2e\x34\x33\x38\
\x32\x35\x32\x36\x33\x37\x32\x20\x43\x20\x31\x31\x2e\x31\x30\x34\
\x39\x33\x31\x38\x32\x35\x39\x20\x31\x31\x2e\x33\x39\x37\x32\x35\
\x37\x34\x35\x37\x37\x20\x31\x31\x2e\x31\x31\x31\x31\x37\x32\x38\
\x39\x34\x38\x20\x31\x31\x2e\x33\x35\x36\x34\x34\x36\x35\x39\x39\
\x20\x31\x31\x2e\x31\x31\x37\x34\x31\x33\x39\x36\x33\x36\x20\x31\
\x31\x2e\x33\x31\x35\x38\x35\x30\x34\x30\x33\x39\x20\x43\x20\x31\
\x31\x2e\x31\x32\x33\x36\x35\x35\x30\x33\x32\x34\x20\x31\x31\x2e\
\x32\x37\x35\x32\x35\x34\x32\x30\x38\x39\x20\x31\x31\x2e\x31\x32\
\x39\x38\x39\x36\x31\x30\x31\x33\x20\x31\x31\x2e\x32\x33\x34\x38\
\x37\x33\x39\x37\x31\x38\x20\x31\x31\x2e\x31\x33\x36\x31\x33\x37\
\x31\x37\x30\x31\x20\x31\x31\x2e\x31\x39\x34\x37\x33\x39\x35\x31\
\x34\x34\x20\x43\x20\x31\x31\x2e\x31\x34\x32\x33\x37\x38\x32\x33\
\x38\x39\x20\x31\x31\x2e\x31\x35\x34\x36\x30\x35\x30\x35\x36\x39\
\x20\x31\x31\x2e\x31\x34\x38\x36\x31\x39\x33\x30\x37\x38\x20\x31\
\x31\x2e\x31\x31\x34\x37\x31\x37\x38\x36\x30\x37\x20\x31\x31\x2e\
\x31\x35\x34\x38\x36\x30\x33\x37\x36\x36\x20\x31\x31\x2e\x30\x37\
\x35\x31\x30\x37\x31\x38\x30\x34\x20\x43\x20\x31\x31\x2e\x31\x36\
\x31\x31\x30\x31\x34\x34\x35\x35\x20\x31\x31\x2e\x30\x33\x35\x34\
\x39\x36\x35\x20\x31\x31\x2e\x31\x36\x37\x33\x34\x32\x35\x31\x34\
\x33\x20\x31\x30\x2e\x39\x39\x36\x31\x36\x34\x30\x30\x31\x38\x20\
\x31\x31\x2e\x31\x37\x33\x35\x38\x33\x35\x38\x33\x31\x20\x31\x30\
\x2e\x39\x35\x37\x31\x33\x38\x33\x32\x38\x33\x20\x43\x20\x31\x31\
\x2e\x31\x37\x39\x38\x32\x34\x36\x35\x32\x20\x31\x30\x2e\x39\x31\
\x38\x31\x31\x32\x36\x35\x34\x37\x20\x31\x31\x2e\x31\x38\x36\x30\
\x36\x35\x37\x32\x30\x38\x20\x31\x30\x2e\x38\x37\x39\x33\x39\x35\
\x36\x35\x34\x34\x20\x31\x31\x2e\x31\x39\x32\x33\x30\x36\x37\x38\
\x39\x36\x20\x31\x30\x2e\x38\x34\x31\x30\x31\x35\x33\x31\x33\x31\
\x20\x43\x20\x31\x31\x2e\x31\x39\x38\x35\x34\x37\x38\x35\x38\x35\
\x20\x31\x30\x2e\x38\x30\x32\x36\x33\x34\x39\x37\x31\x38\x20\x31\
\x31\x2e\x32\x30\x34\x37\x38\x38\x39\x32\x37\x33\x20\x31\x30\x2e\
\x37\x36\x34\x35\x39\x33\x33\x31\x37\x36\x20\x31\x31\x2e\x32\x31\
\x31\x30\x32\x39\x39\x39\x36\x31\x20\x31\x30\x2e\x37\x32\x36\x39\
\x31\x37\x36\x33\x36\x35\x20\x43\x20\x31\x31\x2e\x32\x31\x37\x32\
\x37\x31\x30\x36\x35\x20\x31\x30\x2e\x36\x38\x39\x32\x34\x31\x39\
\x35\x35\x34\x20\x31\x31\x2e\x32\x32\x33\x35\x31\x32\x31\x33\x33\
\x38\x20\x31\x30\x2e\x36\x35\x31\x39\x33\x34\x34\x35\x31\x38\x20\
\x31\x31\x2e\x32\x32\x39\x37\x35\x33\x32\x30\x32\x37\x20\x31\x30\
\x2e\x36\x31\x35\x30\x32\x31\x36\x36\x39\x35\x20\x43\x20\x31\x31\
\x2e\x32\x33\x35\x39\x39\x34\x32\x37\x31\x35\x20\x31\x30\x2e\x35\
\x37\x38\x31\x30\x38\x38\x38\x37\x32\x20\x31\x31\x2e\x32\x34\x32\
\x32\x33\x35\x33\x34\x30\x33\x20\x31\x30\x2e\x35\x34\x31\x35\x39\
\x33\x32\x30\x33\x36\x20\x31\x31\x2e\x32\x34\x38\x34\x37\x36\x34\
\x30\x39\x32\x20\x31\x30\x2e\x35\x30\x35\x35\x30\x30\x33\x37\x39\
\x35\x20\x43\x20\x31\x31\x2e\x32\x35\x34\x37\x31\x37\x34\x37\x38\
\x20\x31\x30\x2e\x34\x36\x39\x34\x30\x37\x35\x35\x35\x35\x20\x31\
\x31\x2e\x32\x36\x30\x39\x35\x38\x35\x34\x36\x38\x20\x31\x30\x2e\
\x34\x33\x33\x37\x34\x30\x31\x33\x37\x34\x20\x31\x31\x2e\x32\x36\
\x37\x31\x39\x39\x36\x31\x35\x37\x20\x31\x30\x2e\x33\x39\x38\x35\
\x32\x33\x30\x36\x33\x35\x20\x43\x20\x31\x31\x2e\x32\x37\x33\x34\
\x34\x30\x36\x38\x34\x35\x20\x31\x30\x2e\x33\x36\x33\x33\x30\x35\
\x39\x38\x39\x35\x20\x31\x31\x2e\x32\x37\x39\x36\x38\x31\x37\x35\
\x33\x33\x20\x31\x30\x2e\x33\x32\x38\x35\x34\x31\x39\x37\x31\x34\
\x20\x31\x31\x2e\x32\x38\x35\x39\x32\x32\x38\x32\x32\x32\x20\x31\
\x30\x2e\x32\x39\x34\x32\x35\x35\x30\x38\x35\x37\x20\x43\x20\x31\
\x31\x2e\x32\x39\x32\x31\x36\x33\x38\x39\x31\x20\x31\x30\x2e\x32\
\x35\x39\x39\x36\x38\x32\x20\x31\x31\x2e\x32\x39\x38\x34\x30\x34\
\x39\x35\x39\x38\x20\x31\x30\x2e\x32\x32\x36\x31\x36\x31\x33\x31\
\x39\x36\x20\x31\x31\x2e\x33\x30\x34\x36\x34\x36\x30\x32\x38\x37\
\x20\x31\x30\x2e\x31\x39\x32\x38\x35\x37\x36\x32\x32\x35\x20\x43\
\x20\x31\x31\x2e\x33\x31\x30\x38\x38\x37\x30\x39\x37\x35\x20\x31\
\x30\x2e\x31\x35\x39\x35\x35\x33\x39\x32\x35\x34\x20\x31\x31\x2e\
\x33\x31\x37\x31\x32\x38\x31\x36\x36\x34\x20\x31\x30\x2e\x31\x32\
\x36\x37\x35\x36\x34\x34\x31\x20\x31\x31\x2e\x33\x32\x33\x33\x36\
\x39\x32\x33\x35\x32\x20\x31\x30\x2e\x30\x39\x34\x34\x38\x37\x34\
\x31\x33\x20\x43\x20\x31\x31\x2e\x33\x32\x39\x36\x31\x30\x33\x30\
\x34\x20\x31\x30\x2e\x30\x36\x32\x32\x31\x38\x33\x38\x34\x39\x20\
\x31\x31\x2e\x33\x33\x35\x38\x35\x31\x33\x37\x32\x39\x20\x31\x30\
\x2e\x30\x33\x30\x34\x38\x30\x39\x39\x34\x36\x20\x31\x31\x2e\x33\
\x34\x32\x30\x39\x32\x34\x34\x31\x37\x20\x39\x2e\x39\x39\x39\x32\
\x39\x36\x35\x31\x36\x36\x39\x20\x43\x20\x31\x31\x2e\x33\x34\x38\
\x33\x33\x33\x35\x31\x30\x35\x20\x39\x2e\x39\x36\x38\x31\x31\x32\
\x30\x33\x38\x38\x20\x31\x31\x2e\x33\x35\x34\x35\x37\x34\x35\x37\
\x39\x34\x20\x39\x2e\x39\x33\x37\x34\x38\x33\x38\x30\x31\x38\x32\
\x20\x31\x31\x2e\x33\x36\x30\x38\x31\x35\x36\x34\x38\x32\x20\x39\
\x2e\x39\x30\x37\x34\x33\x32\x30\x37\x38\x37\x33\x20\x43\x20\x31\
\x31\x2e\x33\x36\x37\x30\x35\x36\x37\x31\x37\x20\x39\x2e\x38\x37\
\x37\x33\x38\x30\x33\x35\x35\x36\x34\x20\x31\x31\x2e\x33\x37\x33\
\x32\x39\x37\x37\x38\x35\x39\x20\x39\x2e\x38\x34\x37\x39\x30\x38\
\x36\x31\x36\x38\x20\x31\x31\x2e\x33\x37\x39\x35\x33\x38\x38\x35\
\x34\x37\x20\x39\x2e\x38\x31\x39\x30\x33\x36\x31\x30\x32\x31\x32\
\x20\x43\x20\x31\x31\x2e\x33\x38\x35\x37\x37\x39\x39\x32\x33\x36\
\x20\x39\x2e\x37\x39\x30\x31\x36\x33\x35\x38\x37\x34\x35\x20\x31\
\x31\x2e\x33\x39\x32\x30\x32\x30\x39\x39\x32\x34\x20\x39\x2e\x37\
\x36\x31\x38\x39\x33\x39\x30\x33\x38\x34\x20\x31\x31\x2e\x33\x39\
\x38\x32\x36\x32\x30\x36\x31\x32\x20\x39\x2e\x37\x33\x34\x32\x34\
\x35\x32\x32\x38\x34\x31\x20\x43\x20\x31\x31\x2e\x34\x30\x34\x35\
\x30\x33\x31\x33\x30\x31\x20\x39\x2e\x37\x30\x36\x35\x39\x36\x35\
\x35\x32\x39\x38\x20\x31\x31\x2e\x34\x31\x30\x37\x34\x34\x31\x39\
\x38\x39\x20\x39\x2e\x36\x37\x39\x35\x37\x32\x36\x32\x33\x35\x37\
\x20\x31\x31\x2e\x34\x31\x36\x39\x38\x35\x32\x36\x37\x37\x20\x39\
\x2e\x36\x35\x33\x31\x39\x30\x35\x32\x36\x33\x39\x20\x43\x20\x31\
\x31\x2e\x34\x32\x33\x32\x32\x36\x33\x33\x36\x36\x20\x39\x2e\x36\
\x32\x36\x38\x30\x38\x34\x32\x39\x32\x32\x20\x31\x31\x2e\x34\x32\
\x39\x34\x36\x37\x34\x30\x35\x34\x20\x39\x2e\x36\x30\x31\x30\x37\
\x32\x30\x32\x37\x33\x31\x20\x31\x31\x2e\x34\x33\x35\x37\x30\x38\
\x34\x37\x34\x32\x20\x39\x2e\x35\x37\x35\x39\x39\x37\x32\x38\x39\
\x35\x35\x20\x43\x20\x31\x31\x2e\x34\x34\x31\x39\x34\x39\x35\x34\
\x33\x31\x20\x39\x2e\x35\x35\x30\x39\x32\x32\x35\x35\x31\x37\x39\
\x20\x31\x31\x2e\x34\x34\x38\x31\x39\x30\x36\x31\x31\x39\x20\x39\
\x2e\x35\x32\x36\x35\x31\x33\x34\x36\x30\x34\x32\x20\x31\x31\x2e\
\x34\x35\x34\x34\x33\x31\x36\x38\x30\x38\x20\x39\x2e\x35\x30\x32\
\x37\x38\x34\x38\x34\x32\x33\x34\x20\x43\x20\x31\x31\x2e\x34\x36\
\x30\x36\x37\x32\x37\x34\x39\x36\x20\x39\x2e\x34\x37\x39\x30\x35\
\x36\x32\x32\x34\x32\x35\x20\x31\x31\x2e\x34\x36\x36\x39\x31\x33\
\x38\x31\x38\x34\x20\x39\x2e\x34\x35\x36\x30\x31\x32\x31\x37\x34\
\x37\x34\x20\x31\x31\x2e\x34\x37\x33\x31\x35\x34\x38\x38\x37\x33\
\x20\x39\x2e\x34\x33\x33\x36\x36\x36\x33\x35\x35\x37\x36\x20\x43\
\x20\x31\x31\x2e\x34\x37\x39\x33\x39\x35\x39\x35\x36\x31\x20\x39\
\x2e\x34\x31\x31\x33\x32\x30\x35\x33\x36\x37\x39\x20\x31\x31\x2e\
\x34\x38\x35\x36\x33\x37\x30\x32\x34\x39\x20\x39\x2e\x33\x38\x39\
\x36\x37\x37\x31\x35\x30\x33\x36\x20\x31\x31\x2e\x34\x39\x31\x38\
\x37\x38\x30\x39\x33\x38\x20\x39\x2e\x33\x36\x38\x37\x34\x38\x36\
\x37\x32\x34\x32\x20\x43\x20\x31\x31\x2e\x34\x39\x38\x31\x31\x39\
\x31\x36\x32\x36\x20\x39\x2e\x33\x34\x37\x38\x32\x30\x31\x39\x34\
\x34\x38\x20\x31\x31\x2e\x35\x30\x34\x33\x36\x30\x32\x33\x31\x34\
\x20\x39\x2e\x33\x32\x37\x36\x31\x30\x39\x32\x37\x32\x36\x20\x31\
\x31\x2e\x35\x31\x30\x36\x30\x31\x33\x30\x30\x33\x20\x39\x2e\x33\
\x30\x38\x31\x33\x32\x31\x34\x31\x33\x37\x20\x43\x20\x31\x31\x2e\
\x35\x31\x36\x38\x34\x32\x33\x36\x39\x31\x20\x39\x2e\x32\x38\x38\
\x36\x35\x33\x33\x35\x35\x34\x37\x20\x31\x31\x2e\x35\x32\x33\x30\
\x38\x33\x34\x33\x37\x39\x20\x39\x2e\x32\x36\x39\x39\x30\x39\x34\
\x34\x36\x37\x32\x20\x31\x31\x2e\x35\x32\x39\x33\x32\x34\x35\x30\
\x36\x38\x20\x39\x2e\x32\x35\x31\x39\x31\x30\x34\x36\x32\x39\x37\
\x20\x43\x20\x31\x31\x2e\x35\x33\x35\x35\x36\x35\x35\x37\x35\x36\
\x20\x39\x2e\x32\x33\x33\x39\x31\x31\x34\x37\x39\x32\x31\x20\x31\
\x31\x2e\x35\x34\x31\x38\x30\x36\x36\x34\x34\x35\x20\x39\x2e\x32\
\x31\x36\x36\x36\x31\x39\x30\x33\x30\x35\x20\x31\x31\x2e\x35\x34\
\x38\x30\x34\x37\x37\x31\x33\x33\x20\x39\x2e\x32\x30\x30\x31\x37\
\x30\x35\x34\x34\x30\x37\x20\x43\x20\x31\x31\x2e\x35\x35\x34\x32\
\x38\x38\x37\x38\x32\x31\x20\x39\x2e\x31\x38\x33\x36\x37\x39\x31\
\x38\x35\x31\x20\x31\x31\x2e\x35\x36\x30\x35\x32\x39\x38\x35\x31\
\x20\x39\x2e\x31\x36\x37\x39\x35\x30\x36\x30\x35\x37\x34\x20\x31\
\x31\x2e\x35\x36\x36\x37\x37\x30\x39\x31\x39\x38\x20\x39\x2e\x31\
\x35\x32\x39\x39\x32\x33\x36\x33\x37\x20\x43\x20\x31\x31\x2e\x35\
\x37\x33\x30\x31\x31\x39\x38\x38\x36\x20\x39\x2e\x31\x33\x38\x30\
\x33\x34\x31\x32\x31\x36\x35\x20\x31\x31\x2e\x35\x37\x39\x32\x35\
\x33\x30\x35\x37\x35\x20\x39\x2e\x31\x32\x33\x38\x35\x30\x38\x35\
\x32\x31\x36\x20\x31\x31\x2e\x35\x38\x35\x34\x39\x34\x31\x32\x36\
\x33\x20\x39\x2e\x31\x31\x30\x34\x34\x38\x38\x34\x39\x33\x35\x20\
\x43\x20\x31\x31\x2e\x35\x39\x31\x37\x33\x35\x31\x39\x35\x31\x20\
\x39\x2e\x30\x39\x37\x30\x34\x36\x38\x34\x36\x35\x33\x20\x31\x31\
\x2e\x35\x39\x37\x39\x37\x36\x32\x36\x34\x20\x39\x2e\x30\x38\x34\
\x34\x33\x30\x38\x31\x31\x32\x35\x20\x31\x31\x2e\x36\x30\x34\x32\
\x31\x37\x33\x33\x32\x38\x20\x39\x2e\x30\x37\x32\x36\x30\x35\x37\
\x36\x34\x33\x32\x20\x43\x20\x31\x31\x2e\x36\x31\x30\x34\x35\x38\
\x34\x30\x31\x37\x20\x39\x2e\x30\x36\x30\x37\x38\x30\x37\x31\x37\
\x34\x20\x31\x31\x2e\x36\x31\x36\x36\x39\x39\x34\x37\x30\x35\x20\
\x39\x2e\x30\x34\x39\x37\x35\x31\x34\x31\x38\x30\x36\x20\x31\x31\
\x2e\x36\x32\x32\x39\x34\x30\x35\x33\x39\x33\x20\x39\x2e\x30\x33\
\x39\x35\x32\x31\x36\x30\x36\x30\x36\x20\x43\x20\x31\x31\x2e\x36\
\x32\x39\x31\x38\x31\x36\x30\x38\x32\x20\x39\x2e\x30\x32\x39\x32\
\x39\x31\x37\x39\x34\x30\x35\x20\x31\x31\x2e\x36\x33\x35\x34\x32\
\x32\x36\x37\x37\x20\x39\x2e\x30\x31\x39\x38\x36\x36\x32\x37\x39\
\x36\x33\x20\x31\x31\x2e\x36\x34\x31\x36\x36\x33\x37\x34\x35\x38\
\x20\x39\x2e\x30\x31\x31\x32\x34\x37\x35\x31\x35\x36\x38\x20\x43\
\x20\x31\x31\x2e\x36\x34\x37\x39\x30\x34\x38\x31\x34\x37\x20\x39\
\x2e\x30\x30\x32\x36\x32\x38\x37\x35\x31\x37\x33\x20\x31\x31\x2e\
\x36\x35\x34\x31\x34\x35\x38\x38\x33\x35\x20\x38\x2e\x39\x39\x34\
\x38\x32\x31\x35\x39\x32\x30\x37\x20\x31\x31\x2e\x36\x36\x30\x33\
\x38\x36\x39\x35\x32\x33\x20\x38\x2e\x39\x38\x37\x38\x32\x37\x31\
\x39\x38\x39\x37\x20\x43\x20\x31\x31\x2e\x36\x36\x36\x36\x32\x38\
\x30\x32\x31\x32\x20\x38\x2e\x39\x38\x30\x38\x33\x32\x38\x30\x35\
\x38\x36\x20\x31\x31\x2e\x36\x37\x32\x38\x36\x39\x30\x39\x20\x38\
\x2e\x39\x37\x34\x36\x35\x36\x30\x36\x39\x32\x20\x31\x31\x2e\x36\
\x37\x39\x31\x31\x30\x31\x35\x38\x38\x20\x38\x2e\x39\x36\x39\x32\
\x39\x36\x38\x35\x38\x37\x39\x20\x43\x20\x31\x31\x2e\x36\x38\x35\
\x33\x35\x31\x32\x32\x37\x37\x20\x38\x2e\x39\x36\x33\x39\x33\x37\
\x36\x34\x38\x33\x39\x20\x31\x31\x2e\x36\x39\x31\x35\x39\x32\x32\
\x39\x36\x35\x20\x38\x2e\x39\x35\x39\x34\x30\x30\x38\x38\x32\x36\
\x35\x20\x31\x31\x2e\x36\x39\x37\x38\x33\x33\x33\x36\x35\x34\x20\
\x38\x2e\x39\x35\x35\x36\x38\x35\x31\x33\x39\x31\x35\x20\x43\x20\
\x31\x31\x2e\x37\x30\x34\x30\x37\x34\x34\x33\x34\x32\x20\x38\x2e\
\x39\x35\x31\x39\x36\x39\x33\x39\x35\x36\x35\x20\x31\x31\x2e\x37\
\x31\x30\x33\x31\x35\x35\x30\x33\x20\x38\x2e\x39\x34\x39\x30\x37\
\x39\x36\x31\x33\x37\x32\x20\x31\x31\x2e\x37\x31\x36\x35\x35\x36\
\x35\x37\x31\x39\x20\x38\x2e\x39\x34\x37\x30\x31\x33\x30\x38\x30\
\x38\x39\x20\x43\x20\x31\x31\x2e\x37\x32\x32\x37\x39\x37\x36\x34\
\x30\x37\x20\x38\x2e\x39\x34\x34\x39\x34\x36\x35\x34\x38\x30\x36\
\x20\x31\x31\x2e\x37\x32\x39\x30\x33\x38\x37\x30\x39\x35\x20\x38\
\x2e\x39\x34\x33\x37\x30\x38\x32\x31\x36\x39\x33\x20\x31\x31\x2e\
\x37\x33\x35\x32\x37\x39\x37\x37\x38\x34\x20\x38\x2e\x39\x34\x33\
\x32\x39\x34\x30\x38\x39\x31\x38\x20\x43\x20\x31\x31\x2e\x37\x34\
\x31\x35\x32\x30\x38\x34\x37\x32\x20\x38\x2e\x39\x34\x32\x38\x37\
\x39\x39\x36\x31\x34\x34\x20\x31\x31\x2e\x37\x34\x37\x37\x36\x31\
\x39\x31\x36\x20\x38\x2e\x39\x34\x33\x32\x39\x34\x39\x39\x35\x33\
\x31\x20\x31\x31\x2e\x37\x35\x34\x30\x30\x32\x39\x38\x34\x39\x20\
\x38\x2e\x39\x34\x34\x35\x33\x33\x39\x31\x32\x38\x31\x20\x43\x20\
\x31\x31\x2e\x37\x36\x30\x32\x34\x34\x30\x35\x33\x37\x20\x38\x2e\
\x39\x34\x35\x37\x37\x32\x38\x33\x30\x33\x31\x20\x31\x31\x2e\x37\
\x36\x36\x34\x38\x35\x31\x32\x32\x36\x20\x38\x2e\x39\x34\x37\x38\
\x34\x30\x35\x38\x37\x36\x32\x20\x31\x31\x2e\x37\x37\x32\x37\x32\
\x36\x31\x39\x31\x34\x20\x38\x2e\x39\x35\x30\x37\x33\x30\x36\x33\
\x35\x32\x36\x20\x43\x20\x31\x31\x2e\x37\x37\x38\x39\x36\x37\x32\
\x36\x30\x32\x20\x38\x2e\x39\x35\x33\x36\x32\x30\x36\x38\x32\x39\
\x20\x31\x31\x2e\x37\x38\x35\x32\x30\x38\x33\x32\x39\x31\x20\x38\
\x2e\x39\x35\x37\x33\x33\x37\x39\x36\x37\x33\x34\x20\x31\x31\x2e\
\x37\x39\x31\x34\x34\x39\x33\x39\x37\x39\x20\x38\x2e\x39\x36\x31\
\x38\x37\x34\x36\x37\x37\x37\x31\x20\x43\x20\x31\x31\x2e\x37\x39\
\x37\x36\x39\x30\x34\x36\x36\x37\x20\x38\x2e\x39\x36\x36\x34\x31\
\x31\x33\x38\x38\x30\x39\x20\x31\x31\x2e\x38\x30\x33\x39\x33\x31\
\x35\x33\x35\x36\x20\x38\x2e\x39\x37\x31\x37\x37\x32\x34\x35\x33\
\x35\x31\x20\x31\x31\x2e\x38\x31\x30\x31\x37\x32\x36\x30\x34\x34\
\x20\x38\x2e\x39\x37\x37\x39\x34\x38\x38\x31\x33\x38\x33\x20\x43\
\x20\x31\x31\x2e\x38\x31\x36\x34\x31\x33\x36\x37\x33\x32\x20\x38\
\x2e\x39\x38\x34\x31\x32\x35\x31\x37\x34\x31\x34\x20\x31\x31\x2e\
\x38\x32\x32\x36\x35\x34\x37\x34\x32\x31\x20\x38\x2e\x39\x39\x31\
\x31\x32\x31\x37\x33\x33\x34\x37\x20\x31\x31\x2e\x38\x32\x38\x38\
\x39\x35\x38\x31\x30\x39\x20\x38\x2e\x39\x39\x38\x39\x32\x38\x31\
\x39\x36\x33\x37\x20\x43\x20\x31\x31\x2e\x38\x33\x35\x31\x33\x36\
\x38\x37\x39\x37\x20\x39\x2e\x30\x30\x36\x37\x33\x34\x36\x35\x39\
\x32\x37\x20\x31\x31\x2e\x38\x34\x31\x33\x37\x37\x39\x34\x38\x36\
\x20\x39\x2e\x30\x31\x35\x33\x35\x35\x38\x39\x37\x33\x32\x20\x31\
\x31\x2e\x38\x34\x37\x36\x31\x39\x30\x31\x37\x34\x20\x39\x2e\x30\
\x32\x34\x37\x38\x30\x33\x39\x35\x36\x36\x20\x43\x20\x31\x31\x2e\
\x38\x35\x33\x38\x36\x30\x30\x38\x36\x33\x20\x39\x2e\x30\x33\x34\
\x32\x30\x34\x38\x39\x34\x20\x31\x31\x2e\x38\x36\x30\x31\x30\x31\
\x31\x35\x35\x31\x20\x39\x2e\x30\x34\x34\x34\x33\x37\x34\x38\x34\
\x31\x33\x20\x31\x31\x2e\x38\x36\x36\x33\x34\x32\x32\x32\x33\x39\
\x20\x39\x2e\x30\x35\x35\x34\x36\x35\x34\x34\x39\x36\x33\x20\x43\
\x20\x31\x31\x2e\x38\x37\x32\x35\x38\x33\x32\x39\x32\x38\x20\x39\
\x2e\x30\x36\x36\x34\x39\x33\x34\x31\x35\x31\x33\x20\x31\x31\x2e\
\x38\x37\x38\x38\x32\x34\x33\x36\x31\x36\x20\x39\x2e\x30\x37\x38\
\x33\x32\x31\x35\x33\x39\x39\x33\x20\x31\x31\x2e\x38\x38\x35\x30\
\x36\x35\x34\x33\x30\x34\x20\x39\x2e\x30\x39\x30\x39\x33\x35\x39\
\x32\x35\x36\x37\x20\x43\x20\x31\x31\x2e\x38\x39\x31\x33\x30\x36\
\x34\x39\x39\x33\x20\x39\x2e\x31\x30\x33\x35\x35\x30\x33\x31\x31\
\x34\x31\x20\x31\x31\x2e\x38\x39\x37\x35\x34\x37\x35\x36\x38\x31\
\x20\x39\x2e\x31\x31\x36\x39\x35\x35\x36\x38\x37\x30\x39\x20\x31\
\x31\x2e\x39\x30\x33\x37\x38\x38\x36\x33\x36\x39\x20\x39\x2e\x31\
\x33\x31\x31\x33\x36\x39\x39\x33\x39\x20\x43\x20\x31\x31\x2e\x39\
\x31\x30\x30\x32\x39\x37\x30\x35\x38\x20\x39\x2e\x31\x34\x35\x33\
\x31\x38\x33\x30\x30\x37\x31\x20\x31\x31\x2e\x39\x31\x36\x32\x37\
\x30\x37\x37\x34\x36\x20\x39\x2e\x31\x36\x30\x32\x38\x30\x32\x30\
\x35\x33\x39\x20\x31\x31\x2e\x39\x32\x32\x35\x31\x31\x38\x34\x33\
\x35\x20\x39\x2e\x31\x37\x36\x30\x30\x36\x35\x31\x31\x39\x36\x20\
\x43\x20\x31\x31\x2e\x39\x32\x38\x37\x35\x32\x39\x31\x32\x33\x20\
\x39\x2e\x31\x39\x31\x37\x33\x32\x38\x31\x38\x35\x32\x20\x31\x31\
\x2e\x39\x33\x34\x39\x39\x33\x39\x38\x31\x31\x20\x39\x2e\x32\x30\
\x38\x32\x32\x38\x31\x32\x34\x32\x35\x20\x31\x31\x2e\x39\x34\x31\
\x32\x33\x35\x30\x35\x20\x39\x2e\x32\x32\x35\x34\x37\x35\x31\x32\
\x31\x30\x32\x20\x43\x20\x31\x31\x2e\x39\x34\x37\x34\x37\x36\x31\
\x31\x38\x38\x20\x39\x2e\x32\x34\x32\x37\x32\x32\x31\x31\x37\x37\
\x39\x20\x31\x31\x2e\x39\x35\x33\x37\x31\x37\x31\x38\x37\x36\x20\
\x39\x2e\x32\x36\x30\x37\x32\x35\x33\x32\x36\x33\x20\x31\x31\x2e\
\x39\x35\x39\x39\x35\x38\x32\x35\x36\x35\x20\x39\x2e\x32\x37\x39\
\x34\x36\x36\x33\x35\x33\x30\x36\x20\x43\x20\x31\x31\x2e\x39\x36\
\x36\x31\x39\x39\x33\x32\x35\x33\x20\x39\x2e\x32\x39\x38\x32\x30\
\x37\x33\x37\x39\x38\x31\x20\x31\x31\x2e\x39\x37\x32\x34\x34\x30\
\x33\x39\x34\x31\x20\x39\x2e\x33\x31\x37\x36\x39\x30\x36\x36\x31\
\x39\x34\x20\x31\x31\x2e\x39\x37\x38\x36\x38\x31\x34\x36\x33\x20\
\x39\x2e\x33\x33\x37\x38\x39\x36\x37\x34\x39\x30\x31\x20\x43\x20\
\x31\x31\x2e\x39\x38\x34\x39\x32\x32\x35\x33\x31\x38\x20\x39\x2e\
\x33\x35\x38\x31\x30\x32\x38\x33\x36\x30\x38\x20\x31\x31\x2e\x39\
\x39\x31\x31\x36\x33\x36\x30\x30\x37\x20\x39\x2e\x33\x37\x39\x30\
\x33\x36\x30\x37\x34\x37\x38\x20\x31\x31\x2e\x39\x39\x37\x34\x30\
\x34\x36\x36\x39\x35\x20\x39\x2e\x34\x30\x30\x36\x37\x35\x39\x38\
\x37\x38\x31\x20\x43\x20\x31\x32\x2e\x30\x30\x33\x36\x34\x35\x37\
\x33\x38\x33\x20\x39\x2e\x34\x32\x32\x33\x31\x35\x39\x30\x30\x38\
\x34\x20\x31\x32\x2e\x30\x30\x39\x38\x38\x36\x38\x30\x37\x32\x20\
\x39\x2e\x34\x34\x34\x36\x36\x36\x37\x33\x37\x37\x35\x20\x31\x32\
\x2e\x30\x31\x36\x31\x32\x37\x38\x37\x36\x20\x39\x2e\x34\x36\x37\
\x37\x30\x37\x30\x32\x36\x20\x43\x20\x31\x32\x2e\x30\x32\x32\x33\
\x36\x38\x39\x34\x34\x38\x20\x39\x2e\x34\x39\x30\x37\x34\x37\x33\
\x31\x34\x32\x35\x20\x31\x32\x2e\x30\x32\x38\x36\x31\x30\x30\x31\
\x33\x37\x20\x39\x2e\x35\x31\x34\x34\x38\x31\x31\x39\x39\x36\x39\
\x20\x31\x32\x2e\x30\x33\x34\x38\x35\x31\x30\x38\x32\x35\x20\x39\
\x2e\x35\x33\x38\x38\x38\x36\x32\x34\x37\x37\x33\x20\x43\x20\x31\
\x32\x2e\x30\x34\x31\x30\x39\x32\x31\x35\x31\x33\x20\x39\x2e\x35\
\x36\x33\x32\x39\x31\x32\x39\x35\x37\x38\x20\x31\x32\x2e\x30\x34\
\x37\x33\x33\x33\x32\x32\x30\x32\x20\x39\x2e\x35\x38\x38\x33\x37\
\x31\x35\x34\x32\x31\x36\x20\x31\x32\x2e\x30\x35\x33\x35\x37\x34\
\x32\x38\x39\x20\x39\x2e\x36\x31\x34\x31\x30\x33\x36\x32\x34\x39\
\x34\x20\x43\x20\x31\x32\x2e\x30\x35\x39\x38\x31\x35\x33\x35\x37\
\x38\x20\x39\x2e\x36\x33\x39\x38\x33\x35\x37\x30\x37\x37\x32\x20\
\x31\x32\x2e\x30\x36\x36\x30\x35\x36\x34\x32\x36\x37\x20\x39\x2e\
\x36\x36\x36\x32\x32\x33\x35\x34\x36\x32\x38\x20\x31\x32\x2e\x30\
\x37\x32\x32\x39\x37\x34\x39\x35\x35\x20\x39\x2e\x36\x39\x33\x32\
\x34\x32\x38\x38\x37\x34\x32\x20\x43\x20\x31\x32\x2e\x30\x37\x38\
\x35\x33\x38\x35\x36\x34\x34\x20\x39\x2e\x37\x32\x30\x32\x36\x32\
\x32\x32\x38\x35\x37\x20\x31\x32\x2e\x30\x38\x34\x37\x37\x39\x36\
\x33\x33\x32\x20\x39\x2e\x37\x34\x37\x39\x31\x36\x38\x36\x39\x32\
\x37\x20\x31\x32\x2e\x30\x39\x31\x30\x32\x30\x37\x30\x32\x20\x39\
\x2e\x37\x37\x36\x31\x38\x31\x37\x30\x32\x35\x38\x20\x43\x20\x31\
\x32\x2e\x30\x39\x37\x32\x36\x31\x37\x37\x30\x39\x20\x39\x2e\x38\
\x30\x34\x34\x34\x36\x35\x33\x35\x38\x39\x20\x31\x32\x2e\x31\x30\
\x33\x35\x30\x32\x38\x33\x39\x37\x20\x39\x2e\x38\x33\x33\x33\x32\
\x35\x32\x33\x30\x34\x38\x20\x31\x32\x2e\x31\x30\x39\x37\x34\x33\
\x39\x30\x38\x35\x20\x39\x2e\x38\x36\x32\x37\x39\x31\x38\x36\x34\
\x34\x38\x20\x43\x20\x31\x32\x2e\x31\x31\x35\x39\x38\x34\x39\x37\
\x37\x34\x20\x39\x2e\x38\x39\x32\x32\x35\x38\x34\x39\x38\x34\x39\
\x20\x31\x32\x2e\x31\x32\x32\x32\x32\x36\x30\x34\x36\x32\x20\x39\
\x2e\x39\x32\x32\x33\x31\x36\x36\x30\x36\x36\x31\x20\x31\x32\x2e\
\x31\x32\x38\x34\x36\x37\x31\x31\x35\x20\x39\x2e\x39\x35\x32\x39\
\x33\x39\x34\x39\x32\x31\x20\x43\x20\x31\x32\x2e\x31\x33\x34\x37\
\x30\x38\x31\x38\x33\x39\x20\x39\x2e\x39\x38\x33\x35\x36\x32\x33\
\x37\x37\x36\x20\x31\x32\x2e\x31\x34\x30\x39\x34\x39\x32\x35\x32\
\x37\x20\x31\x30\x2e\x30\x31\x34\x37\x35\x33\x34\x33\x35\x37\x20\
\x31\x32\x2e\x31\x34\x37\x31\x39\x30\x33\x32\x31\x36\x20\x31\x30\
\x2e\x30\x34\x36\x34\x38\x35\x32\x33\x36\x32\x20\x43\x20\x31\x32\
\x2e\x31\x35\x33\x34\x33\x31\x33\x39\x30\x34\x20\x31\x30\x2e\x30\
\x37\x38\x32\x31\x37\x30\x33\x36\x37\x20\x31\x32\x2e\x31\x35\x39\
\x36\x37\x32\x34\x35\x39\x32\x20\x31\x30\x2e\x31\x31\x30\x34\x39\
\x32\x38\x33\x30\x31\x20\x31\x32\x2e\x31\x36\x35\x39\x31\x33\x35\
\x32\x38\x31\x20\x31\x30\x2e\x31\x34\x33\x32\x38\x34\x34\x39\x34\
\x38\x20\x43\x20\x31\x32\x2e\x31\x37\x32\x31\x35\x34\x35\x39\x36\
\x39\x20\x31\x30\x2e\x31\x37\x36\x30\x37\x36\x31\x35\x39\x36\x20\
\x31\x32\x2e\x31\x37\x38\x33\x39\x35\x36\x36\x35\x37\x20\x31\x30\
\x2e\x32\x30\x39\x33\x38\x36\x37\x39\x36\x36\x20\x31\x32\x2e\x31\
\x38\x34\x36\x33\x36\x37\x33\x34\x36\x20\x31\x30\x2e\x32\x34\x33\
\x31\x38\x37\x36\x33\x36\x37\x20\x43\x20\x31\x32\x2e\x31\x39\x30\
\x38\x37\x37\x38\x30\x33\x34\x20\x31\x30\x2e\x32\x37\x36\x39\x38\
\x38\x34\x37\x36\x38\x20\x31\x32\x2e\x31\x39\x37\x31\x31\x38\x38\
\x37\x32\x32\x20\x31\x30\x2e\x33\x31\x31\x32\x38\x32\x34\x36\x36\
\x33\x20\x31\x32\x2e\x32\x30\x33\x33\x35\x39\x39\x34\x31\x31\x20\
\x31\x30\x2e\x33\x34\x36\x30\x34\x30\x32\x33\x32\x37\x20\x43\x20\
\x31\x32\x2e\x32\x30\x39\x36\x30\x31\x30\x30\x39\x39\x20\x31\x30\
\x2e\x33\x38\x30\x37\x39\x37\x39\x39\x39\x31\x20\x31\x32\x2e\x32\
\x31\x35\x38\x34\x32\x30\x37\x38\x37\x20\x31\x30\x2e\x34\x31\x36\
\x30\x32\x32\x33\x32\x39\x37\x20\x31\x32\x2e\x32\x32\x32\x30\x38\
\x33\x31\x34\x37\x36\x20\x31\x30\x2e\x34\x35\x31\x36\x38\x33\x32\
\x39\x34\x33\x20\x43\x20\x31\x32\x2e\x32\x32\x38\x33\x32\x34\x32\
\x31\x36\x34\x20\x31\x30\x2e\x34\x38\x37\x33\x34\x34\x32\x35\x38\
\x38\x20\x31\x32\x2e\x32\x33\x34\x35\x36\x35\x32\x38\x35\x33\x20\
\x31\x30\x2e\x35\x32\x33\x34\x34\x34\x34\x38\x31\x33\x20\x31\x32\
\x2e\x32\x34\x30\x38\x30\x36\x33\x35\x34\x31\x20\x31\x30\x2e\x35\
\x35\x39\x39\x35\x33\x35\x31\x39\x37\x20\x43\x20\x31\x32\x2e\x32\
\x34\x37\x30\x34\x37\x34\x32\x32\x39\x20\x31\x30\x2e\x35\x39\x36\
\x34\x36\x32\x35\x35\x38\x31\x20\x31\x32\x2e\x32\x35\x33\x32\x38\
\x38\x34\x39\x31\x38\x20\x31\x30\x2e\x36\x33\x33\x33\x38\x32\x38\
\x36\x39\x20\x31\x32\x2e\x32\x35\x39\x35\x32\x39\x35\x36\x30\x36\
\x20\x31\x30\x2e\x36\x37\x30\x36\x38\x33\x35\x34\x35\x39\x20\x43\
\x20\x31\x32\x2e\x32\x36\x35\x37\x37\x30\x36\x32\x39\x34\x20\x31\
\x30\x2e\x37\x30\x37\x39\x38\x34\x32\x32\x32\x39\x20\x31\x32\x2e\
\x32\x37\x32\x30\x31\x31\x36\x39\x38\x33\x20\x31\x30\x2e\x37\x34\
\x35\x36\x36\x37\x35\x35\x31\x32\x20\x31\x32\x2e\x32\x37\x38\x32\
\x35\x32\x37\x36\x37\x31\x20\x31\x30\x2e\x37\x38\x33\x37\x30\x32\
\x32\x30\x37\x37\x20\x43\x20\x31\x32\x2e\x32\x38\x34\x34\x39\x33\
\x38\x33\x35\x39\x20\x31\x30\x2e\x38\x32\x31\x37\x33\x36\x38\x36\
\x34\x32\x20\x31\x32\x2e\x32\x39\x30\x37\x33\x34\x39\x30\x34\x38\
\x20\x31\x30\x2e\x38\x36\x30\x31\x32\x34\x39\x35\x39\x36\x20\x31\
\x32\x2e\x32\x39\x36\x39\x37\x35\x39\x37\x33\x36\x20\x31\x30\x2e\
\x38\x39\x38\x38\x33\x34\x38\x30\x32\x31\x20\x43\x20\x31\x32\x2e\
\x33\x30\x33\x32\x31\x37\x30\x34\x32\x35\x20\x31\x30\x2e\x39\x33\
\x37\x35\x34\x34\x36\x34\x34\x36\x20\x31\x32\x2e\x33\x30\x39\x34\
\x35\x38\x31\x31\x31\x33\x20\x31\x30\x2e\x39\x37\x36\x35\x37\x38\
\x31\x36\x37\x20\x31\x32\x2e\x33\x31\x35\x36\x39\x39\x31\x38\x30\
\x31\x20\x31\x31\x2e\x30\x31\x35\x39\x30\x33\x33\x35\x38\x33\x20\
\x43\x20\x31\x32\x2e\x33\x32\x31\x39\x34\x30\x32\x34\x39\x20\x31\
\x31\x2e\x30\x35\x35\x32\x32\x38\x35\x34\x39\x36\x20\x31\x32\x2e\
\x33\x32\x38\x31\x38\x31\x33\x31\x37\x38\x20\x31\x31\x2e\x30\x39\
\x34\x38\x34\x37\x31\x36\x31\x35\x20\x31\x32\x2e\x33\x33\x34\x34\
\x32\x32\x33\x38\x36\x36\x20\x31\x31\x2e\x31\x33\x34\x37\x32\x36\
\x39\x31\x33\x31\x20\x43\x20\x31\x32\x2e\x33\x34\x30\x36\x36\x33\
\x34\x35\x35\x35\x20\x31\x31\x2e\x31\x37\x34\x36\x30\x36\x36\x36\
\x34\x37\x20\x31\x32\x2e\x33\x34\x36\x39\x30\x34\x35\x32\x34\x33\
\x20\x31\x31\x2e\x32\x31\x34\x37\x34\x39\x31\x32\x34\x20\x31\x32\
\x2e\x33\x35\x33\x31\x34\x35\x35\x39\x33\x31\x20\x31\x31\x2e\x32\
\x35\x35\x31\x32\x31\x37\x39\x30\x33\x20\x43\x20\x31\x32\x2e\x33\
\x35\x39\x33\x38\x36\x36\x36\x32\x20\x31\x31\x2e\x32\x39\x35\x34\
\x39\x34\x34\x35\x36\x35\x20\x31\x32\x2e\x33\x36\x35\x36\x32\x37\
\x37\x33\x30\x38\x20\x31\x31\x2e\x33\x33\x36\x30\x39\x38\x37\x31\
\x31\x35\x20\x31\x32\x2e\x33\x37\x31\x38\x36\x38\x37\x39\x39\x36\
\x20\x31\x31\x2e\x33\x37\x36\x39\x30\x31\x38\x38\x34\x38\x20\x43\
\x20\x31\x32\x2e\x33\x37\x38\x31\x30\x39\x38\x36\x38\x35\x20\x31\
\x31\x2e\x34\x31\x37\x37\x30\x35\x30\x35\x38\x20\x31\x32\x2e\x33\
\x38\x34\x33\x35\x30\x39\x33\x37\x33\x20\x31\x31\x2e\x34\x35\x38\
\x37\x30\x38\x33\x34\x33\x31\x20\x31\x32\x2e\x33\x39\x30\x35\x39\
\x32\x30\x30\x36\x32\x20\x31\x31\x2e\x34\x39\x39\x38\x37\x38\x39\
\x35\x30\x32\x20\x43\x20\x31\x32\x2e\x33\x39\x36\x38\x33\x33\x30\
\x37\x35\x20\x31\x31\x2e\x35\x34\x31\x30\x34\x39\x35\x35\x37\x34\
\x20\x31\x32\x2e\x34\x30\x33\x30\x37\x34\x31\x34\x33\x38\x20\x31\
\x31\x2e\x35\x38\x32\x33\x38\x38\x34\x39\x30\x31\x20\x31\x32\x2e\
\x34\x30\x39\x33\x31\x35\x32\x31\x32\x37\x20\x31\x31\x2e\x36\x32\
\x33\x38\x36\x32\x38\x39\x30\x31\x20\x43\x20\x31\x32\x2e\x34\x31\
\x35\x35\x35\x36\x32\x38\x31\x35\x20\x31\x31\x2e\x36\x36\x35\x33\
\x33\x37\x32\x39\x20\x31\x32\x2e\x34\x32\x31\x37\x39\x37\x33\x35\
\x30\x33\x20\x31\x31\x2e\x37\x30\x36\x39\x34\x37\x39\x36\x39\x31\
\x20\x31\x32\x2e\x34\x32\x38\x30\x33\x38\x34\x31\x39\x32\x20\x31\
\x31\x2e\x37\x34\x38\x36\x36\x32\x30\x35\x31\x33\x20\x43\x20\x31\
\x32\x2e\x34\x33\x34\x32\x37\x39\x34\x38\x38\x20\x31\x31\x2e\x37\
\x39\x30\x33\x37\x36\x31\x33\x33\x34\x20\x31\x32\x2e\x34\x34\x30\
\x35\x32\x30\x35\x35\x36\x38\x20\x31\x31\x2e\x38\x33\x32\x31\x39\
\x34\x32\x33\x37\x35\x20\x31\x32\x2e\x34\x34\x36\x37\x36\x31\x36\
\x32\x35\x37\x20\x31\x31\x2e\x38\x37\x34\x30\x38\x33\x35\x32\x30\
\x36\x20\x43\x20\x31\x32\x2e\x34\x35\x33\x30\x30\x32\x36\x39\x34\
\x35\x20\x31\x31\x2e\x39\x31\x35\x39\x37\x32\x38\x30\x33\x37\x20\
\x31\x32\x2e\x34\x35\x39\x32\x34\x33\x37\x36\x33\x34\x20\x31\x31\
\x2e\x39\x35\x37\x39\x33\x33\x36\x39\x30\x39\x20\x31\x32\x2e\x34\
\x36\x35\x34\x38\x34\x38\x33\x32\x32\x20\x31\x31\x2e\x39\x39\x39\
\x39\x33\x33\x34\x32\x33\x20\x43\x20\x31\x32\x2e\x34\x37\x31\x37\
\x32\x35\x39\x30\x31\x20\x31\x32\x2e\x30\x34\x31\x39\x33\x33\x31\
\x35\x35\x31\x20\x31\x32\x2e\x34\x37\x37\x39\x36\x36\x39\x36\x39\
\x39\x20\x31\x32\x2e\x30\x38\x33\x39\x37\x31\x39\x36\x32\x37\x20\
\x31\x32\x2e\x34\x38\x34\x32\x30\x38\x30\x33\x38\x37\x20\x31\x32\
\x2e\x31\x32\x36\x30\x31\x37\x32\x32\x31\x31\x20\x43\x20\x31\x32\
\x2e\x34\x39\x30\x34\x34\x39\x31\x30\x37\x35\x20\x31\x32\x2e\x31\
\x36\x38\x30\x36\x32\x34\x37\x39\x34\x20\x31\x32\x2e\x34\x39\x36\
\x36\x39\x30\x31\x37\x36\x34\x20\x31\x32\x2e\x32\x31\x30\x31\x31\
\x34\x32\x32\x34\x32\x20\x31\x32\x2e\x35\x30\x32\x39\x33\x31\x32\
\x34\x35\x32\x20\x31\x32\x2e\x32\x35\x32\x31\x34\x30\x30\x31\x35\
\x38\x20\x43\x20\x31\x32\x2e\x35\x30\x39\x31\x37\x32\x33\x31\x34\
\x20\x31\x32\x2e\x32\x39\x34\x31\x36\x35\x38\x30\x37\x33\x20\x31\
\x32\x2e\x35\x31\x35\x34\x31\x33\x33\x38\x32\x39\x20\x31\x32\x2e\
\x33\x33\x36\x31\x36\x35\x34\x38\x36\x32\x20\x31\x32\x2e\x35\x32\
\x31\x36\x35\x34\x34\x35\x31\x37\x20\x31\x32\x2e\x33\x37\x38\x31\
\x30\x36\x38\x34\x37\x39\x20\x43\x20\x31\x32\x2e\x35\x32\x37\x38\
\x39\x35\x35\x32\x30\x36\x20\x31\x32\x2e\x34\x32\x30\x30\x34\x38\
\x32\x30\x39\x35\x20\x31\x32\x2e\x35\x33\x34\x31\x33\x36\x35\x38\
\x39\x34\x20\x31\x32\x2e\x34\x36\x31\x39\x33\x30\x39\x20\x31\x32\
\x2e\x35\x34\x30\x33\x37\x37\x36\x35\x38\x32\x20\x31\x32\x2e\x35\
\x30\x33\x37\x32\x32\x39\x39\x39\x33\x20\x43\x20\x31\x32\x2e\x35\
\x34\x36\x36\x31\x38\x37\x32\x37\x31\x20\x31\x32\x2e\x35\x34\x35\
\x35\x31\x35\x30\x39\x38\x36\x20\x31\x32\x2e\x35\x35\x32\x38\x35\
\x39\x37\x39\x35\x39\x20\x31\x32\x2e\x35\x38\x37\x32\x31\x36\x30\
\x35\x38\x37\x20\x31\x32\x2e\x35\x35\x39\x31\x30\x30\x38\x36\x34\
\x37\x20\x31\x32\x2e\x36\x32\x38\x37\x39\x34\x32\x39\x33\x39\x20\
\x43\x20\x31\x32\x2e\x35\x36\x35\x33\x34\x31\x39\x33\x33\x36\x20\
\x31\x32\x2e\x36\x37\x30\x33\x37\x32\x35\x32\x39\x31\x20\x31\x32\
\x2e\x35\x37\x31\x35\x38\x33\x30\x30\x32\x34\x20\x31\x32\x2e\x37\
\x31\x31\x38\x32\x37\x32\x39\x38\x20\x31\x32\x2e\x35\x37\x37\x38\
\x32\x34\x30\x37\x31\x32\x20\x31\x32\x2e\x37\x35\x33\x31\x32\x37\
\x33\x39\x37\x39\x20\x43\x20\x31\x32\x2e\x35\x38\x34\x30\x36\x35\
\x31\x34\x30\x31\x20\x31\x32\x2e\x37\x39\x34\x34\x32\x37\x34\x39\
\x37\x38\x20\x31\x32\x2e\x35\x39\x30\x33\x30\x36\x32\x30\x38\x39\
\x20\x31\x32\x2e\x38\x33\x35\x35\x37\x31\x39\x39\x35\x31\x20\x31\
\x32\x2e\x35\x39\x36\x35\x34\x37\x32\x37\x37\x37\x20\x31\x32\x2e\
\x38\x37\x36\x35\x33\x30\x31\x31\x38\x35\x20\x43\x20\x31\x32\x2e\
\x36\x30\x32\x37\x38\x38\x33\x34\x36\x36\x20\x31\x32\x2e\x39\x31\
\x37\x34\x38\x38\x32\x34\x31\x38\x20\x31\x32\x2e\x36\x30\x39\x30\
\x32\x39\x34\x31\x35\x34\x20\x31\x32\x2e\x39\x35\x38\x32\x35\x38\
\x38\x36\x36\x39\x20\x31\x32\x2e\x36\x31\x35\x32\x37\x30\x34\x38\
\x34\x33\x20\x31\x32\x2e\x39\x39\x38\x38\x31\x31\x37\x30\x31\x31\
\x20\x43\x20\x31\x32\x2e\x36\x32\x31\x35\x31\x31\x35\x35\x33\x31\
\x20\x31\x33\x2e\x30\x33\x39\x33\x36\x34\x35\x33\x35\x32\x20\x31\
\x32\x2e\x36\x32\x37\x37\x35\x32\x36\x32\x31\x39\x20\x31\x33\x2e\
\x30\x37\x39\x36\x39\x38\x32\x36\x35\x33\x20\x31\x32\x2e\x36\x33\
\x33\x39\x39\x33\x36\x39\x30\x38\x20\x31\x33\x2e\x31\x31\x39\x37\
\x38\x33\x31\x32\x34\x32\x20\x43\x20\x31\x32\x2e\x36\x34\x30\x32\
\x33\x34\x37\x35\x39\x36\x20\x31\x33\x2e\x31\x35\x39\x38\x36\x37\
\x39\x38\x33\x31\x20\x31\x32\x2e\x36\x34\x36\x34\x37\x35\x38\x32\
\x38\x34\x20\x31\x33\x2e\x31\x39\x39\x37\x30\x32\x34\x37\x30\x36\
\x20\x31\x32\x2e\x36\x35\x32\x37\x31\x36\x38\x39\x37\x33\x20\x31\
\x33\x2e\x32\x33\x39\x32\x35\x37\x33\x39\x31\x35\x20\x43\x20\x31\
\x32\x2e\x36\x35\x38\x39\x35\x37\x39\x36\x36\x31\x20\x31\x33\x2e\
\x32\x37\x38\x38\x31\x32\x33\x31\x32\x33\x20\x31\x32\x2e\x36\x36\
\x35\x31\x39\x39\x30\x33\x34\x39\x20\x31\x33\x2e\x33\x31\x38\x30\
\x38\x35\x39\x38\x31\x37\x20\x31\x32\x2e\x36\x37\x31\x34\x34\x30\
\x31\x30\x33\x38\x20\x31\x33\x2e\x33\x35\x37\x30\x34\x39\x38\x32\
\x30\x39\x20\x43\x20\x31\x32\x2e\x36\x37\x37\x36\x38\x31\x31\x37\
\x32\x36\x20\x31\x33\x2e\x33\x39\x36\x30\x31\x33\x36\x36\x30\x32\
\x20\x31\x32\x2e\x36\x38\x33\x39\x32\x32\x32\x34\x31\x35\x20\x31\
\x33\x2e\x34\x33\x34\x36\x36\x35\x38\x30\x32\x36\x20\x31\x32\x2e\
\x36\x39\x30\x31\x36\x33\x33\x31\x30\x33\x20\x31\x33\x2e\x34\x37\
\x32\x39\x37\x38\x33\x33\x30\x33\x20\x43\x20\x31\x32\x2e\x36\x39\
\x36\x34\x30\x34\x33\x37\x39\x31\x20\x31\x33\x2e\x35\x31\x31\x32\
\x39\x30\x38\x35\x38\x31\x20\x31\x32\x2e\x37\x30\x32\x36\x34\x35\
\x34\x34\x38\x20\x31\x33\x2e\x35\x34\x39\x32\x36\x31\x37\x32\x35\
\x34\x20\x31\x32\x2e\x37\x30\x38\x38\x38\x36\x35\x31\x36\x38\x20\
\x31\x33\x2e\x35\x38\x36\x38\x36\x33\x37\x31\x38\x36\x20\x43\x20\
\x31\x32\x2e\x37\x31\x35\x31\x32\x37\x35\x38\x35\x36\x20\x31\x33\
\x2e\x36\x32\x34\x34\x36\x35\x37\x31\x31\x38\x20\x31\x32\x2e\x37\
\x32\x31\x33\x36\x38\x36\x35\x34\x35\x20\x31\x33\x2e\x36\x36\x31\
\x36\x39\x36\x36\x30\x39\x31\x20\x31\x32\x2e\x37\x32\x37\x36\x30\
\x39\x37\x32\x33\x33\x20\x31\x33\x2e\x36\x39\x38\x35\x32\x39\x39\
\x34\x33\x20\x43\x20\x31\x32\x2e\x37\x33\x33\x38\x35\x30\x37\x39\
\x32\x31\x20\x31\x33\x2e\x37\x33\x35\x33\x36\x33\x32\x37\x36\x39\
\x20\x31\x32\x2e\x37\x34\x30\x30\x39\x31\x38\x36\x31\x20\x31\x33\
\x2e\x37\x37\x31\x37\x39\x36\x36\x35\x33\x31\x20\x31\x32\x2e\x37\
\x34\x36\x33\x33\x32\x39\x32\x39\x38\x20\x31\x33\x2e\x38\x30\x37\
\x38\x30\x34\x33\x39\x31\x31\x20\x43\x20\x31\x32\x2e\x37\x35\x32\
\x35\x37\x33\x39\x39\x38\x36\x20\x31\x33\x2e\x38\x34\x33\x38\x31\
\x32\x31\x32\x39\x31\x20\x31\x32\x2e\x37\x35\x38\x38\x31\x35\x30\
\x36\x37\x35\x20\x31\x33\x2e\x38\x37\x39\x33\x39\x31\x36\x36\x35\
\x38\x20\x31\x32\x2e\x37\x36\x35\x30\x35\x36\x31\x33\x36\x33\x20\
\x31\x33\x2e\x39\x31\x34\x35\x31\x38\x31\x34\x37\x36\x20\x43\x20\
\x31\x32\x2e\x37\x37\x31\x32\x39\x37\x32\x30\x35\x32\x20\x31\x33\
\x2e\x39\x34\x39\x36\x34\x34\x36\x32\x39\x34\x20\x31\x32\x2e\x37\
\x37\x37\x35\x33\x38\x32\x37\x34\x20\x31\x33\x2e\x39\x38\x34\x33\
\x31\x35\x33\x32\x38\x32\x20\x31\x32\x2e\x37\x38\x33\x37\x37\x39\
\x33\x34\x32\x38\x20\x31\x34\x2e\x30\x31\x38\x35\x30\x36\x32\x35\
\x35\x36\x20\x43\x20\x31\x32\x2e\x37\x39\x30\x30\x32\x30\x34\x31\
\x31\x37\x20\x31\x34\x2e\x30\x35\x32\x36\x39\x37\x31\x38\x33\x20\
\x31\x32\x2e\x37\x39\x36\x32\x36\x31\x34\x38\x30\x35\x20\x31\x34\
\x2e\x30\x38\x36\x34\x30\x35\x34\x35\x30\x33\x20\x31\x32\x2e\x38\
\x30\x32\x35\x30\x32\x35\x34\x39\x33\x20\x31\x34\x2e\x31\x31\x39\
\x36\x30\x37\x39\x37\x31\x33\x20\x43\x20\x31\x32\x2e\x38\x30\x38\
\x37\x34\x33\x36\x31\x38\x32\x20\x31\x34\x2e\x31\x35\x32\x38\x31\
\x30\x34\x39\x32\x34\x20\x31\x32\x2e\x38\x31\x34\x39\x38\x34\x36\
\x38\x37\x20\x31\x34\x2e\x31\x38\x35\x35\x30\x34\x32\x32\x32\x33\
\x20\x31\x32\x2e\x38\x32\x31\x32\x32\x35\x37\x35\x35\x38\x20\x31\
\x34\x2e\x32\x31\x37\x36\x36\x37\x30\x31\x32\x39\x20\x43\x20\x31\
\x32\x2e\x38\x32\x37\x34\x36\x36\x38\x32\x34\x37\x20\x31\x34\x2e\
\x32\x34\x39\x38\x32\x39\x38\x30\x33\x36\x20\x31\x32\x2e\x38\x33\
\x33\x37\x30\x37\x38\x39\x33\x35\x20\x31\x34\x2e\x32\x38\x31\x34\
\x35\x38\x34\x35\x38\x35\x20\x31\x32\x2e\x38\x33\x39\x39\x34\x38\
\x39\x36\x32\x34\x20\x31\x34\x2e\x33\x31\x32\x35\x33\x31\x38\x30\
\x31\x38\x20\x43\x20\x31\x32\x2e\x38\x34\x36\x31\x39\x30\x30\x33\
\x31\x32\x20\x31\x34\x2e\x33\x34\x33\x36\x30\x35\x31\x34\x35\x31\
\x20\x31\x32\x2e\x38\x35\x32\x34\x33\x31\x31\x20\x31\x34\x2e\x33\
\x37\x34\x31\x31\x39\x38\x33\x33\x39\x20\x31\x32\x2e\x38\x35\x38\
\x36\x37\x32\x31\x36\x38\x39\x20\x31\x34\x2e\x34\x30\x34\x30\x35\
\x35\x36\x39\x37\x20\x43\x20\x31\x32\x2e\x38\x36\x34\x39\x31\x33\
\x32\x33\x37\x37\x20\x31\x34\x2e\x34\x33\x33\x39\x39\x31\x35\x36\
\x30\x31\x20\x31\x32\x2e\x38\x37\x31\x31\x35\x34\x33\x30\x36\x35\
\x20\x31\x34\x2e\x34\x36\x33\x33\x34\x35\x31\x31\x33\x34\x20\x31\
\x32\x2e\x38\x37\x37\x33\x39\x35\x33\x37\x35\x34\x20\x31\x34\x2e\
\x34\x39\x32\x30\x39\x37\x32\x32\x31\x39\x20\x43\x20\x31\x32\x2e\
\x38\x38\x33\x36\x33\x36\x34\x34\x34\x32\x20\x31\x34\x2e\x35\x32\
\x30\x38\x34\x39\x33\x33\x30\x33\x20\x31\x32\x2e\x38\x38\x39\x38\
\x37\x37\x35\x31\x33\x20\x31\x34\x2e\x35\x34\x38\x39\x39\x36\x33\
\x37\x33\x37\x20\x31\x32\x2e\x38\x39\x36\x31\x31\x38\x35\x38\x31\
\x39\x20\x31\x34\x2e\x35\x37\x36\x35\x32\x30\x32\x38\x32\x38\x20\
\x43\x20\x31\x32\x2e\x39\x30\x32\x33\x35\x39\x36\x35\x30\x37\x20\
\x31\x34\x2e\x36\x30\x34\x30\x34\x34\x31\x39\x31\x38\x20\x31\x32\
\x2e\x39\x30\x38\x36\x30\x30\x37\x31\x39\x35\x20\x31\x34\x2e\x36\
\x33\x30\x39\x34\x31\x32\x31\x36\x20\x31\x32\x2e\x39\x31\x34\x38\
\x34\x31\x37\x38\x38\x34\x20\x31\x34\x2e\x36\x35\x37\x31\x39\x34\
\x33\x37\x39\x35\x20\x43\x20\x31\x32\x2e\x39\x32\x31\x30\x38\x32\
\x38\x35\x37\x32\x20\x31\x34\x2e\x36\x38\x33\x34\x34\x37\x35\x34\
\x33\x20\x31\x32\x2e\x39\x32\x37\x33\x32\x33\x39\x32\x36\x31\x20\
\x31\x34\x2e\x37\x30\x39\x30\x35\x32\x39\x37\x30\x37\x20\x31\x32\
\x2e\x39\x33\x33\x35\x36\x34\x39\x39\x34\x39\x20\x31\x34\x2e\x37\
\x33\x33\x39\x39\x34\x38\x30\x36\x38\x20\x43\x20\x31\x32\x2e\x39\
\x33\x39\x38\x30\x36\x30\x36\x33\x37\x20\x31\x34\x2e\x37\x35\x38\
\x39\x33\x36\x36\x34\x33\x20\x31\x32\x2e\x39\x34\x36\x30\x34\x37\
\x31\x33\x32\x36\x20\x31\x34\x2e\x37\x38\x33\x32\x31\x30\x38\x39\
\x33\x37\x20\x31\x32\x2e\x39\x35\x32\x32\x38\x38\x32\x30\x31\x34\
\x20\x31\x34\x2e\x38\x30\x36\x38\x30\x32\x38\x34\x37\x36\x20\x43\
\x20\x31\x32\x2e\x39\x35\x38\x35\x32\x39\x32\x37\x30\x32\x20\x31\
\x34\x2e\x38\x33\x30\x33\x39\x34\x38\x30\x31\x35\x20\x31\x32\x2e\
\x39\x36\x34\x37\x37\x30\x33\x33\x39\x31\x20\x31\x34\x2e\x38\x35\
\x33\x33\x30\x30\x33\x35\x32\x34\x20\x31\x32\x2e\x39\x37\x31\x30\
\x31\x31\x34\x30\x37\x39\x20\x31\x34\x2e\x38\x37\x35\x35\x30\x35\
\x39\x35\x35\x39\x20\x43\x20\x31\x32\x2e\x39\x37\x37\x32\x35\x32\
\x34\x37\x36\x37\x20\x31\x34\x2e\x38\x39\x37\x37\x31\x31\x35\x35\
\x39\x34\x20\x31\x32\x2e\x39\x38\x33\x34\x39\x33\x35\x34\x35\x36\
\x20\x31\x34\x2e\x39\x31\x39\x32\x31\x33\x30\x30\x33\x33\x20\x31\
\x32\x2e\x39\x38\x39\x37\x33\x34\x36\x31\x34\x34\x20\x31\x34\x2e\
\x39\x33\x39\x39\x39\x37\x39\x33\x31\x32\x20\x43\x20\x31\x32\x2e\
\x39\x39\x35\x39\x37\x35\x36\x38\x33\x33\x20\x31\x34\x2e\x39\x36\
\x30\x37\x38\x32\x38\x35\x39\x31\x20\x31\x33\x2e\x30\x30\x32\x32\
\x31\x36\x37\x35\x32\x31\x20\x31\x34\x2e\x39\x38\x30\x38\x34\x36\
\x39\x35\x39\x33\x20\x31\x33\x2e\x30\x30\x38\x34\x35\x37\x38\x32\
\x30\x39\x20\x31\x35\x2e\x30\x30\x30\x31\x37\x39\x30\x38\x32\x35\
\x20\x43\x20\x31\x33\x2e\x30\x31\x34\x36\x39\x38\x38\x38\x39\x38\
\x20\x31\x35\x2e\x30\x31\x39\x35\x31\x31\x32\x30\x35\x38\x20\x31\
\x33\x2e\x30\x32\x30\x39\x33\x39\x39\x35\x38\x36\x20\x31\x35\x2e\
\x30\x33\x38\x31\x30\x36\x39\x34\x37\x33\x20\x31\x33\x2e\x30\x32\
\x37\x31\x38\x31\x30\x32\x37\x34\x20\x31\x35\x2e\x30\x35\x35\x39\
\x35\x36\x33\x38\x32\x35\x20\x43\x20\x31\x33\x2e\x30\x33\x33\x34\
\x32\x32\x30\x39\x36\x33\x20\x31\x35\x2e\x30\x37\x33\x38\x30\x35\
\x38\x31\x37\x36\x20\x31\x33\x2e\x30\x33\x39\x36\x36\x33\x31\x36\
\x35\x31\x20\x31\x35\x2e\x30\x39\x30\x39\x30\x34\x34\x35\x35\x35\
\x20\x31\x33\x2e\x30\x34\x35\x39\x30\x34\x32\x33\x33\x39\x20\x31\
\x35\x2e\x31\x30\x37\x32\x34\x33\x36\x31\x31\x32\x20\x43\x20\x31\
\x33\x2e\x30\x35\x32\x31\x34\x35\x33\x30\x32\x38\x20\x31\x35\x2e\
\x31\x32\x33\x35\x38\x32\x37\x36\x36\x38\x20\x31\x33\x2e\x30\x35\
\x38\x33\x38\x36\x33\x37\x31\x36\x20\x31\x35\x2e\x31\x33\x39\x31\
\x35\x37\x38\x37\x30\x31\x20\x31\x33\x2e\x30\x36\x34\x36\x32\x37\
\x34\x34\x30\x35\x20\x31\x35\x2e\x31\x35\x33\x39\x36\x31\x34\x38\
\x39\x33\x20\x43\x20\x31\x33\x2e\x30\x37\x30\x38\x36\x38\x35\x30\
\x39\x33\x20\x31\x35\x2e\x31\x36\x38\x37\x36\x35\x31\x30\x38\x35\
\x20\x31\x33\x2e\x30\x37\x37\x31\x30\x39\x35\x37\x38\x31\x20\x31\
\x35\x2e\x31\x38\x32\x37\x39\x32\x36\x30\x31\x34\x20\x31\x33\x2e\
\x30\x38\x33\x33\x35\x30\x36\x34\x37\x20\x31\x35\x2e\x31\x39\x36\
\x30\x33\x37\x38\x30\x30\x39\x20\x43\x20\x31\x33\x2e\x30\x38\x39\
\x35\x39\x31\x37\x31\x35\x38\x20\x31\x35\x2e\x32\x30\x39\x32\x38\
\x33\x30\x30\x30\x34\x20\x31\x33\x2e\x30\x39\x35\x38\x33\x32\x37\
\x38\x34\x36\x20\x31\x35\x2e\x32\x32\x31\x37\x34\x31\x31\x39\x39\
\x35\x20\x31\x33\x2e\x31\x30\x32\x30\x37\x33\x38\x35\x33\x35\x20\
\x31\x35\x2e\x32\x33\x33\x34\x30\x37\x35\x30\x35\x20\x43\x20\x31\
\x33\x2e\x31\x30\x38\x33\x31\x34\x39\x32\x32\x33\x20\x31\x35\x2e\
\x32\x34\x35\x30\x37\x33\x38\x31\x30\x35\x20\x31\x33\x2e\x31\x31\
\x34\x35\x35\x35\x39\x39\x31\x31\x20\x31\x35\x2e\x32\x35\x35\x39\
\x34\x33\x34\x35\x37\x38\x20\x31\x33\x2e\x31\x32\x30\x37\x39\x37\
\x30\x36\x20\x31\x35\x2e\x32\x36\x36\x30\x31\x32\x38\x33\x35\x37\
\x20\x43\x20\x31\x33\x2e\x31\x32\x37\x30\x33\x38\x31\x32\x38\x38\
\x20\x31\x35\x2e\x32\x37\x36\x30\x38\x32\x32\x31\x33\x36\x20\x31\
\x33\x2e\x31\x33\x33\x32\x37\x39\x31\x39\x37\x36\x20\x31\x35\x2e\
\x32\x38\x35\x33\x34\x36\x35\x30\x37\x31\x20\x31\x33\x2e\x31\x33\
\x39\x35\x32\x30\x32\x36\x36\x35\x20\x31\x35\x2e\x32\x39\x33\x38\
\x30\x33\x33\x39\x32\x32\x20\x43\x20\x31\x33\x2e\x31\x34\x35\x37\
\x36\x31\x33\x33\x35\x33\x20\x31\x35\x2e\x33\x30\x32\x32\x36\x30\
\x32\x37\x37\x33\x20\x31\x33\x2e\x31\x35\x32\x30\x30\x32\x34\x30\
\x34\x32\x20\x31\x35\x2e\x33\x30\x39\x39\x30\x34\x38\x39\x36\x32\
\x20\x31\x33\x2e\x31\x35\x38\x32\x34\x33\x34\x37\x33\x20\x31\x35\
\x2e\x33\x31\x36\x37\x33\x36\x32\x31\x36\x20\x43\x20\x31\x33\x2e\
\x31\x36\x34\x34\x38\x34\x35\x34\x31\x38\x20\x31\x35\x2e\x33\x32\
\x33\x35\x36\x37\x35\x33\x35\x38\x20\x31\x33\x2e\x31\x37\x30\x37\
\x32\x35\x36\x31\x30\x37\x20\x31\x35\x2e\x33\x32\x39\x35\x38\x30\
\x36\x36\x33\x33\x20\x31\x33\x2e\x31\x37\x36\x39\x36\x36\x36\x37\
\x39\x35\x20\x31\x35\x2e\x33\x33\x34\x37\x37\x35\x38\x35\x38\x20\
\x43\x20\x31\x33\x2e\x31\x38\x33\x32\x30\x37\x37\x34\x38\x33\x20\
\x31\x35\x2e\x33\x33\x39\x39\x37\x31\x30\x35\x32\x37\x20\x31\x33\
\x2e\x31\x38\x39\x34\x34\x38\x38\x31\x37\x32\x20\x31\x35\x2e\x33\
\x34\x34\x33\x34\x33\x33\x39\x33\x37\x20\x31\x33\x2e\x31\x39\x35\
\x36\x38\x39\x38\x38\x36\x20\x31\x35\x2e\x33\x34\x37\x38\x39\x34\
\x34\x33\x32\x36\x20\x43\x20\x31\x33\x2e\x32\x30\x31\x39\x33\x30\
\x39\x35\x34\x38\x20\x31\x35\x2e\x33\x35\x31\x34\x34\x35\x34\x37\
\x31\x34\x20\x31\x33\x2e\x32\x30\x38\x31\x37\x32\x30\x32\x33\x37\
\x20\x31\x35\x2e\x33\x35\x34\x31\x37\x30\x32\x36\x37\x32\x20\x31\
\x33\x2e\x32\x31\x34\x34\x31\x33\x30\x39\x32\x35\x20\x31\x35\x2e\
\x33\x35\x36\x30\x37\x31\x36\x36\x31\x32\x20\x43\x20\x31\x33\x2e\
\x32\x32\x30\x36\x35\x34\x31\x36\x31\x34\x20\x31\x35\x2e\x33\x35\
\x37\x39\x37\x33\x30\x35\x35\x31\x20\x31\x33\x2e\x32\x32\x36\x38\
\x39\x35\x32\x33\x30\x32\x20\x31\x35\x2e\x33\x35\x39\x30\x34\x36\
\x30\x39\x33\x38\x20\x31\x33\x2e\x32\x33\x33\x31\x33\x36\x32\x39\
\x39\x20\x31\x35\x2e\x33\x35\x39\x32\x39\x34\x39\x30\x33\x36\x20\
\x43\x20\x31\x33\x2e\x32\x33\x39\x33\x37\x37\x33\x36\x37\x39\x20\
\x31\x35\x2e\x33\x35\x39\x35\x34\x33\x37\x31\x33\x35\x20\x31\x33\
\x2e\x32\x34\x35\x36\x31\x38\x34\x33\x36\x37\x20\x31\x35\x2e\x33\
\x35\x38\x39\x36\x33\x33\x33\x36\x32\x20\x31\x33\x2e\x32\x35\x31\
\x38\x35\x39\x35\x30\x35\x35\x20\x31\x35\x2e\x33\x35\x37\x35\x35\
\x39\x31\x37\x37\x34\x20\x43\x20\x31\x33\x2e\x32\x35\x38\x31\x30\
\x30\x35\x37\x34\x34\x20\x31\x35\x2e\x33\x35\x36\x31\x35\x35\x30\
\x31\x38\x35\x20\x31\x33\x2e\x32\x36\x34\x33\x34\x31\x36\x34\x33\
\x32\x20\x31\x35\x2e\x33\x35\x33\x39\x32\x32\x31\x32\x32\x35\x20\
\x31\x33\x2e\x32\x37\x30\x35\x38\x32\x37\x31\x32\x20\x31\x35\x2e\
\x33\x35\x30\x38\x36\x37\x31\x36\x35\x35\x20\x43\x20\x31\x33\x2e\
\x32\x37\x36\x38\x32\x33\x37\x38\x30\x39\x20\x31\x35\x2e\x33\x34\
\x37\x38\x31\x32\x32\x30\x38\x35\x20\x31\x33\x2e\x32\x38\x33\x30\
\x36\x34\x38\x34\x39\x37\x20\x31\x35\x2e\x33\x34\x33\x39\x33\x30\
\x32\x34\x35\x34\x20\x31\x33\x2e\x32\x38\x39\x33\x30\x35\x39\x31\
\x38\x35\x20\x31\x35\x2e\x33\x33\x39\x32\x32\x39\x32\x31\x32\x35\
\x20\x43\x20\x31\x33\x2e\x32\x39\x35\x35\x34\x36\x39\x38\x37\x34\
\x20\x31\x35\x2e\x33\x33\x34\x35\x32\x38\x31\x37\x39\x37\x20\x31\
\x33\x2e\x33\x30\x31\x37\x38\x38\x30\x35\x36\x32\x20\x31\x35\x2e\
\x33\x32\x39\x30\x30\x33\x31\x35\x30\x31\x20\x31\x33\x2e\x33\x30\
\x38\x30\x32\x39\x31\x32\x35\x31\x20\x31\x35\x2e\x33\x32\x32\x36\
\x36\x33\x33\x30\x38\x32\x20\x43\x20\x31\x33\x2e\x33\x31\x34\x32\
\x37\x30\x31\x39\x33\x39\x20\x31\x35\x2e\x33\x31\x36\x33\x32\x33\
\x34\x36\x36\x33\x20\x31\x33\x2e\x33\x32\x30\x35\x31\x31\x32\x36\
\x32\x37\x20\x31\x35\x2e\x33\x30\x39\x31\x36\x33\x39\x31\x30\x38\
\x20\x31\x33\x2e\x33\x32\x36\x37\x35\x32\x33\x33\x31\x36\x20\x31\
\x35\x2e\x33\x30\x31\x31\x39\x35\x30\x35\x39\x39\x20\x43\x20\x31\
\x33\x2e\x33\x33\x32\x39\x39\x33\x34\x30\x30\x34\x20\x31\x35\x2e\
\x32\x39\x33\x32\x32\x36\x32\x30\x39\x20\x31\x33\x2e\x33\x33\x39\
\x32\x33\x34\x34\x36\x39\x32\x20\x31\x35\x2e\x32\x38\x34\x34\x34\
\x33\x31\x39\x34\x38\x20\x31\x33\x2e\x33\x34\x35\x34\x37\x35\x35\
\x33\x38\x31\x20\x31\x35\x2e\x32\x37\x34\x38\x35\x37\x36\x35\x33\
\x31\x20\x43\x20\x31\x33\x2e\x33\x35\x31\x37\x31\x36\x36\x30\x36\
\x39\x20\x31\x35\x2e\x32\x36\x35\x32\x37\x32\x31\x31\x31\x34\x20\
\x31\x33\x2e\x33\x35\x37\x39\x35\x37\x36\x37\x35\x37\x20\x31\x35\
\x2e\x32\x35\x34\x38\x37\x39\x32\x31\x35\x31\x20\x31\x33\x2e\x33\
\x36\x34\x31\x39\x38\x37\x34\x34\x36\x20\x31\x35\x2e\x32\x34\x33\
\x36\x39\x31\x37\x39\x39\x38\x20\x43\x20\x31\x33\x2e\x33\x37\x30\
\x34\x33\x39\x38\x31\x33\x34\x20\x31\x35\x2e\x32\x33\x32\x35\x30\
\x34\x33\x38\x34\x35\x20\x31\x33\x2e\x33\x37\x36\x36\x38\x30\x38\
\x38\x32\x33\x20\x31\x35\x2e\x32\x32\x30\x35\x31\x37\x36\x37\x31\
\x33\x20\x31\x33\x2e\x33\x38\x32\x39\x32\x31\x39\x35\x31\x31\x20\
\x31\x35\x2e\x32\x30\x37\x37\x34\x35\x36\x37\x35\x38\x20\x43\x20\
\x31\x33\x2e\x33\x38\x39\x31\x36\x33\x30\x31\x39\x39\x20\x31\x35\
\x2e\x31\x39\x34\x39\x37\x33\x36\x38\x30\x33\x20\x31\x33\x2e\x33\
\x39\x35\x34\x30\x34\x30\x38\x38\x38\x20\x31\x35\x2e\x31\x38\x31\
\x34\x31\x31\x36\x37\x39\x33\x20\x31\x33\x2e\x34\x30\x31\x36\x34\
\x35\x31\x35\x37\x36\x20\x31\x35\x2e\x31\x36\x37\x30\x37\x34\x38\
\x34\x36\x33\x20\x43\x20\x31\x33\x2e\x34\x30\x37\x38\x38\x36\x32\
\x32\x36\x34\x20\x31\x35\x2e\x31\x35\x32\x37\x33\x38\x30\x31\x33\
\x34\x20\x31\x33\x2e\x34\x31\x34\x31\x32\x37\x32\x39\x35\x33\x20\
\x31\x35\x2e\x31\x33\x37\x36\x32\x31\x36\x38\x38\x35\x20\x31\x33\
\x2e\x34\x32\x30\x33\x36\x38\x33\x36\x34\x31\x20\x31\x35\x2e\x31\
\x32\x31\x37\x34\x32\x31\x37\x39\x39\x20\x43\x20\x31\x33\x2e\x34\
\x32\x36\x36\x30\x39\x34\x33\x32\x39\x20\x31\x35\x2e\x31\x30\x35\
\x38\x36\x32\x36\x37\x31\x32\x20\x31\x33\x2e\x34\x33\x32\x38\x35\
\x30\x35\x30\x31\x38\x20\x31\x35\x2e\x30\x38\x39\x32\x31\x35\x33\
\x38\x39\x20\x31\x33\x2e\x34\x33\x39\x30\x39\x31\x35\x37\x30\x36\
\x20\x31\x35\x2e\x30\x37\x31\x38\x31\x37\x37\x35\x31\x31\x20\x43\
\x20\x31\x33\x2e\x34\x34\x35\x33\x33\x32\x36\x33\x39\x34\x20\x31\
\x35\x2e\x30\x35\x34\x34\x32\x30\x31\x31\x33\x32\x20\x31\x33\x2e\
\x34\x35\x31\x35\x37\x33\x37\x30\x38\x33\x20\x31\x35\x2e\x30\x33\
\x36\x32\x36\x37\x36\x30\x36\x39\x20\x31\x33\x2e\x34\x35\x37\x38\
\x31\x34\x37\x37\x37\x31\x20\x31\x35\x2e\x30\x31\x37\x33\x37\x38\
\x37\x33\x32\x38\x20\x43\x20\x31\x33\x2e\x34\x36\x34\x30\x35\x35\
\x38\x34\x36\x20\x31\x34\x2e\x39\x39\x38\x34\x38\x39\x38\x35\x38\
\x36\x20\x31\x33\x2e\x34\x37\x30\x32\x39\x36\x39\x31\x34\x38\x20\
\x31\x34\x2e\x39\x37\x38\x38\x36\x30\x31\x38\x38\x32\x20\x31\x33\
\x2e\x34\x37\x36\x35\x33\x37\x39\x38\x33\x36\x20\x31\x34\x2e\x39\
\x35\x38\x35\x30\x39\x32\x37\x36\x20\x43\x20\x31\x33\x2e\x34\x38\
\x32\x37\x37\x39\x30\x35\x32\x35\x20\x31\x34\x2e\x39\x33\x38\x31\
\x35\x38\x33\x36\x33\x39\x20\x31\x33\x2e\x34\x38\x39\x30\x32\x30\
\x31\x32\x31\x33\x20\x31\x34\x2e\x39\x31\x37\x30\x38\x31\x38\x37\
\x32\x36\x20\x31\x33\x2e\x34\x39\x35\x32\x36\x31\x31\x39\x30\x31\
\x20\x31\x34\x2e\x38\x39\x35\x33\x30\x30\x33\x38\x30\x37\x20\x43\
\x20\x31\x33\x2e\x35\x30\x31\x35\x30\x32\x32\x35\x39\x20\x31\x34\
\x2e\x38\x37\x33\x35\x31\x38\x38\x38\x38\x37\x20\x31\x33\x2e\x35\
\x30\x37\x37\x34\x33\x33\x32\x37\x38\x20\x31\x34\x2e\x38\x35\x31\
\x30\x32\x38\x31\x35\x36\x35\x20\x31\x33\x2e\x35\x31\x33\x39\x38\
\x34\x33\x39\x36\x36\x20\x31\x34\x2e\x38\x32\x37\x38\x34\x39\x37\
\x35\x34\x33\x20\x43\x20\x31\x33\x2e\x35\x32\x30\x32\x32\x35\x34\
\x36\x35\x35\x20\x31\x34\x2e\x38\x30\x34\x36\x37\x31\x33\x35\x32\
\x32\x20\x31\x33\x2e\x35\x32\x36\x34\x36\x36\x35\x33\x34\x33\x20\
\x31\x34\x2e\x37\x38\x30\x38\x30\x31\x31\x34\x34\x39\x20\x31\x33\
\x2e\x35\x33\x32\x37\x30\x37\x36\x30\x33\x32\x20\x31\x34\x2e\x37\
\x35\x36\x32\x36\x31\x36\x36\x31\x34\x20\x43\x20\x31\x33\x2e\x35\
\x33\x38\x39\x34\x38\x36\x37\x32\x20\x31\x34\x2e\x37\x33\x31\x37\
\x32\x32\x31\x37\x38\x20\x31\x33\x2e\x35\x34\x35\x31\x38\x39\x37\
\x34\x30\x38\x20\x31\x34\x2e\x37\x30\x36\x35\x30\x39\x33\x39\x33\
\x39\x20\x31\x33\x2e\x35\x35\x31\x34\x33\x30\x38\x30\x39\x37\x20\
\x31\x34\x2e\x36\x38\x30\x36\x34\x36\x37\x36\x32\x31\x20\x43\x20\
\x31\x33\x2e\x35\x35\x37\x36\x37\x31\x38\x37\x38\x35\x20\x31\x34\
\x2e\x36\x35\x34\x37\x38\x34\x31\x33\x30\x32\x20\x31\x33\x2e\x35\
\x36\x33\x39\x31\x32\x39\x34\x37\x33\x20\x31\x34\x2e\x36\x32\x38\
\x32\x36\x37\x37\x34\x33\x31\x20\x31\x33\x2e\x35\x37\x30\x31\x35\
\x34\x30\x31\x36\x32\x20\x31\x34\x2e\x36\x30\x31\x31\x32\x31\x39\
\x34\x30\x39\x20\x43\x20\x31\x33\x2e\x35\x37\x36\x33\x39\x35\x30\
\x38\x35\x20\x31\x34\x2e\x35\x37\x33\x39\x37\x36\x31\x33\x38\x38\
\x20\x31\x33\x2e\x35\x38\x32\x36\x33\x36\x31\x35\x33\x38\x20\x31\
\x34\x2e\x35\x34\x36\x31\x39\x37\x31\x33\x37\x33\x20\x31\x33\x2e\
\x35\x38\x38\x38\x37\x37\x32\x32\x32\x37\x20\x31\x34\x2e\x35\x31\
\x37\x38\x31\x30\x31\x32\x36\x36\x20\x43\x20\x31\x33\x2e\x35\x39\
\x35\x31\x31\x38\x32\x39\x31\x35\x20\x31\x34\x2e\x34\x38\x39\x34\
\x32\x33\x31\x31\x35\x39\x20\x31\x33\x2e\x36\x30\x31\x33\x35\x39\
\x33\x36\x30\x34\x20\x31\x34\x2e\x34\x36\x30\x34\x32\x34\x34\x34\
\x30\x35\x20\x31\x33\x2e\x36\x30\x37\x36\x30\x30\x34\x32\x39\x32\
\x20\x31\x34\x2e\x34\x33\x30\x38\x34\x30\x31\x30\x31\x36\x20\x43\
\x20\x31\x33\x2e\x36\x31\x33\x38\x34\x31\x34\x39\x38\x20\x31\x34\
\x2e\x34\x30\x31\x32\x35\x35\x37\x36\x32\x37\x20\x31\x33\x2e\x36\
\x32\x30\x30\x38\x32\x35\x36\x36\x39\x20\x31\x34\x2e\x33\x37\x31\
\x30\x38\x32\x32\x33\x39\x32\x20\x31\x33\x2e\x36\x32\x36\x33\x32\
\x33\x36\x33\x35\x37\x20\x31\x34\x2e\x33\x34\x30\x33\x34\x36\x33\
\x30\x33\x32\x20\x43\x20\x31\x33\x2e\x36\x33\x32\x35\x36\x34\x37\
\x30\x34\x35\x20\x31\x34\x2e\x33\x30\x39\x36\x31\x30\x33\x36\x37\
\x32\x20\x31\x33\x2e\x36\x33\x38\x38\x30\x35\x37\x37\x33\x34\x20\
\x31\x34\x2e\x32\x37\x38\x33\x30\x38\x36\x33\x37\x36\x20\x31\x33\
\x2e\x36\x34\x35\x30\x34\x36\x38\x34\x32\x32\x20\x31\x34\x2e\x32\
\x34\x36\x34\x36\x38\x36\x31\x35\x38\x20\x43\x20\x31\x33\x2e\x36\
\x35\x31\x32\x38\x37\x39\x31\x31\x20\x31\x34\x2e\x32\x31\x34\x36\
\x32\x38\x35\x39\x34\x20\x31\x33\x2e\x36\x35\x37\x35\x32\x38\x39\
\x37\x39\x39\x20\x31\x34\x2e\x31\x38\x32\x32\x34\x37\x30\x34\x34\
\x31\x20\x31\x33\x2e\x36\x36\x33\x37\x37\x30\x30\x34\x38\x37\x20\
\x31\x34\x2e\x31\x34\x39\x33\x35\x32\x31\x35\x34\x35\x20\x43\x20\
\x31\x33\x2e\x36\x37\x30\x30\x31\x31\x31\x31\x37\x35\x20\x31\x34\
\x2e\x31\x31\x36\x34\x35\x37\x32\x36\x34\x38\x20\x31\x33\x2e\x36\
\x37\x36\x32\x35\x32\x31\x38\x36\x34\x20\x31\x34\x2e\x30\x38\x33\
\x30\x34\x35\x39\x34\x39\x37\x20\x31\x33\x2e\x36\x38\x32\x34\x39\
\x33\x32\x35\x35\x32\x20\x31\x34\x2e\x30\x34\x39\x31\x34\x37\x30\
\x34\x30\x38\x20\x43\x20\x31\x33\x2e\x36\x38\x38\x37\x33\x34\x33\
\x32\x34\x31\x20\x31\x34\x2e\x30\x31\x35\x32\x34\x38\x31\x33\x31\
\x38\x20\x31\x33\x2e\x36\x39\x34\x39\x37\x35\x33\x39\x32\x39\x20\
\x31\x33\x2e\x39\x38\x30\x38\x35\x38\x36\x39\x38\x33\x20\x31\x33\
\x2e\x37\x30\x31\x32\x31\x36\x34\x36\x31\x37\x20\x31\x33\x2e\x39\
\x34\x36\x30\x30\x38\x31\x37\x30\x36\x20\x43\x20\x31\x33\x2e\x37\
\x30\x37\x34\x35\x37\x35\x33\x30\x36\x20\x31\x33\x2e\x39\x31\x31\
\x31\x35\x37\x36\x34\x33\x20\x31\x33\x2e\x37\x31\x33\x36\x39\x38\
\x35\x39\x39\x34\x20\x31\x33\x2e\x38\x37\x35\x38\x34\x33\x32\x34\
\x39\x39\x20\x31\x33\x2e\x37\x31\x39\x39\x33\x39\x36\x36\x38\x32\
\x20\x31\x33\x2e\x38\x34\x30\x30\x39\x34\x39\x37\x35\x20\x43\x20\
\x31\x33\x2e\x37\x32\x36\x31\x38\x30\x37\x33\x37\x31\x20\x31\x33\
\x2e\x38\x30\x34\x33\x34\x36\x37\x30\x30\x32\x20\x31\x33\x2e\x37\
\x33\x32\x34\x32\x31\x38\x30\x35\x39\x20\x31\x33\x2e\x37\x36\x38\
\x31\x36\x31\x39\x33\x36\x31\x20\x31\x33\x2e\x37\x33\x38\x36\x36\
\x32\x38\x37\x34\x37\x20\x31\x33\x2e\x37\x33\x31\x35\x37\x31\x31\
\x37\x33\x34\x20\x43\x20\x31\x33\x2e\x37\x34\x34\x39\x30\x33\x39\
\x34\x33\x36\x20\x31\x33\x2e\x36\x39\x34\x39\x38\x30\x34\x31\x30\
\x37\x20\x31\x33\x2e\x37\x35\x31\x31\x34\x35\x30\x31\x32\x34\x20\
\x31\x33\x2e\x36\x35\x37\x39\x38\x31\x32\x30\x39\x37\x20\x31\x33\
\x2e\x37\x35\x37\x33\x38\x36\x30\x38\x31\x33\x20\x31\x33\x2e\x36\
\x32\x30\x36\x30\x34\x35\x32\x30\x37\x20\x43\x20\x31\x33\x2e\x37\
\x36\x33\x36\x32\x37\x31\x35\x30\x31\x20\x31\x33\x2e\x35\x38\x33\
\x32\x32\x37\x38\x33\x31\x38\x20\x31\x33\x2e\x37\x36\x39\x38\x36\
\x38\x32\x31\x38\x39\x20\x31\x33\x2e\x35\x34\x35\x34\x37\x31\x33\
\x38\x36\x38\x20\x31\x33\x2e\x37\x37\x36\x31\x30\x39\x32\x38\x37\
\x38\x20\x31\x33\x2e\x35\x30\x37\x33\x36\x36\x35\x34\x38\x20\x43\
\x20\x31\x33\x2e\x37\x38\x32\x33\x35\x30\x33\x35\x36\x36\x20\x31\
\x33\x2e\x34\x36\x39\x32\x36\x31\x37\x30\x39\x32\x20\x31\x33\x2e\
\x37\x38\x38\x35\x39\x31\x34\x32\x35\x34\x20\x31\x33\x2e\x34\x33\
\x30\x38\x30\x36\x33\x38\x33\x37\x20\x31\x33\x2e\x37\x39\x34\x38\
\x33\x32\x34\x39\x34\x33\x20\x31\x33\x2e\x33\x39\x32\x30\x33\x32\
\x32\x39\x37\x32\x20\x43\x20\x31\x33\x2e\x38\x30\x31\x30\x37\x33\
\x35\x36\x33\x31\x20\x31\x33\x2e\x33\x35\x33\x32\x35\x38\x32\x31\
\x30\x37\x20\x31\x33\x2e\x38\x30\x37\x33\x31\x34\x36\x33\x31\x39\
\x20\x31\x33\x2e\x33\x31\x34\x31\x36\x33\x34\x34\x38\x35\x20\x31\
\x33\x2e\x38\x31\x33\x35\x35\x35\x37\x30\x30\x38\x20\x31\x33\x2e\
\x32\x37\x34\x37\x38\x30\x30\x35\x30\x38\x20\x43\x20\x31\x33\x2e\
\x38\x31\x39\x37\x39\x36\x37\x36\x39\x36\x20\x31\x33\x2e\x32\x33\
\x35\x33\x39\x36\x36\x35\x33\x31\x20\x31\x33\x2e\x38\x32\x36\x30\
\x33\x37\x38\x33\x38\x34\x20\x31\x33\x2e\x31\x39\x35\x37\x32\x32\
\x38\x38\x36\x35\x20\x31\x33\x2e\x38\x33\x32\x32\x37\x38\x39\x30\
\x37\x33\x20\x31\x33\x2e\x31\x35\x35\x37\x39\x31\x30\x35\x36\x31\
\x20\x43\x20\x31\x33\x2e\x38\x33\x38\x35\x31\x39\x39\x37\x36\x31\
\x20\x31\x33\x2e\x31\x31\x35\x38\x35\x39\x32\x32\x35\x36\x20\x31\
\x33\x2e\x38\x34\x34\x37\x36\x31\x30\x34\x35\x20\x31\x33\x2e\x30\
\x37\x35\x36\x36\x37\x37\x38\x31\x39\x20\x31\x33\x2e\x38\x35\x31\
\x30\x30\x32\x31\x31\x33\x38\x20\x31\x33\x2e\x30\x33\x35\x32\x34\
\x39\x32\x34\x34\x38\x20\x43\x20\x31\x33\x2e\x38\x35\x37\x32\x34\
\x33\x31\x38\x32\x36\x20\x31\x32\x2e\x39\x39\x34\x38\x33\x30\x37\
\x30\x37\x38\x20\x31\x33\x2e\x38\x36\x33\x34\x38\x34\x32\x35\x31\
\x35\x20\x31\x32\x2e\x39\x35\x34\x31\x38\x33\x37\x31\x34\x34\x20\
\x31\x33\x2e\x38\x36\x39\x37\x32\x35\x33\x32\x30\x33\x20\x31\x32\
\x2e\x39\x31\x33\x33\x34\x30\x39\x34\x39\x33\x20\x43\x20\x31\x33\
\x2e\x38\x37\x35\x39\x36\x36\x33\x38\x39\x31\x20\x31\x32\x2e\x38\
\x37\x32\x34\x39\x38\x31\x38\x34\x33\x20\x31\x33\x2e\x38\x38\x32\
\x32\x30\x37\x34\x35\x38\x20\x31\x32\x2e\x38\x33\x31\x34\x35\x38\
\x34\x37\x32\x39\x20\x31\x33\x2e\x38\x38\x38\x34\x34\x38\x35\x32\
\x36\x38\x20\x31\x32\x2e\x37\x39\x30\x32\x35\x34\x36\x31\x34\x31\
\x20\x43\x20\x31\x33\x2e\x38\x39\x34\x36\x38\x39\x35\x39\x35\x36\
\x20\x31\x32\x2e\x37\x34\x39\x30\x35\x30\x37\x35\x35\x33\x20\x31\
\x33\x2e\x39\x30\x30\x39\x33\x30\x36\x36\x34\x35\x20\x31\x32\x2e\
\x37\x30\x37\x36\x38\x31\x37\x36\x34\x37\x20\x31\x33\x2e\x39\x30\
\x37\x31\x37\x31\x37\x33\x33\x33\x20\x31\x32\x2e\x36\x36\x36\x31\
\x38\x30\x35\x30\x34\x36\x20\x43\x20\x31\x33\x2e\x39\x31\x33\x34\
\x31\x32\x38\x30\x32\x32\x20\x31\x32\x2e\x36\x32\x34\x36\x37\x39\
\x32\x34\x34\x35\x20\x31\x33\x2e\x39\x31\x39\x36\x35\x33\x38\x37\
\x31\x20\x31\x32\x2e\x35\x38\x33\x30\x34\x34\x39\x32\x32\x34\x20\
\x31\x33\x2e\x39\x32\x35\x38\x39\x34\x39\x33\x39\x38\x20\x31\x32\
\x2e\x35\x34\x31\x33\x31\x30\x34\x31\x33\x33\x20\x43\x20\x31\x33\
\x2e\x39\x33\x32\x31\x33\x36\x30\x30\x38\x37\x20\x31\x32\x2e\x34\
\x39\x39\x35\x37\x35\x39\x30\x34\x32\x20\x31\x33\x2e\x39\x33\x38\
\x33\x37\x37\x30\x37\x37\x35\x20\x31\x32\x2e\x34\x35\x37\x37\x34\
\x30\x36\x30\x38\x34\x20\x31\x33\x2e\x39\x34\x34\x36\x31\x38\x31\
\x34\x36\x33\x20\x31\x32\x2e\x34\x31\x35\x38\x33\x37\x33\x36\x33\
\x20\x43\x20\x31\x33\x2e\x39\x35\x30\x38\x35\x39\x32\x31\x35\x32\
\x20\x31\x32\x2e\x33\x37\x33\x39\x33\x34\x31\x31\x37\x35\x20\x31\
\x33\x2e\x39\x35\x37\x31\x30\x30\x32\x38\x34\x20\x31\x32\x2e\x33\
\x33\x31\x39\x36\x32\x35\x31\x36\x37\x20\x31\x33\x2e\x39\x36\x33\
\x33\x34\x31\x33\x35\x32\x38\x20\x31\x32\x2e\x32\x38\x39\x39\x35\
\x35\x33\x30\x38\x35\x20\x43\x20\x31\x33\x2e\x39\x36\x39\x35\x38\
\x32\x34\x32\x31\x37\x20\x31\x32\x2e\x32\x34\x37\x39\x34\x38\x31\
\x30\x30\x33\x20\x31\x33\x2e\x39\x37\x35\x38\x32\x33\x34\x39\x30\
\x35\x20\x31\x32\x2e\x32\x30\x35\x39\x30\x35\x30\x37\x33\x36\x20\
\x31\x33\x2e\x39\x38\x32\x30\x36\x34\x35\x35\x39\x33\x20\x31\x32\
\x2e\x31\x36\x33\x38\x35\x38\x38\x33\x37\x20\x43\x20\x31\x33\x2e\
\x39\x38\x38\x33\x30\x35\x36\x32\x38\x32\x20\x31\x32\x2e\x31\x32\
\x31\x38\x31\x32\x36\x30\x30\x33\x20\x31\x33\x2e\x39\x39\x34\x35\
\x34\x36\x36\x39\x37\x20\x31\x32\x2e\x30\x37\x39\x37\x36\x33\x31\
\x33\x37\x35\x20\x31\x34\x2e\x30\x30\x30\x37\x38\x37\x37\x36\x35\
\x39\x20\x31\x32\x2e\x30\x33\x37\x37\x34\x32\x38\x36\x37\x20\x43\
\x20\x31\x34\x2e\x30\x30\x37\x30\x32\x38\x38\x33\x34\x37\x20\x31\
\x31\x2e\x39\x39\x35\x37\x32\x32\x35\x39\x36\x35\x20\x31\x34\x2e\
\x30\x31\x33\x32\x36\x39\x39\x30\x33\x35\x20\x31\x31\x2e\x39\x35\
\x33\x37\x33\x31\x36\x39\x37\x31\x20\x31\x34\x2e\x30\x31\x39\x35\
\x31\x30\x39\x37\x32\x34\x20\x31\x31\x2e\x39\x31\x31\x38\x30\x32\
\x33\x34\x37\x32\x20\x43\x20\x31\x34\x2e\x30\x32\x35\x37\x35\x32\
\x30\x34\x31\x32\x20\x31\x31\x2e\x38\x36\x39\x38\x37\x32\x39\x39\
\x37\x33\x20\x31\x34\x2e\x30\x33\x31\x39\x39\x33\x31\x31\x20\x31\
\x31\x2e\x38\x32\x38\x30\x30\x35\x35\x37\x30\x34\x20\x31\x34\x2e\
\x30\x33\x38\x32\x33\x34\x31\x37\x38\x39\x20\x31\x31\x2e\x37\x38\
\x36\x32\x33\x31\x39\x35\x35\x31\x20\x43\x20\x31\x34\x2e\x30\x34\
\x34\x34\x37\x35\x32\x34\x37\x37\x20\x31\x31\x2e\x37\x34\x34\x34\
\x35\x38\x33\x33\x39\x38\x20\x31\x34\x2e\x30\x35\x30\x37\x31\x36\
\x33\x31\x36\x35\x20\x31\x31\x2e\x37\x30\x32\x37\x37\x39\x31\x30\
\x33\x36\x20\x31\x34\x2e\x30\x35\x36\x39\x35\x37\x33\x38\x35\x34\
\x20\x31\x31\x2e\x36\x36\x31\x32\x32\x35\x37\x39\x36\x20\x43\x20\
\x31\x34\x2e\x30\x36\x33\x31\x39\x38\x34\x35\x34\x32\x20\x31\x31\
\x2e\x36\x31\x39\x36\x37\x32\x34\x38\x38\x35\x20\x31\x34\x2e\x30\
\x36\x39\x34\x33\x39\x35\x32\x33\x31\x20\x31\x31\x2e\x35\x37\x38\
\x32\x34\x35\x38\x37\x30\x32\x20\x31\x34\x2e\x30\x37\x35\x36\x38\
\x30\x35\x39\x31\x39\x20\x31\x31\x2e\x35\x33\x36\x39\x37\x37\x31\
\x30\x33\x31\x20\x43\x20\x31\x34\x2e\x30\x38\x31\x39\x32\x31\x36\
\x36\x30\x37\x20\x31\x31\x2e\x34\x39\x35\x37\x30\x38\x33\x33\x36\
\x20\x31\x34\x2e\x30\x38\x38\x31\x36\x32\x37\x32\x39\x36\x20\x31\
\x31\x2e\x34\x35\x34\x35\x39\x38\x33\x37\x32\x36\x20\x31\x34\x2e\
\x30\x39\x34\x34\x30\x33\x37\x39\x38\x34\x20\x31\x31\x2e\x34\x31\
\x33\x36\x37\x37\x39\x33\x38\x37\x20\x43\x20\x31\x34\x2e\x31\x30\
\x30\x36\x34\x34\x38\x36\x37\x32\x20\x31\x31\x2e\x33\x37\x32\x37\
\x35\x37\x35\x30\x34\x37\x20\x31\x34\x2e\x31\x30\x36\x38\x38\x35\
\x39\x33\x36\x31\x20\x31\x31\x2e\x33\x33\x32\x30\x32\x37\x37\x34\
\x33\x35\x20\x31\x34\x2e\x31\x31\x33\x31\x32\x37\x30\x30\x34\x39\
\x20\x31\x31\x2e\x32\x39\x31\x35\x31\x38\x38\x39\x37\x32\x20\x43\
\x20\x31\x34\x2e\x31\x31\x39\x33\x36\x38\x30\x37\x33\x37\x20\x31\
\x31\x2e\x32\x35\x31\x30\x31\x30\x30\x35\x30\x38\x20\x31\x34\x2e\
\x31\x32\x35\x36\x30\x39\x31\x34\x32\x36\x20\x31\x31\x2e\x32\x31\
\x30\x37\x32\x33\x34\x35\x31\x34\x20\x31\x34\x2e\x31\x33\x31\x38\
\x35\x30\x32\x31\x31\x34\x20\x31\x31\x2e\x31\x37\x30\x36\x38\x38\
\x38\x31\x30\x37\x20\x43\x20\x31\x34\x2e\x31\x33\x38\x30\x39\x31\
\x32\x38\x30\x33\x20\x31\x31\x2e\x31\x33\x30\x36\x35\x34\x31\x37\
\x30\x31\x20\x31\x34\x2e\x31\x34\x34\x33\x33\x32\x33\x34\x39\x31\
\x20\x31\x31\x2e\x30\x39\x30\x38\x37\x33\x30\x30\x37\x20\x31\x34\
\x2e\x31\x35\x30\x35\x37\x33\x34\x31\x37\x39\x20\x31\x31\x2e\x30\
\x35\x31\x33\x37\x34\x34\x35\x37\x32\x20\x43\x20\x31\x34\x2e\x31\
\x35\x36\x38\x31\x34\x34\x38\x36\x38\x20\x31\x31\x2e\x30\x31\x31\
\x38\x37\x35\x39\x30\x37\x34\x20\x31\x34\x2e\x31\x36\x33\x30\x35\
\x35\x35\x35\x35\x36\x20\x31\x30\x2e\x39\x37\x32\x36\x36\x31\x36\
\x37\x33\x39\x20\x31\x34\x2e\x31\x36\x39\x32\x39\x36\x36\x32\x34\
\x34\x20\x31\x30\x2e\x39\x33\x33\x37\x36\x30\x32\x37\x31\x34\x20\
\x43\x20\x31\x34\x2e\x31\x37\x35\x35\x33\x37\x36\x39\x33\x33\x20\
\x31\x30\x2e\x38\x39\x34\x38\x35\x38\x38\x36\x38\x38\x20\x31\x34\
\x2e\x31\x38\x31\x37\x37\x38\x37\x36\x32\x31\x20\x31\x30\x2e\x38\
\x35\x36\x32\x37\x32\x31\x38\x32\x20\x31\x34\x2e\x31\x38\x38\x30\
\x31\x39\x38\x33\x30\x39\x20\x31\x30\x2e\x38\x31\x38\x30\x32\x38\
\x30\x36\x20\x43\x20\x31\x34\x2e\x31\x39\x34\x32\x36\x30\x38\x39\
\x39\x38\x20\x31\x30\x2e\x37\x37\x39\x37\x38\x33\x39\x33\x38\x31\
\x20\x31\x34\x2e\x32\x30\x30\x35\x30\x31\x39\x36\x38\x36\x20\x31\
\x30\x2e\x37\x34\x31\x38\x38\x34\x34\x34\x34\x37\x20\x31\x34\x2e\
\x32\x30\x36\x37\x34\x33\x30\x33\x37\x34\x20\x31\x30\x2e\x37\x30\
\x34\x33\x35\x36\x37\x32\x30\x37\x20\x43\x20\x31\x34\x2e\x32\x31\
\x32\x39\x38\x34\x31\x30\x36\x33\x20\x31\x30\x2e\x36\x36\x36\x38\
\x32\x38\x39\x39\x36\x37\x20\x31\x34\x2e\x32\x31\x39\x32\x32\x35\
\x31\x37\x35\x31\x20\x31\x30\x2e\x36\x32\x39\x36\x37\x35\x32\x38\
\x31\x34\x20\x31\x34\x2e\x32\x32\x35\x34\x36\x36\x32\x34\x34\x20\
\x31\x30\x2e\x35\x39\x32\x39\x32\x31\x39\x36\x35\x33\x20\x43\x20\
\x31\x34\x2e\x32\x33\x31\x37\x30\x37\x33\x31\x32\x38\x20\x31\x30\
\x2e\x35\x35\x36\x31\x36\x38\x36\x34\x39\x32\x20\x31\x34\x2e\x32\
\x33\x37\x39\x34\x38\x33\x38\x31\x36\x20\x31\x30\x2e\x35\x31\x39\
\x38\x31\x38\x31\x34\x33\x38\x20\x31\x34\x2e\x32\x34\x34\x31\x38\
\x39\x34\x35\x30\x35\x20\x31\x30\x2e\x34\x38\x33\x38\x39\x36\x30\
\x34\x38\x35\x20\x43\x20\x31\x34\x2e\x32\x35\x30\x34\x33\x30\x35\
\x31\x39\x33\x20\x31\x30\x2e\x34\x34\x37\x39\x37\x33\x39\x35\x33\
\x32\x20\x31\x34\x2e\x32\x35\x36\x36\x37\x31\x35\x38\x38\x31\x20\
\x31\x30\x2e\x34\x31\x32\x34\x38\x32\x38\x34\x37\x38\x20\x31\x34\
\x2e\x32\x36\x32\x39\x31\x32\x36\x35\x37\x20\x31\x30\x2e\x33\x37\
\x37\x34\x34\x37\x35\x30\x31\x33\x20\x43\x20\x31\x34\x2e\x32\x36\
\x39\x31\x35\x33\x37\x32\x35\x38\x20\x31\x30\x2e\x33\x34\x32\x34\
\x31\x32\x31\x35\x34\x38\x20\x31\x34\x2e\x32\x37\x35\x33\x39\x34\
\x37\x39\x34\x36\x20\x31\x30\x2e\x33\x30\x37\x38\x33\x35\x33\x31\
\x31\x33\x20\x31\x34\x2e\x32\x38\x31\x36\x33\x35\x38\x36\x33\x35\
\x20\x31\x30\x2e\x32\x37\x33\x37\x34\x30\x38\x37\x30\x38\x20\x43\
\x20\x31\x34\x2e\x32\x38\x37\x38\x37\x36\x39\x33\x32\x33\x20\x31\
\x30\x2e\x32\x33\x39\x36\x34\x36\x34\x33\x30\x33\x20\x31\x34\x2e\
\x32\x39\x34\x31\x31\x38\x30\x30\x31\x32\x20\x31\x30\x2e\x32\x30\
\x36\x30\x33\x37\x32\x39\x37\x32\x20\x31\x34\x2e\x33\x30\x30\x33\
\x35\x39\x30\x37\x20\x31\x30\x2e\x31\x37\x32\x39\x33\x36\x34\x36\
\x35\x35\x20\x43\x20\x31\x34\x2e\x33\x30\x36\x36\x30\x30\x31\x33\
\x38\x38\x20\x31\x30\x2e\x31\x33\x39\x38\x33\x35\x36\x33\x33\x38\
\x20\x31\x34\x2e\x33\x31\x32\x38\x34\x31\x32\x30\x37\x37\x20\x31\
\x30\x2e\x31\x30\x37\x32\x34\x36\x31\x36\x33\x37\x20\x31\x34\x2e\
\x33\x31\x39\x30\x38\x32\x32\x37\x36\x35\x20\x31\x30\x2e\x30\x37\
\x35\x31\x39\x30\x31\x30\x37\x38\x20\x43\x20\x31\x34\x2e\x33\x32\
\x35\x33\x32\x33\x33\x34\x35\x33\x20\x31\x30\x2e\x30\x34\x33\x31\
\x33\x34\x30\x35\x31\x38\x20\x31\x34\x2e\x33\x33\x31\x35\x36\x34\
\x34\x31\x34\x32\x20\x31\x30\x2e\x30\x31\x31\x36\x31\x34\x36\x32\
\x31\x32\x20\x31\x34\x2e\x33\x33\x37\x38\x30\x35\x34\x38\x33\x20\
\x39\x2e\x39\x38\x30\x36\x35\x32\x38\x39\x32\x38\x37\x20\x43\x20\
\x31\x34\x2e\x33\x34\x34\x30\x34\x36\x35\x35\x31\x38\x20\x39\x2e\
\x39\x34\x39\x36\x39\x31\x31\x36\x34\x35\x35\x20\x31\x34\x2e\x33\
\x35\x30\x32\x38\x37\x36\x32\x30\x37\x20\x39\x2e\x39\x31\x39\x32\
\x39\x30\x34\x39\x35\x37\x39\x20\x31\x34\x2e\x33\x35\x36\x35\x32\
\x38\x36\x38\x39\x35\x20\x39\x2e\x38\x38\x39\x34\x37\x30\x39\x35\
\x35\x34\x20\x43\x20\x31\x34\x2e\x33\x36\x32\x37\x36\x39\x37\x35\
\x38\x33\x20\x39\x2e\x38\x35\x39\x36\x35\x31\x34\x31\x35\x30\x32\
\x20\x31\x34\x2e\x33\x36\x39\x30\x31\x30\x38\x32\x37\x32\x20\x39\
\x2e\x38\x33\x30\x34\x31\x36\x35\x30\x31\x31\x32\x20\x31\x34\x2e\
\x33\x37\x35\x32\x35\x31\x38\x39\x36\x20\x39\x2e\x38\x30\x31\x37\
\x38\x35\x32\x34\x33\x33\x39\x20\x43\x20\x31\x34\x2e\x33\x38\x31\
\x34\x39\x32\x39\x36\x34\x39\x20\x39\x2e\x37\x37\x33\x31\x35\x33\
\x39\x38\x35\x36\x36\x20\x31\x34\x2e\x33\x38\x37\x37\x33\x34\x30\
\x33\x33\x37\x20\x39\x2e\x37\x34\x35\x31\x33\x30\x30\x31\x37\x36\
\x35\x20\x31\x34\x2e\x33\x39\x33\x39\x37\x35\x31\x30\x32\x35\x20\
\x39\x2e\x37\x31\x37\x37\x33\x31\x33\x30\x30\x34\x36\x20\x43\x20\
\x31\x34\x2e\x34\x30\x30\x32\x31\x36\x31\x37\x31\x34\x20\x39\x2e\
\x36\x39\x30\x33\x33\x32\x35\x38\x33\x32\x38\x20\x31\x34\x2e\x34\
\x30\x36\x34\x35\x37\x32\x34\x30\x32\x20\x39\x2e\x36\x36\x33\x35\
\x36\x32\x38\x38\x30\x32\x38\x20\x31\x34\x2e\x34\x31\x32\x36\x39\
\x38\x33\x30\x39\x20\x39\x2e\x36\x33\x37\x34\x33\x39\x30\x35\x36\
\x32\x38\x20\x43\x20\x31\x34\x2e\x34\x31\x38\x39\x33\x39\x33\x37\
\x37\x39\x20\x39\x2e\x36\x31\x31\x33\x31\x35\x32\x33\x32\x32\x38\
\x20\x31\x34\x2e\x34\x32\x35\x31\x38\x30\x34\x34\x36\x37\x20\x39\
\x2e\x35\x38\x35\x38\x34\x31\x31\x37\x34\x36\x32\x20\x31\x34\x2e\
\x34\x33\x31\x34\x32\x31\x35\x31\x35\x35\x20\x39\x2e\x35\x36\x31\
\x30\x33\x32\x36\x32\x35\x37\x32\x20\x43\x20\x31\x34\x2e\x34\x33\
\x37\x36\x36\x32\x35\x38\x34\x34\x20\x39\x2e\x35\x33\x36\x32\x32\
\x34\x30\x37\x36\x38\x32\x20\x31\x34\x2e\x34\x34\x33\x39\x30\x33\
\x36\x35\x33\x32\x20\x39\x2e\x35\x31\x32\x30\x38\x35\x30\x34\x32\
\x30\x32\x20\x31\x34\x2e\x34\x35\x30\x31\x34\x34\x37\x32\x32\x31\
\x20\x39\x2e\x34\x38\x38\x36\x33\x30\x31\x31\x37\x30\x31\x20\x43\
\x20\x31\x34\x2e\x34\x35\x36\x33\x38\x35\x37\x39\x30\x39\x20\x39\
\x2e\x34\x36\x35\x31\x37\x35\x31\x39\x31\x39\x39\x20\x31\x34\x2e\
\x34\x36\x32\x36\x32\x36\x38\x35\x39\x37\x20\x39\x2e\x34\x34\x32\
\x34\x30\x38\x34\x39\x33\x39\x31\x20\x31\x34\x2e\x34\x36\x38\x38\
\x36\x37\x39\x32\x38\x36\x20\x39\x2e\x34\x32\x30\x33\x34\x33\x34\
\x34\x39\x31\x35\x20\x43\x20\x31\x34\x2e\x34\x37\x35\x31\x30\x38\
\x39\x39\x37\x34\x20\x39\x2e\x33\x39\x38\x32\x37\x38\x34\x30\x34\
\x33\x39\x20\x31\x34\x2e\x34\x38\x31\x33\x35\x30\x30\x36\x36\x32\
\x20\x39\x2e\x33\x37\x36\x39\x31\x39\x32\x33\x35\x35\x33\x20\x31\
\x34\x2e\x34\x38\x37\x35\x39\x31\x31\x33\x35\x31\x20\x39\x2e\x33\
\x35\x36\x32\x37\x38\x31\x37\x38\x39\x33\x20\x43\x20\x31\x34\x2e\
\x34\x39\x33\x38\x33\x32\x32\x30\x33\x39\x20\x39\x2e\x33\x33\x35\
\x36\x33\x37\x31\x32\x32\x33\x33\x20\x31\x34\x2e\x35\x30\x30\x30\
\x37\x33\x32\x37\x32\x37\x20\x39\x2e\x33\x31\x35\x37\x31\x38\x34\
\x39\x39\x34\x37\x20\x31\x34\x2e\x35\x30\x36\x33\x31\x34\x33\x34\
\x31\x36\x20\x39\x2e\x32\x39\x36\x35\x33\x33\x33\x33\x37\x37\x35\
\x20\x43\x20\x31\x34\x2e\x35\x31\x32\x35\x35\x35\x34\x31\x30\x34\
\x20\x39\x2e\x32\x37\x37\x33\x34\x38\x31\x37\x36\x30\x32\x20\x31\
\x34\x2e\x35\x31\x38\x37\x39\x36\x34\x37\x39\x32\x20\x39\x2e\x32\
\x35\x38\x39\x30\x30\x38\x38\x39\x31\x35\x20\x31\x34\x2e\x35\x32\
\x35\x30\x33\x37\x35\x34\x38\x31\x20\x39\x2e\x32\x34\x31\x32\x30\
\x31\x32\x37\x38\x35\x32\x20\x43\x20\x31\x34\x2e\x35\x33\x31\x32\
\x37\x38\x36\x31\x36\x39\x20\x39\x2e\x32\x32\x33\x35\x30\x31\x36\
\x36\x37\x38\x39\x20\x31\x34\x2e\x35\x33\x37\x35\x31\x39\x36\x38\
\x35\x38\x20\x39\x2e\x32\x30\x36\x35\x35\x34\x32\x33\x32\x36\x32\
\x20\x31\x34\x2e\x35\x34\x33\x37\x36\x30\x37\x35\x34\x36\x20\x39\
\x2e\x31\x39\x30\x33\x36\x37\x35\x33\x32\x39\x35\x20\x43\x20\x31\
\x34\x2e\x35\x35\x30\x30\x30\x31\x38\x32\x33\x34\x20\x39\x2e\x31\
\x37\x34\x31\x38\x30\x38\x33\x33\x32\x38\x20\x31\x34\x2e\x35\x35\
\x36\x32\x34\x32\x38\x39\x32\x33\x20\x39\x2e\x31\x35\x38\x37\x35\
\x39\x34\x34\x36\x37\x37\x20\x31\x34\x2e\x35\x36\x32\x34\x38\x33\
\x39\x36\x31\x31\x20\x39\x2e\x31\x34\x34\x31\x31\x30\x36\x37\x39\
\x32\x38\x20\x43\x20\x31\x34\x2e\x35\x36\x38\x37\x32\x35\x30\x32\
\x39\x39\x20\x39\x2e\x31\x32\x39\x34\x36\x31\x39\x31\x31\x37\x38\
\x20\x31\x34\x2e\x35\x37\x34\x39\x36\x36\x30\x39\x38\x38\x20\x39\
\x2e\x31\x31\x35\x35\x39\x30\x34\x31\x32\x32\x35\x20\x31\x34\x2e\
\x35\x38\x31\x32\x30\x37\x31\x36\x37\x36\x20\x39\x2e\x31\x30\x32\
\x35\x30\x32\x32\x32\x30\x38\x34\x20\x43\x20\x31\x34\x2e\x35\x38\
\x37\x34\x34\x38\x32\x33\x36\x34\x20\x39\x2e\x30\x38\x39\x34\x31\
\x34\x30\x32\x39\x34\x34\x20\x31\x34\x2e\x35\x39\x33\x36\x38\x39\
\x33\x30\x35\x33\x20\x39\x2e\x30\x37\x37\x31\x31\x33\x38\x35\x39\
\x32\x39\x20\x31\x34\x2e\x35\x39\x39\x39\x33\x30\x33\x37\x34\x31\
\x20\x39\x2e\x30\x36\x35\x36\x30\x36\x34\x37\x35\x35\x35\x20\x43\
\x20\x31\x34\x2e\x36\x30\x36\x31\x37\x31\x34\x34\x33\x20\x39\x2e\
\x30\x35\x34\x30\x39\x39\x30\x39\x31\x38\x31\x20\x31\x34\x2e\x36\
\x31\x32\x34\x31\x32\x35\x31\x31\x38\x20\x39\x2e\x30\x34\x33\x33\
\x38\x39\x32\x36\x34\x35\x32\x20\x31\x34\x2e\x36\x31\x38\x36\x35\
\x33\x35\x38\x30\x36\x20\x39\x2e\x30\x33\x33\x34\x38\x30\x34\x37\
\x36\x34\x34\x20\x43\x20\x31\x34\x2e\x36\x32\x34\x38\x39\x34\x36\
\x34\x39\x35\x20\x39\x2e\x30\x32\x33\x35\x37\x31\x36\x38\x38\x33\
\x35\x20\x31\x34\x2e\x36\x33\x31\x31\x33\x35\x37\x31\x38\x33\x20\
\x39\x2e\x30\x31\x34\x34\x36\x38\x37\x35\x39\x30\x35\x20\x31\x34\
\x2e\x36\x33\x37\x33\x37\x36\x37\x38\x37\x31\x20\x39\x2e\x30\x30\
\x36\x31\x37\x33\x38\x38\x33\x35\x32\x20\x43\x20\x31\x34\x2e\x36\
\x34\x33\x36\x31\x37\x38\x35\x36\x20\x38\x2e\x39\x39\x37\x38\x37\
\x39\x30\x30\x37\x39\x39\x20\x31\x34\x2e\x36\x34\x39\x38\x35\x38\
\x39\x32\x34\x38\x20\x38\x2e\x39\x39\x30\x33\x39\x37\x30\x34\x37\
\x38\x38\x20\x31\x34\x2e\x36\x35\x36\x30\x39\x39\x39\x39\x33\x36\
\x20\x38\x2e\x39\x38\x33\x37\x32\x38\x39\x30\x37\x30\x34\x20\x43\
\x20\x31\x34\x2e\x36\x36\x32\x33\x34\x31\x30\x36\x32\x35\x20\x38\
\x2e\x39\x37\x37\x30\x36\x30\x37\x36\x36\x31\x39\x20\x31\x34\x2e\
\x36\x36\x38\x35\x38\x32\x31\x33\x31\x33\x20\x38\x2e\x39\x37\x31\
\x32\x31\x31\x33\x34\x30\x38\x31\x20\x31\x34\x2e\x36\x37\x34\x38\
\x32\x33\x32\x30\x30\x32\x20\x38\x2e\x39\x36\x36\x31\x38\x30\x32\
\x34\x32\x31\x39\x20\x43\x20\x31\x34\x2e\x36\x38\x31\x30\x36\x34\
\x32\x36\x39\x20\x38\x2e\x39\x36\x31\x31\x34\x39\x31\x34\x33\x35\
\x36\x20\x31\x34\x2e\x36\x38\x37\x33\x30\x35\x33\x33\x37\x38\x20\
\x38\x2e\x39\x35\x36\x39\x34\x31\x32\x39\x34\x38\x39\x20\x31\x34\
\x2e\x36\x39\x33\x35\x34\x36\x34\x30\x36\x37\x20\x38\x2e\x39\x35\
\x33\x35\x35\x35\x30\x31\x35\x35\x20\x43\x20\x31\x34\x2e\x36\x39\
\x39\x37\x38\x37\x34\x37\x35\x35\x20\x38\x2e\x39\x35\x30\x31\x36\
\x38\x37\x33\x36\x31\x31\x20\x31\x34\x2e\x37\x30\x36\x30\x32\x38\
\x35\x34\x34\x33\x20\x38\x2e\x39\x34\x37\x36\x30\x38\x39\x36\x38\
\x36\x20\x31\x34\x2e\x37\x31\x32\x32\x36\x39\x36\x31\x33\x32\x20\
\x38\x2e\x39\x34\x35\x38\x37\x32\x37\x34\x32\x39\x32\x20\x43\x20\
\x31\x34\x2e\x37\x31\x38\x35\x31\x30\x36\x38\x32\x20\x38\x2e\x39\
\x34\x34\x31\x33\x36\x35\x31\x37\x32\x34\x20\x31\x34\x2e\x37\x32\
\x34\x37\x35\x31\x37\x35\x30\x38\x20\x38\x2e\x39\x34\x33\x32\x32\
\x38\x37\x38\x37\x37\x34\x20\x31\x34\x2e\x37\x33\x30\x39\x39\x32\
\x38\x31\x39\x37\x20\x38\x2e\x39\x34\x33\x31\x34\x35\x32\x39\x39\
\x36\x32\x20\x43\x20\x31\x34\x2e\x37\x33\x37\x32\x33\x33\x38\x38\
\x38\x35\x20\x38\x2e\x39\x34\x33\x30\x36\x31\x38\x31\x31\x34\x39\
\x20\x31\x34\x2e\x37\x34\x33\x34\x37\x34\x39\x35\x37\x33\x20\x38\
\x2e\x39\x34\x33\x38\x30\x37\x35\x32\x33\x31\x36\x20\x31\x34\x2e\
\x37\x34\x39\x37\x31\x36\x30\x32\x36\x32\x20\x38\x2e\x39\x34\x35\
\x33\x37\x36\x39\x30\x31\x36\x34\x20\x43\x20\x31\x34\x2e\x37\x35\
\x35\x39\x35\x37\x30\x39\x35\x20\x38\x2e\x39\x34\x36\x39\x34\x36\
\x32\x38\x30\x31\x32\x20\x31\x34\x2e\x37\x36\x32\x31\x39\x38\x31\
\x36\x33\x39\x20\x38\x2e\x39\x34\x39\x33\x34\x34\x32\x38\x30\x32\
\x35\x20\x31\x34\x2e\x37\x36\x38\x34\x33\x39\x32\x33\x32\x37\x20\
\x38\x2e\x39\x35\x32\x35\x36\x34\x30\x39\x39\x34\x31\x20\x43\x20\
\x31\x34\x2e\x37\x37\x34\x36\x38\x30\x33\x30\x31\x35\x20\x38\x2e\
\x39\x35\x35\x37\x38\x33\x39\x31\x38\x35\x36\x20\x31\x34\x2e\x37\
\x38\x30\x39\x32\x31\x33\x37\x30\x34\x20\x38\x2e\x39\x35\x39\x38\
\x33\x30\x35\x30\x30\x33\x35\x20\x31\x34\x2e\x37\x38\x37\x31\x36\
\x32\x34\x33\x39\x32\x20\x38\x2e\x39\x36\x34\x36\x39\x35\x37\x38\
\x33\x30\x32\x20\x43\x20\x31\x34\x2e\x37\x39\x33\x34\x30\x33\x35\
\x30\x38\x20\x38\x2e\x39\x36\x39\x35\x36\x31\x30\x36\x35\x37\x20\
\x31\x34\x2e\x37\x39\x39\x36\x34\x34\x35\x37\x36\x39\x20\x38\x2e\
\x39\x37\x35\x32\x34\x39\x39\x37\x33\x39\x38\x20\x31\x34\x2e\x38\
\x30\x35\x38\x38\x35\x36\x34\x35\x37\x20\x38\x2e\x39\x38\x31\x37\
\x35\x33\x31\x39\x39\x34\x37\x20\x43\x20\x31\x34\x2e\x38\x31\x32\
\x31\x32\x36\x37\x31\x34\x35\x20\x38\x2e\x39\x38\x38\x32\x35\x36\
\x34\x32\x34\x39\x35\x20\x31\x34\x2e\x38\x31\x38\x33\x36\x37\x37\
\x38\x33\x34\x20\x38\x2e\x39\x39\x35\x35\x37\x38\x38\x36\x35\x38\
\x38\x20\x31\x34\x2e\x38\x32\x34\x36\x30\x38\x38\x35\x32\x32\x20\
\x39\x2e\x30\x30\x33\x37\x30\x39\x39\x38\x31\x35\x37\x20\x43\x20\
\x31\x34\x2e\x38\x33\x30\x38\x34\x39\x39\x32\x31\x31\x20\x39\x2e\
\x30\x31\x31\x38\x34\x31\x30\x39\x37\x32\x36\x20\x31\x34\x2e\x38\
\x33\x37\x30\x39\x30\x39\x38\x39\x39\x20\x39\x2e\x30\x32\x30\x37\
\x38\x35\x37\x35\x31\x38\x38\x20\x31\x34\x2e\x38\x34\x33\x33\x33\
\x32\x30\x35\x38\x37\x20\x39\x2e\x30\x33\x30\x35\x33\x32\x31\x38\
\x38\x37\x38\x20\x43\x20\x31\x34\x2e\x38\x34\x39\x35\x37\x33\x31\
\x32\x37\x36\x20\x39\x2e\x30\x34\x30\x32\x37\x38\x36\x32\x35\x36\
\x38\x20\x31\x34\x2e\x38\x35\x35\x38\x31\x34\x31\x39\x36\x34\x20\
\x39\x2e\x30\x35\x30\x38\x33\x31\x36\x36\x37\x34\x34\x20\x31\x34\
\x2e\x38\x36\x32\x30\x35\x35\x32\x36\x35\x32\x20\x39\x2e\x30\x36\
\x32\x31\x37\x38\x33\x35\x39\x36\x31\x20\x43\x20\x31\x34\x2e\x38\
\x36\x38\x32\x39\x36\x33\x33\x34\x31\x20\x39\x2e\x30\x37\x33\x35\
\x32\x35\x30\x35\x31\x37\x39\x20\x31\x34\x2e\x38\x37\x34\x35\x33\
\x37\x34\x30\x32\x39\x20\x39\x2e\x30\x38\x35\x36\x37\x30\x31\x36\
\x37\x39\x32\x20\x31\x34\x2e\x38\x38\x30\x37\x37\x38\x34\x37\x31\
\x37\x20\x39\x2e\x30\x39\x38\x35\x39\x39\x35\x37\x35\x37\x37\x20\
\x43\x20\x31\x34\x2e\x38\x38\x37\x30\x31\x39\x35\x34\x30\x36\x20\
\x39\x2e\x31\x31\x31\x35\x32\x38\x39\x38\x33\x36\x33\x20\x31\x34\
\x2e\x38\x39\x33\x32\x36\x30\x36\x30\x39\x34\x20\x39\x2e\x31\x32\
\x35\x32\x34\x37\x34\x30\x30\x33\x34\x20\x31\x34\x2e\x38\x39\x39\
\x35\x30\x31\x36\x37\x38\x32\x20\x39\x2e\x31\x33\x39\x37\x33\x39\
\x35\x33\x37\x37\x34\x20\x43\x20\x31\x34\x2e\x39\x30\x35\x37\x34\
\x32\x37\x34\x37\x31\x20\x39\x2e\x31\x35\x34\x32\x33\x31\x36\x37\
\x35\x31\x34\x20\x31\x34\x2e\x39\x31\x31\x39\x38\x33\x38\x31\x35\
\x39\x20\x39\x2e\x31\x36\x39\x35\x30\x32\x31\x38\x36\x36\x35\x20\
\x31\x34\x2e\x39\x31\x38\x32\x32\x34\x38\x38\x34\x38\x20\x39\x2e\
\x31\x38\x35\x35\x33\x34\x36\x35\x31\x38\x31\x20\x43\x20\x31\x34\
\x2e\x39\x32\x34\x34\x36\x35\x39\x35\x33\x36\x20\x39\x2e\x32\x30\
\x31\x35\x36\x37\x31\x31\x36\x39\x37\x20\x31\x34\x2e\x39\x33\x30\
\x37\x30\x37\x30\x32\x32\x34\x20\x39\x2e\x32\x31\x38\x33\x36\x36\
\x31\x31\x38\x32\x39\x20\x31\x34\x2e\x39\x33\x36\x39\x34\x38\x30\
\x39\x31\x33\x20\x39\x2e\x32\x33\x35\x39\x31\x34\x31\x32\x38\x33\
\x39\x20\x43\x20\x31\x34\x2e\x39\x34\x33\x31\x38\x39\x31\x36\x30\
\x31\x20\x39\x2e\x32\x35\x33\x34\x36\x32\x31\x33\x38\x35\x20\x31\
\x34\x2e\x39\x34\x39\x34\x33\x30\x32\x32\x38\x39\x20\x39\x2e\x32\
\x37\x31\x37\x36\x33\x36\x36\x31\x39\x32\x20\x31\x34\x2e\x39\x35\
\x35\x36\x37\x31\x32\x39\x37\x38\x20\x39\x2e\x32\x39\x30\x38\x30\
\x30\x30\x39\x31\x34\x35\x20\x43\x20\x31\x34\x2e\x39\x36\x31\x39\
\x31\x32\x33\x36\x36\x36\x20\x39\x2e\x33\x30\x39\x38\x33\x36\x35\
\x32\x30\x39\x38\x20\x31\x34\x2e\x39\x36\x38\x31\x35\x33\x34\x33\
\x35\x34\x20\x39\x2e\x33\x32\x39\x36\x31\x32\x32\x37\x36\x32\x20\
\x31\x34\x2e\x39\x37\x34\x33\x39\x34\x35\x30\x34\x33\x20\x39\x2e\
\x33\x35\x30\x31\x30\x37\x36\x39\x38\x38\x35\x20\x43\x20\x31\x34\
\x2e\x39\x38\x30\x36\x33\x35\x35\x37\x33\x31\x20\x39\x2e\x33\x37\
\x30\x36\x30\x33\x31\x32\x31\x35\x20\x31\x34\x2e\x39\x38\x36\x38\
\x37\x36\x36\x34\x32\x20\x39\x2e\x33\x39\x31\x38\x32\x32\x35\x33\
\x39\x33\x38\x20\x31\x34\x2e\x39\x39\x33\x31\x31\x37\x37\x31\x30\
\x38\x20\x39\x2e\x34\x31\x33\x37\x34\x35\x32\x37\x33\x35\x35\x20\
\x43\x20\x31\x34\x2e\x39\x39\x39\x33\x35\x38\x37\x37\x39\x36\x20\
\x39\x2e\x34\x33\x35\x36\x36\x38\x30\x30\x37\x37\x32\x20\x31\x35\
\x2e\x30\x30\x35\x35\x39\x39\x38\x34\x38\x35\x20\x39\x2e\x34\x35\
\x38\x32\x39\x38\x32\x38\x37\x35\x31\x20\x31\x35\x2e\x30\x31\x31\
\x38\x34\x30\x39\x31\x37\x33\x20\x39\x2e\x34\x38\x31\x36\x31\x34\
\x34\x34\x35\x32\x38\x20\x43\x20\x31\x35\x2e\x30\x31\x38\x30\x38\
\x31\x39\x38\x36\x31\x20\x39\x2e\x35\x30\x34\x39\x33\x30\x36\x30\
\x33\x30\x34\x20\x31\x35\x2e\x30\x32\x34\x33\x32\x33\x30\x35\x35\
\x20\x39\x2e\x35\x32\x38\x39\x33\x36\x37\x36\x33\x31\x31\x20\x31\
\x35\x2e\x30\x33\x30\x35\x36\x34\x31\x32\x33\x38\x20\x39\x2e\x35\
\x35\x33\x36\x31\x30\x33\x30\x32\x36\x31\x20\x43\x20\x31\x35\x2e\
\x30\x33\x36\x38\x30\x35\x31\x39\x32\x36\x20\x39\x2e\x35\x37\x38\
\x32\x38\x33\x38\x34\x32\x31\x31\x20\x31\x35\x2e\x30\x34\x33\x30\
\x34\x36\x32\x36\x31\x35\x20\x39\x2e\x36\x30\x33\x36\x32\x38\x37\
\x37\x33\x39\x39\x20\x31\x35\x2e\x30\x34\x39\x32\x38\x37\x33\x33\
\x30\x33\x20\x39\x2e\x36\x32\x39\x36\x32\x31\x35\x35\x35\x31\x33\
\x20\x43\x20\x31\x35\x2e\x30\x35\x35\x35\x32\x38\x33\x39\x39\x31\
\x20\x39\x2e\x36\x35\x35\x36\x31\x34\x33\x33\x36\x32\x38\x20\x31\
\x35\x2e\x30\x36\x31\x37\x36\x39\x34\x36\x38\x20\x39\x2e\x36\x38\
\x32\x32\x35\x38\x38\x36\x32\x30\x35\x20\x31\x35\x2e\x30\x36\x38\
\x30\x31\x30\x35\x33\x36\x38\x20\x39\x2e\x37\x30\x39\x35\x33\x30\
\x37\x30\x35\x34\x38\x20\x43\x20\x31\x35\x2e\x30\x37\x34\x32\x35\
\x31\x36\x30\x35\x37\x20\x39\x2e\x37\x33\x36\x38\x30\x32\x35\x34\
\x38\x39\x32\x20\x31\x35\x2e\x30\x38\x30\x34\x39\x32\x36\x37\x34\
\x35\x20\x39\x2e\x37\x36\x34\x37\x30\x35\x34\x38\x31\x37\x37\x20\
\x31\x35\x2e\x30\x38\x36\x37\x33\x33\x37\x34\x33\x33\x20\x39\x2e\
\x37\x39\x33\x32\x31\x34\x32\x33\x30\x39\x38\x20\x43\x20\x31\x35\
\x2e\x30\x39\x32\x39\x37\x34\x38\x31\x32\x32\x20\x39\x2e\x38\x32\
\x31\x37\x32\x32\x39\x38\x30\x31\x38\x20\x31\x35\x2e\x30\x39\x39\
\x32\x31\x35\x38\x38\x31\x20\x39\x2e\x38\x35\x30\x38\x34\x31\x31\
\x38\x38\x30\x36\x20\x31\x35\x2e\x31\x30\x35\x34\x35\x36\x39\x34\
\x39\x38\x20\x39\x2e\x38\x38\x30\x35\x34\x32\x37\x37\x34\x35\x32\
\x20\x43\x20\x31\x35\x2e\x31\x31\x31\x36\x39\x38\x30\x31\x38\x37\
\x20\x39\x2e\x39\x31\x30\x32\x34\x34\x33\x36\x30\x39\x39\x20\x31\
\x35\x2e\x31\x31\x37\x39\x33\x39\x30\x38\x37\x35\x20\x39\x2e\x39\
\x34\x30\x35\x33\x32\x38\x33\x33\x32\x39\x20\x31\x35\x2e\x31\x32\
\x34\x31\x38\x30\x31\x35\x36\x33\x20\x39\x2e\x39\x37\x31\x33\x38\
\x31\x33\x34\x34\x36\x32\x20\x43\x20\x31\x35\x2e\x31\x33\x30\x34\
\x32\x31\x32\x32\x35\x32\x20\x31\x30\x2e\x30\x30\x32\x32\x32\x39\
\x38\x35\x36\x20\x31\x35\x2e\x31\x33\x36\x36\x36\x32\x32\x39\x34\
\x20\x31\x30\x2e\x30\x33\x33\x36\x34\x31\x37\x37\x33\x31\x20\x31\
\x35\x2e\x31\x34\x32\x39\x30\x33\x33\x36\x32\x39\x20\x31\x30\x2e\
\x30\x36\x35\x35\x38\x39\x35\x32\x34\x20\x43\x20\x31\x35\x2e\x31\
\x34\x39\x31\x34\x34\x34\x33\x31\x37\x20\x31\x30\x2e\x30\x39\x37\
\x35\x33\x37\x32\x37\x34\x39\x20\x31\x35\x2e\x31\x35\x35\x33\x38\
\x35\x35\x30\x30\x35\x20\x31\x30\x2e\x31\x33\x30\x30\x32\x34\x30\
\x38\x30\x37\x20\x31\x35\x2e\x31\x36\x31\x36\x32\x36\x35\x36\x39\
\x34\x20\x31\x30\x2e\x31\x36\x33\x30\x32\x31\x36\x38\x36\x37\x20\
\x43\x20\x31\x35\x2e\x31\x36\x37\x38\x36\x37\x36\x33\x38\x32\x20\
\x31\x30\x2e\x31\x39\x36\x30\x31\x39\x32\x39\x32\x37\x20\x31\x35\
\x2e\x31\x37\x34\x31\x30\x38\x37\x30\x37\x20\x31\x30\x2e\x32\x32\
\x39\x35\x33\x30\x37\x36\x39\x33\x20\x31\x35\x2e\x31\x38\x30\x33\
\x34\x39\x37\x37\x35\x39\x20\x31\x30\x2e\x32\x36\x33\x35\x32\x37\
\x32\x32\x33\x31\x20\x43\x20\x31\x35\x2e\x31\x38\x36\x35\x39\x30\
\x38\x34\x34\x37\x20\x31\x30\x2e\x32\x39\x37\x35\x32\x33\x36\x37\
\x36\x38\x20\x31\x35\x2e\x31\x39\x32\x38\x33\x31\x39\x31\x33\x35\
\x20\x31\x30\x2e\x33\x33\x32\x30\x30\x38\x30\x32\x32\x37\x20\x31\
\x35\x2e\x31\x39\x39\x30\x37\x32\x39\x38\x32\x34\x20\x31\x30\x2e\
\x33\x36\x36\x39\x35\x30\x37\x37\x32\x39\x20\x43\x20\x31\x35\x2e\
\x32\x30\x35\x33\x31\x34\x30\x35\x31\x32\x20\x31\x30\x2e\x34\x30\
\x31\x38\x39\x33\x35\x32\x33\x20\x31\x35\x2e\x32\x31\x31\x35\x35\
\x35\x31\x32\x20\x31\x30\x2e\x34\x33\x37\x32\x39\x37\x34\x33\x32\
\x36\x20\x31\x35\x2e\x32\x31\x37\x37\x39\x36\x31\x38\x38\x39\x20\
\x31\x30\x2e\x34\x37\x33\x31\x33\x32\x34\x36\x35\x20\x43\x20\x31\
\x35\x2e\x32\x32\x34\x30\x33\x37\x32\x35\x37\x37\x20\x31\x30\x2e\
\x35\x30\x38\x39\x36\x37\x34\x39\x37\x35\x20\x31\x35\x2e\x32\x33\
\x30\x32\x37\x38\x33\x32\x36\x36\x20\x31\x30\x2e\x35\x34\x35\x32\
\x33\x36\x32\x34\x33\x37\x20\x31\x35\x2e\x32\x33\x36\x35\x31\x39\
\x33\x39\x35\x34\x20\x31\x30\x2e\x35\x38\x31\x39\x30\x38\x31\x36\
\x35\x31\x20\x43\x20\x31\x35\x2e\x32\x34\x32\x37\x36\x30\x34\x36\
\x34\x32\x20\x31\x30\x2e\x36\x31\x38\x35\x38\x30\x30\x38\x36\x34\
\x20\x31\x35\x2e\x32\x34\x39\x30\x30\x31\x35\x33\x33\x31\x20\x31\
\x30\x2e\x36\x35\x35\x36\x35\x37\x36\x30\x35\x35\x20\x31\x35\x2e\
\x32\x35\x35\x32\x34\x32\x36\x30\x31\x39\x20\x31\x30\x2e\x36\x39\
\x33\x31\x30\x39\x37\x32\x38\x37\x20\x43\x20\x31\x35\x2e\x32\x36\
\x31\x34\x38\x33\x36\x37\x30\x37\x20\x31\x30\x2e\x37\x33\x30\x35\
\x36\x31\x38\x35\x31\x39\x20\x31\x35\x2e\x32\x36\x37\x37\x32\x34\
\x37\x33\x39\x36\x20\x31\x30\x2e\x37\x36\x38\x33\x39\x30\x38\x32\
\x39\x38\x20\x31\x35\x2e\x32\x37\x33\x39\x36\x35\x38\x30\x38\x34\
\x20\x31\x30\x2e\x38\x30\x36\x35\x36\x35\x32\x36\x31\x37\x20\x43\
\x20\x31\x35\x2e\x32\x38\x30\x32\x30\x36\x38\x37\x37\x32\x20\x31\
\x30\x2e\x38\x34\x34\x37\x33\x39\x36\x39\x33\x36\x20\x31\x35\x2e\
\x32\x38\x36\x34\x34\x37\x39\x34\x36\x31\x20\x31\x30\x2e\x38\x38\
\x33\x32\x36\x31\x36\x35\x34\x38\x20\x31\x35\x2e\x32\x39\x32\x36\
\x38\x39\x30\x31\x34\x39\x20\x31\x30\x2e\x39\x32\x32\x30\x39\x39\
\x33\x38\x35\x39\x20\x43\x20\x31\x35\x2e\x32\x39\x38\x39\x33\x30\
\x30\x38\x33\x38\x20\x31\x30\x2e\x39\x36\x30\x39\x33\x37\x31\x31\
\x36\x39\x20\x31\x35\x2e\x33\x30\x35\x31\x37\x31\x31\x35\x32\x36\
\x20\x31\x31\x2e\x30\x30\x30\x30\x39\x32\x35\x31\x34\x35\x20\x31\
\x35\x2e\x33\x31\x31\x34\x31\x32\x32\x32\x31\x34\x20\x31\x31\x2e\
\x30\x33\x39\x35\x33\x33\x35\x30\x39\x37\x20\x43\x20\x31\x35\x2e\
\x33\x31\x37\x36\x35\x33\x32\x39\x30\x33\x20\x31\x31\x2e\x30\x37\
\x38\x39\x37\x34\x35\x30\x35\x20\x31\x35\x2e\x33\x32\x33\x38\x39\
\x34\x33\x35\x39\x31\x20\x31\x31\x2e\x31\x31\x38\x37\x30\x32\x38\
\x31\x33\x20\x31\x35\x2e\x33\x33\x30\x31\x33\x35\x34\x32\x37\x39\
\x20\x31\x31\x2e\x31\x35\x38\x36\x38\x36\x31\x30\x34\x39\x20\x43\
\x20\x31\x35\x2e\x33\x33\x36\x33\x37\x36\x34\x39\x36\x38\x20\x31\
\x31\x2e\x31\x39\x38\x36\x36\x39\x33\x39\x36\x39\x20\x31\x35\x2e\
\x33\x34\x32\x36\x31\x37\x35\x36\x35\x36\x20\x31\x31\x2e\x32\x33\
\x38\x39\x30\x39\x32\x30\x33\x37\x20\x31\x35\x2e\x33\x34\x38\x38\
\x35\x38\x36\x33\x34\x34\x20\x31\x31\x2e\x32\x37\x39\x33\x37\x32\
\x39\x38\x36\x37\x20\x43\x20\x31\x35\x2e\x33\x35\x35\x30\x39\x39\
\x37\x30\x33\x33\x20\x31\x31\x2e\x33\x31\x39\x38\x33\x36\x37\x36\
\x39\x36\x20\x31\x35\x2e\x33\x36\x31\x33\x34\x30\x37\x37\x32\x31\
\x20\x31\x31\x2e\x33\x36\x30\x35\x32\x35\x38\x37\x33\x20\x31\x35\
\x2e\x33\x36\x37\x35\x38\x31\x38\x34\x31\x20\x31\x31\x2e\x34\x30\
\x31\x34\x30\x37\x35\x39\x38\x35\x20\x43\x20\x31\x35\x2e\x33\x37\
\x33\x38\x32\x32\x39\x30\x39\x38\x20\x31\x31\x2e\x34\x34\x32\x32\
\x38\x39\x33\x32\x33\x39\x20\x31\x35\x2e\x33\x38\x30\x30\x36\x33\
\x39\x37\x38\x36\x20\x31\x31\x2e\x34\x38\x33\x33\x36\x34\x38\x32\
\x37\x32\x20\x31\x35\x2e\x33\x38\x36\x33\x30\x35\x30\x34\x37\x35\
\x20\x31\x31\x2e\x35\x32\x34\x36\x30\x31\x33\x30\x30\x36\x20\x43\
\x20\x31\x35\x2e\x33\x39\x32\x35\x34\x36\x31\x31\x36\x33\x20\x31\
\x31\x2e\x35\x36\x35\x38\x33\x37\x37\x37\x34\x20\x31\x35\x2e\x33\
\x39\x38\x37\x38\x37\x31\x38\x35\x31\x20\x31\x31\x2e\x36\x30\x37\
\x32\x33\x36\x31\x38\x33\x20\x31\x35\x2e\x34\x30\x35\x30\x32\x38\
\x32\x35\x34\x20\x31\x31\x2e\x36\x34\x38\x37\x36\x33\x36\x36\x31\
\x36\x20\x43\x20\x31\x35\x2e\x34\x31\x31\x32\x36\x39\x33\x32\x32\
\x38\x20\x31\x31\x2e\x36\x39\x30\x32\x39\x31\x31\x34\x30\x31\x20\
\x31\x35\x2e\x34\x31\x37\x35\x31\x30\x33\x39\x31\x36\x20\x31\x31\
\x2e\x37\x33\x31\x39\x34\x38\x34\x36\x31\x36\x20\x31\x35\x2e\x34\
\x32\x33\x37\x35\x31\x34\x36\x30\x35\x20\x31\x31\x2e\x37\x37\x33\
\x37\x30\x32\x37\x35\x32\x35\x20\x43\x20\x31\x35\x2e\x34\x32\x39\
\x39\x39\x32\x35\x32\x39\x33\x20\x31\x31\x2e\x38\x31\x35\x34\x35\
\x37\x30\x34\x33\x35\x20\x31\x35\x2e\x34\x33\x36\x32\x33\x33\x35\
\x39\x38\x31\x20\x31\x31\x2e\x38\x35\x37\x33\x30\x38\x38\x38\x34\
\x31\x20\x31\x35\x2e\x34\x34\x32\x34\x37\x34\x36\x36\x37\x20\x31\
\x31\x2e\x38\x39\x39\x32\x32\x35\x34\x34\x34\x20\x43\x20\x31\x35\
\x2e\x34\x34\x38\x37\x31\x35\x37\x33\x35\x38\x20\x31\x31\x2e\x39\
\x34\x31\x31\x34\x32\x30\x30\x34\x20\x31\x35\x2e\x34\x35\x34\x39\
\x35\x36\x38\x30\x34\x37\x20\x31\x31\x2e\x39\x38\x33\x31\x32\x33\
\x36\x36\x39\x36\x20\x31\x35\x2e\x34\x36\x31\x31\x39\x37\x38\x37\
\x33\x35\x20\x31\x32\x2e\x30\x32\x35\x31\x33\x37\x37\x30\x34\x35\
\x20\x43\x20\x31\x35\x2e\x34\x36\x37\x34\x33\x38\x39\x34\x32\x33\
\x20\x31\x32\x2e\x30\x36\x37\x31\x35\x31\x37\x33\x39\x33\x20\x31\
\x35\x2e\x34\x37\x33\x36\x38\x30\x30\x31\x31\x32\x20\x31\x32\x2e\
\x31\x30\x39\x31\x39\x38\x33\x33\x35\x31\x20\x31\x35\x2e\x34\x37\
\x39\x39\x32\x31\x30\x38\x20\x31\x32\x2e\x31\x35\x31\x32\x34\x34\
\x39\x22\x0a\x20\x20\x20\x20\x20\x20\x20\x73\x74\x79\x6c\x65\x3d\
\x22\x66\x69\x6c\x6c\x3a\x6e\x6f\x6e\x65\x3b\x66\x69\x6c\x6c\x2d\
\x6f\x70\x61\x63\x69\x74\x79\x3a\x31\x3b\x73\x74\x72\x6f\x6b\x65\
\x3a\x23\x66\x66\x30\x30\x30\x30\x3b\x73\x74\x72\x6f\x6b\x65\x2d\
\x77\x69\x64\x74\x68\x3a\x30\x2e\x39\x34\x34\x38\x38\x31\x38\x39\
\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x6d\x69\x74\x65\x72\x6c\x69\x6d\
\x69\x74\x3a\x34\x3b\x73\x74\x72\x6f\x6b\x65\x2d\x64\x61\x73\x68\
\x61\x72\x72\x61\x79\x3a\x6e\x6f\x6e\x65\x3b\x73\x74\x72\x6f\x6b\
\x65\x2d\x6f\x70\x61\x63\x69\x74\x79\x3a\x31\x22\x20\x2f\x3e\x0a\
\x20\x20\x3c\x2f\x67\x3e\x0a\x3c\x2f\x73\x76\x67\x3e\x0a\
"
qt_resource_name = b"\
\x00\x05\
\x00\x6f\xa6\x53\
\x00\x69\
\x00\x63\x00\x6f\x00\x6e\x00\x73\
\x00\x04\
\x00\x06\xa8\xa1\
\x00\x64\
\x00\x61\x00\x74\x00\x61\
\x00\x0c\
\x05\x21\x11\x87\
\x00\x64\
\x00\x65\x00\x63\x00\x6f\x00\x64\x00\x69\x00\x6e\x00\x67\x00\x2e\x00\x73\x00\x76\x00\x67\
\x00\x08\
\x05\x9e\x54\xa7\
\x00\x6c\
\x00\x6f\x00\x63\x00\x6b\x00\x2e\x00\x73\x00\x76\x00\x67\
\x00\x0a\
\x08\x3b\xcb\xa7\
\x00\x65\
\x00\x71\x00\x75\x00\x61\x00\x6c\x00\x73\x00\x2e\x00\x73\x00\x76\x00\x67\
\x00\x0b\
\x0c\x31\xc5\x47\
\x00\x73\
\x00\x6e\x00\x69\x00\x66\x00\x66\x00\x65\x00\x72\x00\x2e\x00\x73\x00\x76\x00\x67\
\x00\x1e\
\x09\xc6\x50\xc7\
\x00\x73\
\x00\x70\x00\x6c\x00\x69\x00\x74\x00\x74\x00\x65\x00\x72\x00\x5f\x00\x68\x00\x61\x00\x6e\x00\x64\x00\x6c\x00\x65\x00\x5f\x00\x68\
\x00\x6f\x00\x72\x00\x69\x00\x7a\x00\x6f\x00\x6e\x00\x74\x00\x61\x00\x6c\x00\x2e\x00\x73\x00\x76\x00\x67\
\x00\x08\
\x03\xc6\x54\x27\
\x00\x70\
\x00\x6c\x00\x75\x00\x73\x00\x2e\x00\x73\x00\x76\x00\x67\
\x00\x0c\
\x06\xf5\x2f\xa7\
\x00\x73\
\x00\x70\x00\x65\x00\x63\x00\x74\x00\x72\x00\x75\x00\x6d\x00\x2e\x00\x73\x00\x76\x00\x67\
\x00\x0a\
\x05\x95\xd0\xa7\
\x00\x75\
\x00\x6e\x00\x6c\x00\x6f\x00\x63\x00\x6b\x00\x2e\x00\x73\x00\x76\x00\x67\
\x00\x0b\
\x0a\xb1\xba\xa7\
\x00\x61\
\x00\x70\x00\x70\x00\x69\x00\x63\x00\x6f\x00\x6e\x00\x2e\x00\x70\x00\x6e\x00\x67\
\x00\x0d\
\x0f\x6b\x5c\x47\
\x00\x65\
\x00\x71\x00\x75\x00\x61\x00\x6c\x00\x73\x00\x5f\x00\x71\x00\x6d\x00\x2e\x00\x73\x00\x76\x00\x67\
\x00\x1c\
\x08\x58\xf4\x07\
\x00\x73\
\x00\x70\x00\x6c\x00\x69\x00\x74\x00\x74\x00\x65\x00\x72\x00\x5f\x00\x68\x00\x61\x00\x6e\x00\x64\x00\x6c\x00\x65\x00\x5f\x00\x76\
\x00\x65\x00\x72\x00\x74\x00\x69\x00\x63\x00\x61\x00\x6c\x00\x2e\x00\x73\x00\x76\x00\x67\
\x00\x0e\
\x07\x59\x16\x87\
\x00\x6d\
\x00\x6f\x00\x64\x00\x75\x00\x6c\x00\x61\x00\x74\x00\x69\x00\x6f\x00\x6e\x00\x2e\x00\x73\x00\x76\x00\x67\
"
qt_resource_struct_v1 = b"\
\x00\x00\x00\x00\x00\x02\x00\x00\x00\x01\x00\x00\x00\x01\
\x00\x00\x00\x00\x00\x02\x00\x00\x00\x01\x00\x00\x00\x02\
\x00\x00\x00\x10\x00\x02\x00\x00\x00\x01\x00\x00\x00\x03\
\x00\x00\x00\x00\x00\x02\x00\x00\x00\x0c\x00\x00\x00\x04\
\x00\x00\x00\xca\x00\x00\x00\x00\x00\x01\x00\x00\x3e\xd9\
\x00\x00\x00\x1e\x00\x01\x00\x00\x00\x01\x00\x00\x00\x00\
\x00\x00\x00\xfe\x00\x00\x00\x00\x00\x01\x00\x00\x52\x1c\
\x00\x00\x00\x3c\x00\x00\x00\x00\x00\x01\x00\x00\x07\x2b\
\x00\x00\x00\xe0\x00\x00\x00\x00\x00\x01\x00\x00\x49\x15\
\x00\x00\x01\x92\x00\x00\x00\x00\x00\x01\x00\x00\x98\xbc\
\x00\x00\x00\x52\x00\x00\x00\x00\x00\x01\x00\x00\x14\x8d\
\x00\x00\x01\x54\x00\x00\x00\x00\x00\x01\x00\x00\x8f\x48\
\x00\x00\x00\x88\x00\x00\x00\x00\x00\x01\x00\x00\x35\xc3\
\x00\x00\x01\x18\x00\x00\x00\x00\x00\x01\x00\x00\x5f\x2c\
\x00\x00\x00\x6c\x00\x00\x00\x00\x00\x01\x00\x00\x1f\x7a\
\x00\x00\x01\x34\x00\x00\x00\x00\x00\x01\x00\x00\x84\x04\
"
qt_resource_struct_v2 = b"\
\x00\x00\x00\x00\x00\x02\x00\x00\x00\x01\x00\x00\x00\x01\
\x00\x00\x00\x00\x00\x00\x00\x00\
\x00\x00\x00\x00\x00\x02\x00\x00\x00\x01\x00\x00\x00\x02\
\x00\x00\x00\x00\x00\x00\x00\x00\
\x00\x00\x00\x10\x00\x02\x00\x00\x00\x01\x00\x00\x00\x03\
\x00\x00\x00\x00\x00\x00\x00\x00\
\x00\x00\x00\x00\x00\x02\x00\x00\x00\x0c\x00\x00\x00\x04\
\x00\x00\x00\x00\x00\x00\x00\x00\
\x00\x00\x00\xca\x00\x00\x00\x00\x00\x01\x00\x00\x3e\xd9\
\x00\x00\x01\x60\x08\x38\xde\x1c\
\x00\x00\x00\x1e\x00\x01\x00\x00\x00\x01\x00\x00\x00\x00\
\x00\x00\x01\x60\x08\x38\xde\x1b\
\x00\x00\x00\xfe\x00\x00\x00\x00\x00\x01\x00\x00\x52\x1c\
\x00\x00\x01\x60\x08\x38\xde\x1d\
\x00\x00\x00\x3c\x00\x00\x00\x00\x00\x01\x00\x00\x07\x2b\
\x00\x00\x01\x60\x08\x38\xde\x1c\
\x00\x00\x00\xe0\x00\x00\x00\x00\x00\x01\x00\x00\x49\x15\
\x00\x00\x01\x60\x08\x38\xde\x1d\
\x00\x00\x01\x92\x00\x00\x00\x00\x00\x01\x00\x00\x98\xbc\
\x00\x00\x01\x60\x08\x38\xde\x1c\
\x00\x00\x00\x52\x00\x00\x00\x00\x00\x01\x00\x00\x14\x8d\
\x00\x00\x01\x60\x08\x38\xde\x1b\
\x00\x00\x01\x54\x00\x00\x00\x00\x00\x01\x00\x00\x8f\x48\
\x00\x00\x01\x60\x08\x38\xde\x1d\
\x00\x00\x00\x88\x00\x00\x00\x00\x00\x01\x00\x00\x35\xc3\
\x00\x00\x01\x60\x08\x38\xde\x1d\
\x00\x00\x01\x18\x00\x00\x00\x00\x00\x01\x00\x00\x5f\x2c\
\x00\x00\x01\x60\x08\x38\xde\x1b\
\x00\x00\x00\x6c\x00\x00\x00\x00\x00\x01\x00\x00\x1f\x7a\
\x00\x00\x01\x60\x08\x38\xde\x1c\
\x00\x00\x01\x34\x00\x00\x00\x00\x00\x01\x00\x00\x84\x04\
\x00\x00\x01\x60\x08\x38\xde\x1b\
"
qt_version = QtCore.qVersion().split('.')
if qt_version < ['5', '8', '0']:
rcc_version = 1
qt_resource_struct = qt_resource_struct_v1
else:
rcc_version = 2
qt_resource_struct = qt_resource_struct_v2
def qInitResources():
QtCore.qRegisterResourceData(rcc_version, qt_resource_struct, qt_resource_name, qt_resource_data)
def qCleanupResources():
QtCore.qUnregisterResourceData(rcc_version, qt_resource_struct, qt_resource_name, qt_resource_data)
qInitResources()<|fim▁end|> | \xa8\x7c\x86\x89\xc9\x6e\x26\xc6\x77\xb3\x67\xfb\xf7\x18\x1e\x74\
\x82\x3c\x95\x8e\xb9\xad\xf4\xe3\x96\xfa\xcb\xd3\x7d\x7f\x26\x0b\
\x42\x61\xe3\xcf\x64\x65\xb1\x94\x49\x61\x4c\x9d\x76\x46\xcf\x70\
\x6d\xe0\x98\xb0\x01\x9c\x15\xbd\x97\xd8\xb5\xfd\xdf\x98\x1c\xdf\ |
<|file_name|>remote_try_unittest.py<|end_file_name|><|fim▁begin|>#!/usr/bin/python
# Copyright (c) 2012 The Chromium OS 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 json
import mox
import os
import sys
import shutil
import time
import constants
sys.path.insert(0, constants.SOURCE_ROOT)
from chromite.lib import cros_build_lib
from chromite.lib import cros_test_lib<|fim▁hole|>from chromite.lib import git
from chromite.buildbot import remote_try
from chromite.buildbot import repository
from chromite.scripts import cbuildbot
class RemoteTryJobMock(remote_try.RemoteTryJob):
pass
# pylint: disable=W0212,R0904,E1101
class RemoteTryTests(cros_test_lib.MoxTempDirTestCase):
PATCHES = ('5555', '6666')
BOTS = ('x86-generic-paladin', 'arm-generic-paladin')
def setUp(self):
self.parser = cbuildbot._CreateParser()
args = ['-r', '/tmp/test_build1', '-g', '5555', '-g',
'6666', '--remote']
args.extend(self.BOTS)
self.options, args = cbuildbot._ParseCommandLine(self.parser, args)
self.checkout_dir = os.path.join(self.tempdir, 'test_checkout')
self.int_mirror, self.ext_mirror = None, None
def _RunCommandSingleOutput(self, cmd, cwd):
result = cros_build_lib.RunCommandCaptureOutput(cmd, cwd=cwd)
out_lines = result.output.split()
self.assertEqual(len(out_lines), 1)
return out_lines[0]
def _GetNewestFile(self, dirname, basehash):
newhash = git.GetGitRepoRevision(dirname)
self.assertNotEqual(basehash, newhash)
cmd = ['git', 'log', '--format=%H', '%s..' % basehash]
# Make sure we have a single commit.
self._RunCommandSingleOutput(cmd, cwd=dirname)
cmd = ['git', 'diff', '--name-only', 'HEAD^']
# Make sure only one file per commit.
return self._RunCommandSingleOutput(cmd, cwd=dirname)
def _SubmitJob(self, checkout_dir, job, version=None):
"""Returns the path to the tryjob description."""
self.assertTrue(isinstance(job, RemoteTryJobMock))
basehash = git.GetGitRepoRevision(job.ssh_url)
if version is not None:
self._SetMirrorVersion(version)
job.Submit(workdir=checkout_dir, dryrun=True)
# Get the file that was just created.
created_file = self._GetNewestFile(checkout_dir, basehash)
return os.path.join(checkout_dir, created_file)
def _SetupMirrors(self):
mirror = os.path.join(self.tempdir, 'tryjobs_mirror')
os.mkdir(mirror)
url = '%s/%s' % (constants.GIT_HTTP_URL, 'chromiumos/tryjobs')
repository.CloneGitRepo(mirror, url,
bare=True)
self.ext_mirror = mirror
mirror = os.path.join(self.tempdir, 'tryjobs_int_mirror')
os.mkdir(mirror)
repository.CloneGitRepo(mirror, self.ext_mirror, reference=self.ext_mirror,
bare=True)
self.int_mirror = mirror
RemoteTryJobMock.EXT_SSH_URL = self.ext_mirror
RemoteTryJobMock.INT_SSH_URL = self.int_mirror
self._SetMirrorVersion(remote_try.RemoteTryJob.TRYJOB_FORMAT_VERSION, True)
def _SetMirrorVersion(self, version, only_if_missing=False):
for path in (self.ext_mirror, self.int_mirror):
vpath = os.path.join(path, remote_try.RemoteTryJob.TRYJOB_FORMAT_FILE)
if os.path.exists(vpath) and only_if_missing:
continue
# Get ourselves a working dir.
tmp_repo = os.path.join(self.tempdir, 'tmp-repo')
git.RunGit(self.tempdir, ['clone', path, tmp_repo])
vpath = os.path.join(tmp_repo, remote_try.RemoteTryJob.TRYJOB_FORMAT_FILE)
with open(vpath, 'w') as f:
f.write(str(version))
git.RunGit(tmp_repo, ['add', vpath])
git.RunGit(tmp_repo, ['commit', '-m', 'setting version to %s' % version])
git.RunGit(tmp_repo, ['push', path, 'master:master'])
shutil.rmtree(tmp_repo)
def _CreateJob(self, mirror=True):
job_class = remote_try.RemoteTryJob
if mirror:
job_class = RemoteTryJobMock
self._SetupMirrors()
job = job_class(self.options, self.BOTS, [])
return job
def testJobTimestamp(self):
"""Verify jobs have unique names."""
def submit_helper(dirname):
work_dir = os.path.join(self.tempdir, dirname)
return os.path.basename(self._SubmitJob(work_dir, job))
self.mox.StubOutWithMock(repository, 'IsARepoRoot')
repository.IsARepoRoot(mox.IgnoreArg()).AndReturn(False)
self.mox.ReplayAll()
job = self._CreateJob()
file1 = submit_helper('test1')
# Tryjob file names are based on timestamp, so delay one second to avoid two
# jobfiles having the same name.
time.sleep(1)
file2 = submit_helper('test2')
self.assertNotEqual(file1, file2)
def testSimpleTryJob(self, version=None):
"""Test that a tryjob spec file is created and pushed properly."""
self.mox.StubOutWithMock(repository, 'IsARepoRoot')
repository.IsARepoRoot(mox.IgnoreArg()).AndReturn(True)
self.mox.StubOutWithMock(repository, 'IsInternalRepoCheckout')
repository.IsInternalRepoCheckout(mox.IgnoreArg()).AndReturn(False)
self.mox.ReplayAll()
try:
os.environ["GIT_AUTHOR_EMAIL"] = "Elmer Fudd <[email protected]>"
os.environ["GIT_COMMITTER_EMAIL"] = "Elmer Fudd <[email protected]>"
job = self._CreateJob()
finally:
os.environ.pop("GIT_AUTHOR_EMAIL", None)
os.environ.pop("GIT_COMMITTER_EMAIL", None)
created_file = self._SubmitJob(self.checkout_dir, job, version=version)
with open(created_file, 'rb') as job_desc_file:
values = json.load(job_desc_file)
self.assertTrue('[email protected]' in values['email'][0])
for patch in self.PATCHES:
self.assertTrue(patch in values['extra_args'],
msg="expected patch %s in args %s" %
(patch, values['extra_args']))
self.assertTrue(set(self.BOTS).issubset(values['bot']))
remote_url = cros_build_lib.RunCommand(
['git', 'config', 'remote.origin.url'], redirect_stdout=True,
cwd=self.checkout_dir).output.strip()
self.assertEqual(remote_url, self.ext_mirror)
def testClientVersionAwareness(self):
self.assertRaises(
remote_try.ChromiteUpgradeNeeded,
self.testSimpleTryJob,
version=remote_try.RemoteTryJob.TRYJOB_FORMAT_VERSION + 1)
def testInternalTryJob(self):
"""Verify internal tryjobs are pushed properly."""
self.mox.StubOutWithMock(repository, 'IsARepoRoot')
repository.IsARepoRoot(mox.IgnoreArg()).AndReturn(True)
self.mox.StubOutWithMock(repository, 'IsInternalRepoCheckout')
repository.IsInternalRepoCheckout(mox.IgnoreArg()).AndReturn(True)
self.mox.ReplayAll()
job = self._CreateJob()
self._SubmitJob(self.checkout_dir, job)
remote_url = cros_build_lib.RunCommand(
['git', 'config', 'remote.origin.url'], redirect_stdout=True,
cwd=self.checkout_dir).output.strip()
self.assertEqual(remote_url, self.int_mirror)
def testBareTryJob(self):
"""Verify submitting a tryjob from just a chromite checkout works."""
self.mox.StubOutWithMock(repository, 'IsARepoRoot')
repository.IsARepoRoot(mox.IgnoreArg()).AndReturn(False)
self.mox.StubOutWithMock(repository, 'IsInternalRepoCheckout')
self.mox.ReplayAll()
job = self._CreateJob(mirror=False)
self.assertEqual(job.ssh_url, remote_try.RemoteTryJob.EXT_SSH_URL)
if __name__ == '__main__':
cros_test_lib.main()<|fim▁end|> | |
<|file_name|>uniform_assigner.py<|end_file_name|><|fim▁begin|># Copyright (c) OpenMMLab. All rights reserved.
import torch
from ..builder import BBOX_ASSIGNERS
from ..iou_calculators import build_iou_calculator
from ..transforms import bbox_xyxy_to_cxcywh
from .assign_result import AssignResult
from .base_assigner import BaseAssigner
@BBOX_ASSIGNERS.register_module()
class UniformAssigner(BaseAssigner):
"""Uniform Matching between the anchors and gt boxes, which can achieve
balance in positive anchors, and gt_bboxes_ignore was not considered for
now.
Args:
pos_ignore_thr (float): the threshold to ignore positive anchors
neg_ignore_thr (float): the threshold to ignore negative anchors
match_times(int): Number of positive anchors for each gt box.
Default 4.
iou_calculator (dict): iou_calculator config
"""
def __init__(self,
pos_ignore_thr,
neg_ignore_thr,
match_times=4,
iou_calculator=dict(type='BboxOverlaps2D')):
self.match_times = match_times
self.pos_ignore_thr = pos_ignore_thr
self.neg_ignore_thr = neg_ignore_thr
self.iou_calculator = build_iou_calculator(iou_calculator)
def assign(self,
bbox_pred,
anchor,
gt_bboxes,
gt_bboxes_ignore=None,
gt_labels=None):
num_gts, num_bboxes = gt_bboxes.size(0), bbox_pred.size(0)
# 1. assign -1 by default
assigned_gt_inds = bbox_pred.new_full((num_bboxes, ),
0,
dtype=torch.long)
assigned_labels = bbox_pred.new_full((num_bboxes, ),
-1,
dtype=torch.long)
if num_gts == 0 or num_bboxes == 0:
# No ground truth or boxes, return empty assignment
if num_gts == 0:
# No ground truth, assign all to background
assigned_gt_inds[:] = 0
assign_result = AssignResult(
num_gts, assigned_gt_inds, None, labels=assigned_labels)
assign_result.set_extra_property(
'pos_idx', bbox_pred.new_empty(0, dtype=torch.bool))
assign_result.set_extra_property('pos_predicted_boxes',
bbox_pred.new_empty((0, 4)))
assign_result.set_extra_property('target_boxes',
bbox_pred.new_empty((0, 4)))
return assign_result
# 2. Compute the L1 cost between boxes
# Note that we use anchors and predict boxes both
cost_bbox = torch.cdist(
bbox_xyxy_to_cxcywh(bbox_pred),
bbox_xyxy_to_cxcywh(gt_bboxes),
p=1)
cost_bbox_anchors = torch.cdist(
bbox_xyxy_to_cxcywh(anchor), bbox_xyxy_to_cxcywh(gt_bboxes), p=1)<|fim▁hole|>
# We found that topk function has different results in cpu and
# cuda mode. In order to ensure consistency with the source code,
# we also use cpu mode.
# TODO: Check whether the performance of cpu and cuda are the same.
C = cost_bbox.cpu()
C1 = cost_bbox_anchors.cpu()
# self.match_times x n
index = torch.topk(
C, # c=b,n,x c[i]=n,x
k=self.match_times,
dim=0,
largest=False)[1]
# self.match_times x n
index1 = torch.topk(C1, k=self.match_times, dim=0, largest=False)[1]
# (self.match_times*2) x n
indexes = torch.cat((index, index1),
dim=1).reshape(-1).to(bbox_pred.device)
pred_overlaps = self.iou_calculator(bbox_pred, gt_bboxes)
anchor_overlaps = self.iou_calculator(anchor, gt_bboxes)
pred_max_overlaps, _ = pred_overlaps.max(dim=1)
anchor_max_overlaps, _ = anchor_overlaps.max(dim=0)
# 3. Compute the ignore indexes use gt_bboxes and predict boxes
ignore_idx = pred_max_overlaps > self.neg_ignore_thr
assigned_gt_inds[ignore_idx] = -1
# 4. Compute the ignore indexes of positive sample use anchors
# and predict boxes
pos_gt_index = torch.arange(
0, C1.size(1),
device=bbox_pred.device).repeat(self.match_times * 2)
pos_ious = anchor_overlaps[indexes, pos_gt_index]
pos_ignore_idx = pos_ious < self.pos_ignore_thr
pos_gt_index_with_ignore = pos_gt_index + 1
pos_gt_index_with_ignore[pos_ignore_idx] = -1
assigned_gt_inds[indexes] = pos_gt_index_with_ignore
if gt_labels is not None:
assigned_labels = assigned_gt_inds.new_full((num_bboxes, ), -1)
pos_inds = torch.nonzero(
assigned_gt_inds > 0, as_tuple=False).squeeze()
if pos_inds.numel() > 0:
assigned_labels[pos_inds] = gt_labels[
assigned_gt_inds[pos_inds] - 1]
else:
assigned_labels = None
assign_result = AssignResult(
num_gts,
assigned_gt_inds,
anchor_max_overlaps,
labels=assigned_labels)
assign_result.set_extra_property('pos_idx', ~pos_ignore_idx)
assign_result.set_extra_property('pos_predicted_boxes',
bbox_pred[indexes])
assign_result.set_extra_property('target_boxes',
gt_bboxes[pos_gt_index])
return assign_result<|fim▁end|> | |
<|file_name|>index.d.ts<|end_file_name|><|fim▁begin|>// Type definitions for D3JS d3-scale module v1.0.3
// Project: https://github.com/d3/d3-scale/
// Definitions by: Tom Wanzek <https://github.com/tomwanzek>, Alex Ford <https://github.com/gustavderdrache>, Boris Yankov <https://github.com/borisyankov>
// Definitions: https://github.com/DefinitelyTyped/DefinitelyTyped
import { CountableTimeInterval, TimeInterval } from '../d3-time';
// -------------------------------------------------------------------------------
// Shared Types and Interfaces
// -------------------------------------------------------------------------------
export interface InterpolatorFactory<T, U> {
(a: T, b: T): ((t: number) => U);
}
// -------------------------------------------------------------------------------
// Linear Scale Factory<|fim▁hole|>
export interface ScaleLinear<Range, Output> {
(value: number | { valueOf(): number }): Output;
/**
* Important: While value should come out of range R, this is method is only applicable to
* values that can be coerced to numeric. Otherwise, returns NaN
*/
invert(value: number | { valueOf(): number }): number;
domain(): Array<number>;
domain(domain: Array<number | { valueOf(): number }>): this;
range(): Array<Range>;
range(range: Array<Range>): this;
/**
* Important: While value should come out of range R, this is method is only applicable to
* values that can be coerced to numeric.
*/
rangeRound(range: Array<number | { valueOf(): number }>): this;
clamp(): boolean;
clamp(clamp: boolean): ScaleLinear<Range, Output>;
interpolate(): InterpolatorFactory<any, any>;
interpolate(interpolate: InterpolatorFactory<Range, Output>): this;
interpolate<NewOutput>(interpolate: InterpolatorFactory<Range, NewOutput>): ScaleLinear<Range, NewOutput>;
ticks(count?: number): Array<number>;
tickFormat(count?: number, specifier?: string): ((d: number | { valueOf(): number }) => string);
nice(count?: number): this;
copy(): ScaleLinear<Range, Output>;
}
export function scaleLinear(): ScaleLinear<number, number>;
export function scaleLinear<Output>(): ScaleLinear<Output, Output>;
export function scaleLinear<Range, Output>(): ScaleLinear<Range, Output>;
// -------------------------------------------------------------------------------
// Power Scale Factories
// -------------------------------------------------------------------------------
export interface ScalePower<Range, Output> {
(value: number | { valueOf(): number }): Output;
/**
* Important: While value should come out of range R, this is method is only applicable to
* values that can be coerced to numeric. Otherwise, returns NaN
*/
invert(value: number | { valueOf(): number }): number;
domain(): Array<number>;
domain(domain: Array<number | { valueOf(): number }>): this;
range(): Array<Range>;
range(range: Array<Range>): this;
/**
* Important: While value should come out of range R, this is method is only applicable to
* values that can be coerced to numeric.
*/
rangeRound(range: Array<number | { valueOf(): number }>): this;
clamp(): boolean;
clamp(clamp: boolean): this;
interpolate(): InterpolatorFactory<any, any>;
interpolate(interpolate: InterpolatorFactory<Range, Output>): this;
interpolate<NewOutput>(interpolate: InterpolatorFactory<Range, NewOutput>): ScalePower<Range, NewOutput>;
ticks(count?: number): Array<number>;
tickFormat(count?: number, specifier?: string): ((d: number | { valueOf(): number }) => string);
nice(count?: number): this;
copy(): ScalePower<Range, Output>;
exponent(): number;
exponent(exponent: number): this;
}
export function scalePow(): ScalePower<number, number>;
export function scalePow<Output>(): ScalePower<Output, Output>;
export function scalePow<Range, Output>(): ScalePower<Range, Output>;
export function scaleSqrt(): ScalePower<number, number>;
export function scaleSqrt<Output>(): ScalePower<Output, Output>;
export function scaleSqrt<Range, Output>(): ScalePower<Range, Output>;
// -------------------------------------------------------------------------------
// Logarithmic Scale Factory
// -------------------------------------------------------------------------------
export interface ScaleLogarithmic<Range, Output> {
(value: number | { valueOf(): number }): Output;
/**
* Important: While value should come out of range R, this is method is only applicable to
* values that can be coerced to numeric. Otherwise, returns NaN
*/
invert(value: number | { valueOf(): number }): number;
domain(): Array<number>;
domain(domain: Array<number | { valueOf(): number }>): this;
range(): Array<Range>;
range(range: Array<Range>): this;
/**
* Important: While value should come out of range R, this is method is only applicable to
* values that can be coerced to numeric.
*/
rangeRound(range: Array<number | { valueOf(): number }>): this;
clamp(): boolean;
clamp(clamp: boolean): this;
interpolate(): InterpolatorFactory<any, any>;
interpolate(interpolate: InterpolatorFactory<Range, Output>): this;
interpolate<NewOutput>(interpolate: InterpolatorFactory<Range, NewOutput>): ScaleLogarithmic<Range, NewOutput>;
ticks(count?: number): Array<number>;
tickFormat(count?: number, specifier?: string): ((d: number | { valueOf(): number }) => string);
nice(count?: number): this;
copy(): ScaleLogarithmic<Range, Output>;
base(): number;
base(base: number): this;
}
export function scaleLog(): ScaleLogarithmic<number, number>;
export function scaleLog<Output>(): ScaleLogarithmic<Output, Output>;
export function scaleLog<Range, Output>(): ScaleLogarithmic<Range, Output>;
// -------------------------------------------------------------------------------
// Identity Scale Factory
// -------------------------------------------------------------------------------
export interface ScaleIdentity {
(value: number | { valueOf(): number }): number;
/**
* Important: While value should come out of range R, this is method is only applicable to
* values that can be coerced to numeric. Otherwise, returns NaN
*/
invert(value: number | { valueOf(): number }): number;
domain(): Array<number>;
domain(domain: Array<number | { valueOf(): number }>): this;
range(): Array<number>;
range(range: Array<Range | { valueOf(): number }>): this;
ticks(count?: number): Array<number>;
tickFormat(count?: number, specifier?: string): ((d: number | { valueOf(): number }) => string);
nice(count?: number): this;
copy(): ScaleIdentity;
}
export function scaleIdentity(): ScaleIdentity;
// -------------------------------------------------------------------------------
// Time Scale Factories
// -------------------------------------------------------------------------------
export interface ScaleTime<Range, Output> {
(value: Date): Output;
/**
* Important: While value should come out of range R, this is method is only applicable to
* values that can be coerced to numeric. Otherwise, returns NaN
*/
invert(value: number | { valueOf(): number }): Date;
domain(): Array<Date>;
domain(domain: Array<Date>): this;
range(): Array<Range>;
range(range: Array<Range>): this;
/**
* Important: While value should come out of range R, this is method is only applicable to
* values that can be coerced to numeric.
*/
rangeRound(range: Array<number | { valueOf(): number }>): this;
clamp(): boolean;
clamp(clamp: boolean): this;
interpolate(): InterpolatorFactory<any, any>;
interpolate(interpolate: InterpolatorFactory<Range, Output>): this;
interpolate<NewOutput>(interpolate: InterpolatorFactory<Range, NewOutput>): ScaleTime<Range, NewOutput>;
ticks(): Array<Date>;
ticks(count: number): Array<Date>;
ticks(interval: TimeInterval): Array<Date>;
tickFormat(): ((d: Date) => string);
tickFormat(count: number, specifier?: string): ((d: Date) => string);
tickFormat(interval: TimeInterval, specifier?: string): ((d: Date) => string);
nice(): this;
nice(count: number): this;
nice(interval: CountableTimeInterval, step?: number): this;
copy(): ScaleTime<Range, Output>;
}
export function scaleTime(): ScaleTime<number, number>;
export function scaleTime<Output>(): ScaleTime<Output, Output>;
export function scaleTime<Range, Output>(): ScaleTime<Range, Output>;
export function scaleUtc(): ScaleTime<number, number>;
export function scaleUtc<Output>(): ScaleTime<Output, Output>;
export function scaleUtc<Range, Output>(): ScaleTime<Range, Output>;
// -------------------------------------------------------------------------------
// Sequential Scale Factory
// -------------------------------------------------------------------------------
export interface ScaleSequential<Output> {
(value: number | { valueOf(): number }): Output;
domain(): [number, number];
domain(domain: [number | { valueOf(): number }, number | { valueOf(): number }]): this;
clamp(): boolean;
clamp(clamp: boolean): this;
interpolator(): ((t: number) => Output);
interpolator(interpolator: ((t: number) => Output)): this;
interpolator<NewOutput>(interpolator: ((t: number) => NewOutput)): ScaleSequential<NewOutput>;
copy(): ScaleSequential<Output>;
}
export function scaleSequential<Output>(interpolator: ((t: number) => Output)): ScaleSequential<Output>;
// -------------------------------------------------------------------------------
// Color Interpolators for Sequential Scale Factory
// -------------------------------------------------------------------------------
export function interpolateViridis(t: number): string;
export function interpolateMagma(t: number): string;
export function interpolateInferno(t: number): string;
export function interpolatePlasma(t: number): string;
export function interpolateRainbow(t: number): string;
export function interpolateWarm(t: number): string;
export function interpolateCool(t: number): string;
export function interpolateCubehelixDefault(t: number): string;
// -------------------------------------------------------------------------------
// Quantize Scale Factory
// -------------------------------------------------------------------------------
export interface ScaleQuantize<Range> {
(value: number | { valueOf(): number }): Range;
/**
* Important: While value should come out of range R, this is method is only applicable to
* values that can be coerced to numeric. Otherwise, returns NaN
*/
invertExtent(value: Range): [number, number];
domain(): [number, number];
domain(domain: [number | { valueOf(): number }, number | { valueOf(): number }]): this;
range(): Array<Range>;
range(range: Array<Range>): this;
ticks(count?: number): Array<number>;
tickFormat(count?: number, specifier?: string): ((d: number | { valueOf(): number }) => string);
nice(count?: number): this;
copy(): ScaleQuantize<Range>;
}
export function scaleQuantize(): ScaleQuantize<number>;
export function scaleQuantize<Range>(): ScaleQuantize<Range>;
// -------------------------------------------------------------------------------
// Quantile Scale Factory
// -------------------------------------------------------------------------------
export interface ScaleQuantile<Range> {
(value: number | { valueOf(): number }): Range;
invertExtent(value: Range): [number, number];
domain(): Array<number>;
domain(domain: Array<number | { valueOf(): number }>): this;
range(): Array<Range>;
range(range: Array<Range>): this;
quantiles(): Array<number>;
copy(): ScaleQuantile<Range>;
}
export function scaleQuantile(): ScaleQuantile<number>;
export function scaleQuantile<Range>(): ScaleQuantile<Range>;
// -------------------------------------------------------------------------------
// Threshold Scale Factory
// -------------------------------------------------------------------------------
// TODO: review Domain Type, should be naturally orderable
export interface ScaleThreshold<Domain extends number | string | Date, Range> {
(value: Domain): Range;
/**
* Important: While value should come out of range R, this is method is only applicable to
* values that can be coerced to numeric. Otherwise, returns NaN
*/
invertExtent(value: Range): [Domain, Domain] | [undefined, Domain] | [Domain, undefined] | [undefined, undefined];
domain(): Array<Domain>;
domain(domain: Array<Domain>): this;
range(): Array<Range>;
range(range: Array<Range>): this;
copy(): ScaleThreshold<Domain, Range>;
}
export function scaleThreshold(): ScaleThreshold<number, number>;
export function scaleThreshold<Domain extends number | string | Date, Range>(): ScaleThreshold<Domain, Range>;
// -------------------------------------------------------------------------------
// Ordinal Scale Factory
// -------------------------------------------------------------------------------
export interface ScaleOrdinal<Domain extends { toString(): string }, Range> {
(x: Domain): Range;
domain(): Array<Domain>;
domain(domain: Array<Domain>): this;
range(): Array<Range>;
range(range: Array<Range>): this;
unknown(): Range | { name: 'implicit' };
unknown(value: Range | { name: 'implicit' }): this;
copy(): ScaleOrdinal<Domain, Range>;
}
export function scaleOrdinal<Range>(range?: Array<Range>): ScaleOrdinal<string, Range>;
export function scaleOrdinal<Domain extends { toString(): string }, Range>(range?: Array<Range>): ScaleOrdinal<Domain, Range>;
export const scaleImplicit: { name: 'implicit' };
// -------------------------------------------------------------------------------
// Band Scale Factory
// -------------------------------------------------------------------------------
export interface ScaleBand<Domain extends { toString(): string }> {
(x: Domain): number | undefined;
domain(): Array<Domain>;
domain(domain: Array<Domain>): this;
range(): [number, number];
range(range: [number | { valueOf(): number }, number | { valueOf(): number }]): this;
rangeRound(range: [number | { valueOf(): number }, number | { valueOf(): number }]): this;
round(): boolean;
round(round: boolean): this;
paddingInner(): number;
paddingInner(padding: number): this;
paddingOuter(): number;
paddingOuter(padding: number): this;
/**
* Returns the inner padding.
*/
padding(): number;
/**
* A convenience method for setting the inner and outer padding to the same padding value.
*/
padding(padding: number): this;
align(): number;
align(align: number): this;
bandwidth(): number;
step(): number;
copy(): ScaleBand<Domain>;
}
export function scaleBand(): ScaleBand<string>;
export function scaleBand<Domain extends { toString(): string }>(): ScaleBand<Domain>;
// -------------------------------------------------------------------------------
// Point Scale Factory
// -------------------------------------------------------------------------------
export interface ScalePoint<Domain extends { toString(): string }> {
(x: Domain): number | undefined;
domain(): Array<Domain>;
domain(domain: Array<Domain>): this;
range(): [number, number];
range(range: [number | { valueOf(): number }, number | { valueOf(): number }]): this;
rangeRound(range: [number | { valueOf(): number }, number | { valueOf(): number }]): this;
round(): boolean;
round(round: boolean): this;
/**
* Returns the current outer padding which defaults to 0.
* The outer padding determines the ratio of the range that is reserved for blank space
* before the first point and after the last point.
*/
padding(): number;
/**
* Sets the outer padding to the specified value which must be in the range [0, 1].
* The outer padding determines the ratio of the range that is reserved for blank space
* before the first point and after the last point.
*/
padding(padding: number): this;
align(): number;
align(align: number): this;
bandwidth(): number;
step(): number;
copy(): ScalePoint<Domain>;
}
export function scalePoint(): ScalePoint<string>;
export function scalePoint<Domain extends { toString(): string }>(): ScalePoint<Domain>;
// -------------------------------------------------------------------------------
// Categorical Color Schemas for Ordinal Scales
// -------------------------------------------------------------------------------
export const schemeCategory10: Array<string>;
export const schemeCategory20: Array<string>;
export const schemeCategory20b: Array<string>;
export const schemeCategory20c: Array<string>;<|fim▁end|> | // -------------------------------------------------------------------------------
|
<|file_name|>Create_Modify_Interface.py<|end_file_name|><|fim▁begin|>## This file is part of Invenio.
## Copyright (C) 2002, 2003, 2004, 2005, 2006, 2007, 2008, 2009, 2010 CERN.
##
## Invenio 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.
##
## Invenio 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 Invenio; if not, write to the Free Software Foundation, Inc.,
## 59 Temple Place, Suite 330, Boston, MA 02111-1307, USA.
"""
This is the Create_Modify_Interface function (along with its helpers).
It is used by WebSubmit for the "Modify Bibliographic Information" action.
"""
__revision__ = "$Id$"
import os
import re
import time
import pprint
from invenio.dbquery import run_sql
from invenio.websubmit_config import InvenioWebSubmitFunctionError
from invenio.websubmit_functions.Retrieve_Data import Get_Field
from invenio.errorlib import register_exception
def Create_Modify_Interface_getfieldval_fromfile(cur_dir, fld=""):
"""Read a field's value from its corresponding text file in 'cur_dir' (if it exists) into memory.
Delete the text file after having read-in its value.
This function is called on the reload of the modify-record page. This way, the field in question
can be populated with the value last entered by the user (before reload), instead of always being
populated with the value still found in the DB.
"""
fld_val = ""
if len(fld) > 0 and os.access("%s/%s" % (cur_dir, fld), os.R_OK|os.W_OK):
fp = open( "%s/%s" % (cur_dir, fld), "r" )
fld_val = fp.read()
fp.close()
try:
os.unlink("%s/%s"%(cur_dir, fld))
except OSError:
# Cannot unlink file - ignore, let WebSubmit main handle this
pass
fld_val = fld_val.strip()
return fld_val
def Create_Modify_Interface_getfieldval_fromDBrec(fieldcode, recid):
"""Read a field's value from the record stored in the DB.
This function is called when the Create_Modify_Interface function is called for the first time
when modifying a given record, and field values must be retrieved from the database.
"""
fld_val = ""
if fieldcode != "":
for next_field_code in [x.strip() for x in fieldcode.split(",")]:
fld_val += "%s\n" % Get_Field(next_field_code, recid)
fld_val = fld_val.rstrip('\n')
return fld_val
def Create_Modify_Interface_transform_date(fld_val):
"""Accept a field's value as a string. If the value is a date in one of the following formats:
DD Mon YYYY (e.g. 23 Apr 2005)
YYYY-MM-DD (e.g. 2005-04-23)
...transform this date value into "DD/MM/YYYY" (e.g. 23/04/2005).
"""
if re.search("^[0-9]{2} [a-z]{3} [0-9]{4}$", fld_val, re.IGNORECASE) is not None:
try:
fld_val = time.strftime("%d/%m/%Y", time.strptime(fld_val, "%d %b %Y"))
except (ValueError, TypeError):
# bad date format:
pass
elif re.search("^[0-9]{4}-[0-9]{2}-[0-9]{2}$", fld_val, re.IGNORECASE) is not None:
try:
fld_val = time.strftime("%d/%m/%Y", time.strptime(fld_val, "%Y-%m-%d"))
except (ValueError,TypeError):
# bad date format:
pass
return fld_val
def Create_Modify_Interface(parameters, curdir, form, user_info=None):
"""
Create an interface for the modification of a document, based on
the fields that the user has chosen to modify. This avoids having
to redefine a submission page for the modifications, but rely on<|fim▁hole|> is the page letting the user specify a document to modify).
This function should be added at step 1 of your modification
workflow, after the functions that retrieves report number and
record id (Get_Report_Number, Get_Recid). Functions at step 2 are
the one executed upon successful submission of the form.
Create_Modify_Interface expects the following parameters:
* "fieldnameMBI" - the name of a text file in the submission
working directory that contains a list of the names of the
WebSubmit fields to include in the Modification interface.
These field names are separated by"\n" or "+".
Given the list of WebSubmit fields to be included in the
modification interface, the values for each field are retrieved
for the given record (by way of each WebSubmit field being
configured with a MARC Code in the WebSubmit database). An HTML
FORM is then created. This form allows a user to modify certain
field values for a record.
The file referenced by 'fieldnameMBI' is usually generated from a
multiple select form field): users can then select one or several
fields to modify
Note that the function will display WebSubmit Response elements,
but will not be able to set an initial value: this must be done by
the Response element iteself.
Additionally the function creates an internal field named
'Create_Modify_Interface_DONE' on the interface, that can be
retrieved in curdir after the form has been submitted.
This flag is an indicator for the function that displayed values
should not be retrieved from the database, but from the submitted
values (in case the page is reloaded). You can also rely on this
value when building your WebSubmit Response element in order to
retrieve value either from the record, or from the submission
directory.
"""
global sysno,rn
t = ""
# variables declaration
fieldname = parameters['fieldnameMBI']
# Path of file containing fields to modify
the_globals = {
'doctype' : doctype,
'action' : action,
'act' : action, ## for backward compatibility
'step' : step,
'access' : access,
'ln' : ln,
'curdir' : curdir,
'uid' : user_info['uid'],
'uid_email' : user_info['email'],
'rn' : rn,
'last_step' : last_step,
'action_score' : action_score,
'__websubmit_in_jail__' : True,
'form': form,
'sysno': sysno,
'user_info' : user_info,
'__builtins__' : globals()['__builtins__'],
'Request_Print': Request_Print
}
if os.path.exists("%s/%s" % (curdir, fieldname)):
fp = open( "%s/%s" % (curdir, fieldname), "r" )
fieldstext = fp.read()
fp.close()
fieldstext = re.sub("\+","\n", fieldstext)
fields = fieldstext.split("\n")
else:
res = run_sql("SELECT fidesc FROM sbmFIELDDESC WHERE name=%s", (fieldname,))
if len(res) == 1:
fields = res[0][0].replace(" ", "")
fields = re.findall("<optionvalue=.*>", fields)
regexp = re.compile("""<optionvalue=(?P<quote>['|"]?)(?P<value>.*?)(?P=quote)""")
fields = [regexp.search(x) for x in fields]
fields = [x.group("value") for x in fields if x is not None]
fields = [x for x in fields if x not in ("Select", "select")]
else:
raise InvenioWebSubmitFunctionError("cannot find fields to modify")
#output some text
t = t+"<CENTER bgcolor=\"white\">The document <B>%s</B> has been found in the database.</CENTER><br />Please modify the following fields:<br />Then press the 'END' button at the bottom of the page<br />\n" % rn
for field in fields:
subfield = ""
value = ""
marccode = ""
text = ""
# retrieve and display the modification text
t = t + "<FONT color=\"darkblue\">\n"
res = run_sql("SELECT modifytext FROM sbmFIELDDESC WHERE name=%s", (field,))
if len(res)>0:
t = t + "<small>%s</small> </FONT>\n" % res[0][0]
# retrieve the marc code associated with the field
res = run_sql("SELECT marccode FROM sbmFIELDDESC WHERE name=%s", (field,))
if len(res) > 0:
marccode = res[0][0]
# then retrieve the previous value of the field
if os.path.exists("%s/%s" % (curdir, "Create_Modify_Interface_DONE")):
# Page has been reloaded - get field value from text file on server, not from DB record
value = Create_Modify_Interface_getfieldval_fromfile(curdir, field)
else:
# First call to page - get field value from DB record
value = Create_Modify_Interface_getfieldval_fromDBrec(marccode, sysno)
# If field is a date value, transform date into format DD/MM/YYYY:
value = Create_Modify_Interface_transform_date(value)
res = run_sql("SELECT * FROM sbmFIELDDESC WHERE name=%s", (field,))
if len(res) > 0:
element_type = res[0][3]
numcols = res[0][6]
numrows = res[0][5]
size = res[0][4]
maxlength = res[0][7]
val = res[0][8]
fidesc = res[0][9]
if element_type == "T":
text = "<TEXTAREA name=\"%s\" rows=%s cols=%s wrap>%s</TEXTAREA>" % (field, numrows, numcols, value)
elif element_type == "F":
text = "<INPUT TYPE=\"file\" name=\"%s\" size=%s maxlength=\"%s\">" % (field, size, maxlength)
elif element_type == "I":
value = re.sub("[\n\r\t]+", "", value)
text = "<INPUT name=\"%s\" size=%s value=\"%s\"> " % (field, size, val)
text = text + "<SCRIPT>document.forms[0].%s.value=\"%s\";</SCRIPT>" % (field, value)
elif element_type == "H":
text = "<INPUT type=\"hidden\" name=\"%s\" value=\"%s\">" % (field, val)
text = text + "<SCRIPT>document.forms[0].%s.value=\"%s\";</SCRIPT>" % (field, value)
elif element_type == "S":
values = re.split("[\n\r]+", value)
text = fidesc
if re.search("%s\[\]" % field, fidesc):
multipletext = "[]"
else:
multipletext = ""
if len(values) > 0 and not(len(values) == 1 and values[0] == ""):
text += "<SCRIPT>\n"
text += "var i = 0;\n"
text += "el = document.forms[0].elements['%s%s'];\n" % (field, multipletext)
text += "max = el.length;\n"
for val in values:
text += "var found = 0;\n"
text += "var i=0;\n"
text += "while (i != max) {\n"
text += " if (el.options[i].value == \"%s\" || el.options[i].text == \"%s\") {\n" % (val, val)
text += " el.options[i].selected = true;\n"
text += " found = 1;\n"
text += " }\n"
text += " i=i+1;\n"
text += "}\n"
#text += "if (found == 0) {\n"
#text += " el[el.length] = new Option(\"%s\", \"%s\", 1,1);\n"
#text += "}\n"
text += "</SCRIPT>\n"
elif element_type == "D":
text = fidesc
elif element_type == "R":
try:
co = compile(fidesc.replace("\r\n", "\n"), "<string>", "exec")
## Note this exec is safe WRT global variable because the
## Create_Modify_Interface has already been parsed by
## execfile within a protected environment.
the_globals['text'] = ''
exec co in the_globals
text = the_globals['text']
except:
msg = "Error in evaluating response element %s with globals %s" % (pprint.pformat(field), pprint.pformat(globals()))
register_exception(req=None, alert_admin=True, prefix=msg)
raise InvenioWebSubmitFunctionError(msg)
else:
text = "%s: unknown field type" % field
t = t + "<small>%s</small>" % text
# output our flag field
t += '<input type="hidden" name="Create_Modify_Interface_DONE" value="DONE\n" />'
# output some more text
t = t + "<br /><br /><CENTER><small><INPUT type=\"button\" width=400 height=50 name=\"End\" value=\"END\" onClick=\"document.forms[0].step.value = 2;user_must_confirm_before_leaving_page = false;document.forms[0].submit();\"></small></CENTER></H4>"
return t<|fim▁end|> | the elements already defined for the initial submission i.e. SBI
action (The only page that needs to be built for the modification |
<|file_name|>border.mako.rs<|end_file_name|><|fim▁begin|>/* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
<%namespace name="helpers" file="/helpers.mako.rs" />
<% from data import Keyword, Method, PHYSICAL_SIDES, ALL_SIDES, maybe_moz_logical_alias %>
<% data.new_style_struct("Border", inherited=False,
additional_methods=[Method("border_" + side + "_has_nonzero_width",
"bool") for side in ["top", "right", "bottom", "left"]]) %>
<%
def maybe_logical_spec(side, kind):
if side[1]: # if it is logical
return "https://drafts.csswg.org/css-logical-props/#propdef-border-%s-%s" % (side[0], kind)
else:
return "https://drafts.csswg.org/css-backgrounds/#border-%s-%s" % (side[0], kind)
%>
% for side in ALL_SIDES:
<%
side_name = side[0]
is_logical = side[1]
%>
${helpers.predefined_type(
"border-%s-color" % side_name, "Color",
"computed_value::T::currentcolor()",
alias=maybe_moz_logical_alias(product, side, "-moz-border-%s-color"),
spec=maybe_logical_spec(side, "color"),
animation_value_type="AnimatedColor",
logical=is_logical,
allow_quirks=not is_logical,
flags="APPLIES_TO_FIRST_LETTER",
ignored_when_colors_disabled=True,
)}
${helpers.predefined_type("border-%s-style" % side_name, "BorderStyle",
"specified::BorderStyle::none",
alias=maybe_moz_logical_alias(product, side, "-moz-border-%s-style"),
spec=maybe_logical_spec(side, "style"),
flags="APPLIES_TO_FIRST_LETTER",
animation_value_type="discrete" if not is_logical else "none",
logical=is_logical)}
${helpers.predefined_type("border-%s-width" % side_name,
"BorderSideWidth",
"::values::computed::NonNegativeAu::from_px(3)",
computed_type="::values::computed::NonNegativeAu",
alias=maybe_moz_logical_alias(product, side, "-moz-border-%s-width"),
spec=maybe_logical_spec(side, "width"),
animation_value_type="NonNegativeAu",
logical=is_logical,
flags="APPLIES_TO_FIRST_LETTER",
allow_quirks=not is_logical)}
% endfor
${helpers.gecko_keyword_conversion(Keyword('border-style',
"none solid double dotted dashed hidden groove ridge inset outset"),
type="::values::specified::BorderStyle")}
// FIXME(#4126): when gfx supports painting it, make this Size2D<LengthOrPercentage>
% for corner in ["top-left", "top-right", "bottom-right", "bottom-left"]:
${helpers.predefined_type("border-" + corner + "-radius", "BorderCornerRadius",
"computed::LengthOrPercentage::zero().into()",
"parse", extra_prefixes="webkit",
spec="https://drafts.csswg.org/css-backgrounds/#border-%s-radius" % corner,
boxed=True,
flags="APPLIES_TO_FIRST_LETTER",
animation_value_type="BorderCornerRadius")}
% endfor
/// -moz-border-*-colors: color, string, enum, none, inherit/initial
/// These non-spec properties are just for Gecko (Stylo) internal use.
% for side in PHYSICAL_SIDES:
<%helpers:longhand name="-moz-border-${side}-colors" animation_value_type="discrete"
spec="Nonstandard (https://developer.mozilla.org/en-US/docs/Web/CSS/-moz-border-*-colors)"
products="gecko"
flags="APPLIES_TO_FIRST_LETTER"
ignored_when_colors_disabled="True">
use std::fmt;
use style_traits::ToCss;
use values::specified::RGBAColor;
no_viewport_percentage!(SpecifiedValue);
pub mod computed_value {
use cssparser::RGBA;
#[derive(Debug, Clone, PartialEq)]
#[cfg_attr(feature = "servo", derive(HeapSizeOf))]
pub struct T(pub Option<Vec<RGBA>>);
}
#[derive(Debug, Clone, PartialEq)]
#[cfg_attr(feature = "servo", derive(HeapSizeOf))]
pub enum SpecifiedValue {
None,
Colors(Vec<RGBAColor>),
}
impl ToCss for computed_value::T {
fn to_css<W>(&self, dest: &mut W) -> fmt::Result where W: fmt::Write {
match self.0 {
None => return dest.write_str("none"),
Some(ref vec) => {
let mut first = true;
for ref color in vec {
if !first {
dest.write_str(" ")?;
}
first = false;
color.to_css(dest)?
}
Ok(())
}
}
}
}
impl ToCss for SpecifiedValue {
fn to_css<W>(&self, dest: &mut W) -> fmt::Result where W: fmt::Write {
match *self {
SpecifiedValue::None => return dest.write_str("none"),
SpecifiedValue::Colors(ref vec) => {
let mut first = true;
for ref color in vec {
if !first {
dest.write_str(" ")?;
}
first = false;
color.to_css(dest)?
}
Ok(())
}
}
}
}
<|fim▁hole|> computed_value::T(None)
}
#[inline] pub fn get_initial_specified_value() -> SpecifiedValue {
SpecifiedValue::None
}
impl ToComputedValue for SpecifiedValue {
type ComputedValue = computed_value::T;
#[inline]
fn to_computed_value(&self, context: &Context) -> computed_value::T {
match *self {
SpecifiedValue::Colors(ref vec) => {
computed_value::T(Some(vec.iter()
.map(|c| c.to_computed_value(context))
.collect()))
},
SpecifiedValue::None => {
computed_value::T(None)
}
}
}
#[inline]
fn from_computed_value(computed: &computed_value::T) -> Self {
match *computed {
computed_value::T(Some(ref vec)) => {
SpecifiedValue::Colors(vec.iter()
.map(ToComputedValue::from_computed_value)
.collect())
},
computed_value::T(None) => {
SpecifiedValue::None
}
}
}
}
#[inline]
pub fn parse<'i, 't>(context: &ParserContext, input: &mut Parser<'i, 't>)
-> Result<SpecifiedValue, ParseError<'i>> {
if input.try(|input| input.expect_ident_matching("none")).is_ok() {
return Ok(SpecifiedValue::None)
}
let mut result = Vec::new();
while let Ok(value) = input.try(|i| RGBAColor::parse(context, i)) {
result.push(value);
}
if !result.is_empty() {
Ok(SpecifiedValue::Colors(result))
} else {
Err(StyleParseError::UnspecifiedError.into())
}
}
</%helpers:longhand>
% endfor
${helpers.single_keyword("box-decoration-break", "slice clone",
gecko_enum_prefix="StyleBoxDecorationBreak",
gecko_inexhaustive=True,
spec="https://drafts.csswg.org/css-break/#propdef-box-decoration-break",
products="gecko", animation_value_type="discrete")}
${helpers.single_keyword("-moz-float-edge", "content-box margin-box",
gecko_ffi_name="mFloatEdge",
gecko_enum_prefix="StyleFloatEdge",
gecko_inexhaustive=True,
products="gecko",
spec="Nonstandard (https://developer.mozilla.org/en-US/docs/Web/CSS/-moz-float-edge)",
animation_value_type="discrete")}
${helpers.predefined_type("border-image-source", "ImageLayer",
initial_value="Either::First(None_)",
initial_specified_value="Either::First(None_)",
spec="https://drafts.csswg.org/css-backgrounds/#the-background-image",
vector=False,
animation_value_type="discrete",
has_uncacheable_values=False,
flags="APPLIES_TO_FIRST_LETTER",
boxed="True")}
${helpers.predefined_type("border-image-outset", "LengthOrNumberRect",
parse_method="parse_non_negative",
initial_value="computed::LengthOrNumber::zero().into()",
initial_specified_value="specified::LengthOrNumber::zero().into()",
spec="https://drafts.csswg.org/css-backgrounds/#border-image-outset",
animation_value_type="discrete",
flags="APPLIES_TO_FIRST_LETTER",
boxed=True)}
<%helpers:longhand name="border-image-repeat" animation_value_type="discrete"
flags="APPLIES_TO_FIRST_LETTER"
spec="https://drafts.csswg.org/css-backgrounds/#border-image-repeat">
use style_traits::ToCss;
no_viewport_percentage!(SpecifiedValue);
pub mod computed_value {
pub use super::RepeatKeyword;
#[cfg_attr(feature = "servo", derive(HeapSizeOf))]
#[derive(Debug, Clone, PartialEq, ToCss)]
pub struct T(pub RepeatKeyword, pub RepeatKeyword);
}
#[cfg_attr(feature = "servo", derive(HeapSizeOf))]
#[derive(Debug, Clone, PartialEq, ToCss)]
pub struct SpecifiedValue(pub RepeatKeyword,
pub Option<RepeatKeyword>);
define_css_keyword_enum!(RepeatKeyword:
"stretch" => Stretch,
"repeat" => Repeat,
"round" => Round,
"space" => Space);
#[inline]
pub fn get_initial_value() -> computed_value::T {
computed_value::T(RepeatKeyword::Stretch, RepeatKeyword::Stretch)
}
#[inline]
pub fn get_initial_specified_value() -> SpecifiedValue {
SpecifiedValue(RepeatKeyword::Stretch, None)
}
impl ToComputedValue for SpecifiedValue {
type ComputedValue = computed_value::T;
#[inline]
fn to_computed_value(&self, _context: &Context) -> computed_value::T {
computed_value::T(self.0, self.1.unwrap_or(self.0))
}
#[inline]
fn from_computed_value(computed: &computed_value::T) -> Self {
SpecifiedValue(computed.0, Some(computed.1))
}
}
pub fn parse<'i, 't>(_context: &ParserContext, input: &mut Parser<'i, 't>)
-> Result<SpecifiedValue, ParseError<'i>> {
let first = RepeatKeyword::parse(input)?;
let second = input.try(RepeatKeyword::parse).ok();
Ok(SpecifiedValue(first, second))
}
</%helpers:longhand>
${helpers.predefined_type("border-image-width", "BorderImageWidth",
initial_value="computed::BorderImageSideWidth::one().into()",
initial_specified_value="specified::BorderImageSideWidth::one().into()",
spec="https://drafts.csswg.org/css-backgrounds/#border-image-width",
animation_value_type="discrete",
flags="APPLIES_TO_FIRST_LETTER",
boxed=True)}
${helpers.predefined_type("border-image-slice", "BorderImageSlice",
initial_value="computed::NumberOrPercentage::Percentage(computed::Percentage(1.)).into()",
initial_specified_value="specified::NumberOrPercentage::Percentage(specified::Percentage::new(1.)).into()",
spec="https://drafts.csswg.org/css-backgrounds/#border-image-slice",
animation_value_type="discrete",
flags="APPLIES_TO_FIRST_LETTER",
boxed=True)}
#[cfg(feature = "gecko")]
impl ::values::computed::BorderImageWidth {
pub fn to_gecko_rect(&self, sides: &mut ::gecko_bindings::structs::nsStyleSides) {
use gecko_bindings::sugar::ns_style_coord::{CoordDataMut, CoordDataValue};
use gecko::values::GeckoStyleCoordConvertible;
use values::generics::border::BorderImageSideWidth;
% for i in range(0, 4):
match self.${i} {
BorderImageSideWidth::Auto => {
sides.data_at_mut(${i}).set_value(CoordDataValue::Auto)
},
BorderImageSideWidth::Length(l) => {
l.to_gecko_style_coord(&mut sides.data_at_mut(${i}))
},
BorderImageSideWidth::Number(n) => {
sides.data_at_mut(${i}).set_value(CoordDataValue::Factor(n))
},
}
% endfor
}
pub fn from_gecko_rect(sides: &::gecko_bindings::structs::nsStyleSides)
-> Option<::values::computed::BorderImageWidth> {
use gecko_bindings::structs::nsStyleUnit::{eStyleUnit_Factor, eStyleUnit_Auto};
use gecko_bindings::sugar::ns_style_coord::CoordData;
use gecko::values::GeckoStyleCoordConvertible;
use values::computed::{LengthOrPercentage, Number};
use values::generics::border::BorderImageSideWidth;
Some(
::values::computed::BorderImageWidth::new(
% for i in range(0, 4):
match sides.data_at(${i}).unit() {
eStyleUnit_Auto => {
BorderImageSideWidth::Auto
},
eStyleUnit_Factor => {
BorderImageSideWidth::Number(
Number::from_gecko_style_coord(&sides.data_at(${i}))
.expect("sides[${i}] could not convert to Number"))
},
_ => {
BorderImageSideWidth::Length(
LengthOrPercentage::from_gecko_style_coord(&sides.data_at(${i}))
.expect("sides[${i}] could not convert to LengthOrPercentager"))
},
},
% endfor
)
)
}
}<|fim▁end|> | #[inline] pub fn get_initial_value() -> computed_value::T { |
<|file_name|>api.py<|end_file_name|><|fim▁begin|># pylint: disable=W0611
# flake8: noqa<|fim▁hole|><|fim▁end|> | from pandas.core.arrays.sparse import SparseArray, SparseDtype
from pandas.core.sparse.series import SparseSeries
from pandas.core.sparse.frame import SparseDataFrame |
<|file_name|>default_config_parser.py<|end_file_name|><|fim▁begin|>import yaml as yaml
from astropy import units
import re
class DefaultParser:
"""Not invented here syndrome"""
__check = {}
__convert = {}
__list_of_leaf_types = []
def __init__(self, default_dict):
self.__register_leaf('list')
self.__register_leaf('int')
self.__register_leaf('float')
self.__register_leaf('quantity')
self.__register_leaf('string')
self.__register_leaf('container-declaration')
self.__mandatory = False
self.__allowed_value = None
self.__allowed_type = None
self.__config_value = None
self.__path = None
self.__default_dict = default_dict
if not 'property_type' in default_dict:
self.__property_type = 'arbitrary'
else:
self.__property_type = default_dict['property_type']
if not self.__property_type in self.__check:
raise ValueError
if 'allowed_value' in default_dict:
self.__allowed_value = self.__convert_av_in_pt(default_dict['allowed_value'], self.__property_type)
if 'allowed_type' in default_dict:
self.__allowed_type = default_dict['allowed_type']
self.__lower, self.__upper = self.__parse_allowed_type(self.__allowed_type)
if 'default' in default_dict:
self.set_default(default_dict['default'])
if 'mandatory' in default_dict:
self.__mandatory = default_dict['mandatory']
self.is_leaf = self.__is_leaf(self.__property_type)
def get_default(self):
return self.__default_value
def set_default(self, value):
if value != None:
if self.is_valid(value):
self.__default_value = value
else:
raise ValueError('Default value violates property constraint.')
else:
self.__default_value = None
def is_mandatory(self):
return self.__mandatory
def has_default(self):
try:
if self.__default_value:
return True
else:
return False
except NameError:
pass
def set_path_in_dic(self, path):
self.__path = path
def get_path_in_dict(self):
return self.__path
def set_config_value(self, value):
self.__config_value = value
def get_value(self):
if self.__config_value is not None and self.is_valid(self.__config_value):
return self.__config_value
else:
if self.has_default():
return self.__default_value
else:
raise ValueError('No default value given.')
def is_container(self):
return self.__is_container(None)
def get_container_dic(self):
if self.__is_container(None):
return self.__container_dic
def update_container_dic(self, container_dic, current_entry_name):
if reduce(lambda a,b: a or b, [container_dic.has_key(i) for i in ['and','or']], True):
if 'or' in container_dic:
if current_entry_name in container_dic['or']:
container_dic['or'] = []
return container_dic
if 'and' in container_dic:
if current_entry_name in container_dic['and']:
current_entry_name['and'].remove(current_entry_name)
return container_dic
<|fim▁hole|>
def is_valid(self, value):
if not self.__check[self.__property_type](self,value):
return False
if self.__allowed_value:
if not self.__is_allowed_value(self,value, self.__allowed_value):
return False
if self.__allowed_type:
if not self.__check_value(self,value, self.__lower, self.__upper):
return False
return True
def __register_leaf(self,type_name):
print(type_name)
if not type_name in self.__list_of_leaf_types:
self.__list_of_leaf_types.append(type_name)
def __is_leaf(self, type_name):
return type_name in self.__list_of_leaf_types
def __is_container(self, value):
if self.__property_type == 'container-property':
try:
self.__container_dic = self.__default_dict['type']['containers']
return True
except:
return False
else:
return False
__check['container-property'] = __is_container
def __is_container_declaration(self, value):
pass
def __is_type_arbitrary(self, value):
self.is_leaf = False
return True
__check['arbitrary'] = __is_type_arbitrary
def __is_type_list(self, value):
self.__register_leaf('list')
try:
return isinstance(value, list)
except ValueError:
return False
__check['list'] = __is_type_list
def __is_type_int(self, value):
self.__register_leaf('int')
try:
int(value)
if float.is_integer(float(value)):
return True
else:
return False
except ValueError:
return False
__check['int'] = __is_type_int
def __is_type_float(self, value):
self.__register_leaf('float')
try:
float(value)
return True
except ValueError:
return False
__check['float'] = __is_type_float
def __is_type_quantity(self, value):
self.__register_leaf('quantity')
try:
quantity_value, quantity_unit = value.strip().split()
float(quantity_value)
units.Unit(quantity_unit)
return True
except ValueError:
return False
__check['quantity'] = __is_type_quantity
def __is_type_string(self, value):
self.__register_leaf('string')
try:
str(value)
return True
except ValueError:
return False
__check['string'] = __is_type_string
def __to_quantity(self, value):
quantity_value, quantity_unit = value.strip().split()
float(quantity_value)
units.Unit(quantity_unit)
return (quantity_value, quantity_unit)
__convert['quantity'] = __to_quantity
def __to_int(self, value):
return int(value)
__convert['int'] = __to_int
def __to_float(self, value):
return float(value)
__convert['float'] = __to_float
def __to_string(self, value):
return str(value)
__convert['string'] = __to_string
def __to_list(self, value):
if isinstance(value, list):
return value
elif isinstance(value, basestring):
return value.split()
else:
return []
__convert['list'] = __to_list
def __convert_av_in_pt(self,allowed_value, property_type):
"""
Converts the allowed values to the property type.
"""
if not len([]) == 0:
return [self.__convert[property_type](a) for a in property_value]
else:
return []
def __is_allowed_value(self, value, allowed_value):
if value in _allowed_value:
return True
else:
return False
def __parse_allowed_type(self, allowed_type):
string = allowed_type.strip()
upper = None
lower = None
if string.find("<") or string.find(">"):
#like x < a
match = re.compile('[<][\s]*[0-9.+^*eE]*$').findall(string)
if match:
value = re.compile('[0-9.+^*eE]+').findall(string)[0]
upper = float(value)
#like a > x"
match = re.compile('^[\s0-9.+^*eE]*[\s]*[<]$').findall(string)
if match:
value = re.compile('[0-9.+^*eE]+').findall(string)[0]
upper = float(value)
#like x > a
match = re.compile('[>][\s]*[0-9.+^*eE]*$').findall(string)
if match:
value = re.compile('[0-9.+^*eE]+').findall(string)[0]
lower = float(value)
#like a < x
match = re.compile('^[\s0-9.+^*eE]*[\s]*[<]$').findall(string)
if match:
value = re.compile('[0-9.+^*eE]+').findall(string)[0]
lower = float(value)
return lower, upper
def __check_value(self, value, lower_lim, upper_lim):
upper, lower = True, True
if upper_lim != None:
upper = value < upper_lim
if lower_lim != None:
lower = value > lower_lim
return upper and lower
class PropertyBase:
children = {}
def __init__(self, default_dic, config_dic, default_section, is_bottom_of_config_dict=False):
print("")
print("")
self.__default_property = DefaultParser(default_dic)
if self.__default_property.is_leaf:
pass
#Check conf or get help,default
else:
tmp = {}
for child in default_dic.keys():
print('----')
try:
print(self.__default_property.is_leaf)
print(child)
print(default_dic[child])
print(config_dic[child])
except:
pass
if config_dic != None:
print('!-!-!')
print(config_dic)
print('####')
pass
try:
config_dic[child]
#self.children[child] = PropertyBase(default_dic[child], config_dic[child], child)
tmp[child]= PropertyBase(default_dic[child], config_dic[child], child)
except (AttributeError,TypeError, KeyError):
#self.children[child] = PropertyBase(default_dic[child], config_dic, child)
tmp[child]= PropertyBase(default_dic[child], config_dic, child)
self.children[default_section] = tmp
class Container(DefaultParser):
def __init__(self, container_default_dict, container_dict):
#self.__register_leaf('list')
#self.__register_leaf('int')
#self.__register_leaf('float')
#self.__register_leaf('quantity')
#self.__register_leaf('string')
self.__allowed_value = None
self.__allowed_type = None
self.__config_value = None
self.__path = None
self.__property_type = 'container-property'
self.__default_container = {}
self.__config_container = {}
#check if it is a valid default container
if not 'type' in container_default_dict:
raise ValueError('The given default contaienr is no valid')
#set allowed containers
try:
self.__allowed_container = container_default_dict['type']['containers']
except:
raise ValueError('No container names specified')
#check if the specified container in the config is allowed
try:
if not container_dict['type'] in self.__allowed_container:
raise ValueError('Wrong container type')
else:
type_dict = container_dict['type']
except KeyError:
raise ValueError('No container type specified')
#get selected container from conf
try:
self.__selected_container = container_dict['type']
except KeyError:
self.__selected_container = None
raise ValueError('No container type specified in config')
#look for necessary items
entry_name = '_' + self.__selected_container
try:
necessary_items = container_default_dict['type'][entry_name]
except KeyError:
raise ValueError('Container insufficient specified')
def parse_container_items(top_default, top_config, level_name, path):
print('START NEW PARSE')
tmp_conf_ob = {}
path_in_dic = []
tmp_conf_val = {}
if isinstance(top_default,dict):
print(top_default)
default_property = DefaultParser(top_default)
print(default_property.is_leaf)
if not default_property.is_leaf:
print(top_default.items())
for k,v in top_default.items():
print('>>--<<')
print(top_config)
print(k)
print(v)
tmp_conf_ob[k], tmp_conf_val[k] = parse_container_items(v, top_config, k, path + [k])
return tmp_conf_ob, tmp_conf_val
else:
default_property.set_path_in_dic(path)
try:
print('>>>>>>>>>>>')
print(path)
print(top_config)
conf_value = get_property_by_path(top_config, path)
print('conf_value: %s'%conf_value)
except:
conf_value = None
if conf_value is not None:
default_property.set_config_value(conf_value)
return default_property, default_property.get_value()
def get_property_by_path(conf_dict, path):
for key in path:
conf_dict = conf_dict[key]
return conf_dict
for item in necessary_items:
if not item in container_dict.keys():
raise ValueError('Entry %s is missing in container'%str(item))
self.__default_container, self.__config_container = parse_container_items(container_default_dict[item], container_dict[item], item, [])
pass
#go through all items and create an conf object thereby check the conf
self.__container_ob = self.__default_container
self.__conf = self.__config_container
def get_container_ob(self):
return self.__container_ob
def get_container_conf(self):
return self.__conf
class Config:
def __init__(self, default_conf, conf):
self.mandatories = {}
self.fulfilled = {}
self.__create_default_conf(default_conf)
self.__parse_config(default_conf, conf)
def __mandatory_key(self, path):
return ':'.join(path)
def register_mandatory(self, name, path):
self.mandatories[self.__mandatory_key(path)] = name
def deregister_mandatory(self, name, path):
self.fulfilled[self.__mandatory_key(path)] = name
def is_mandatory_fulfilled(self):
if len(set(self.mandatories.keys()) - set(self.fulfilled.keys()))<=0:
return True
else:
return False
def __parse_config(self, default_conf, conf,):
def PF( top_v):
tmp = {}
default_property = DefaultParser(top_v)
print(top_v)
if not default_property.is_leaf:
tmp['branch_properties'] = default_property
print(top_v)
for k,v in top_v.items():
print("key is %s"%str(k))
tmp[k] = PF(v)
return tmp
else:
return default_property
def finditem( obj, key):
if key in obj: return obj[key]
for k, v in obj.items():
if isinstance(v,dict):
item = finditem(v, key)
if item is not None:
return item
def is_path_valid(conf_dict, path):
try:
for key in path:
conf_dict = conf_dict[key]
return True
except KeyError:
return False
def get_property_by_path(conf_dict, path):
for key in path:
conf_dict = conf_dict[key]
return conf_dict
def recursive_parser(top_v, conf, level_name, path):
tmp_conf_ob = {}
path_in_dic = []
tmp_conf_val = {}
if isinstance(top_v,dict):
default_property = DefaultParser(top_v)
if default_property.is_mandatory():
self.register_mandatory(self, path)
self.deregister_mandatory(self, path)
if default_property.is_container():
container_conf = get_property_by_path(conf, path)
ccontainer = Container(top_v, container_conf)
return ccontainer.get_container_ob(), ccontainer.get_container_conf()
elif not default_property.is_leaf:
for k,v in top_v.items():
tmp_conf_ob[k], tmp_conf_val[k] = recursive_parser(v, conf, k, path + [k])
return tmp_conf_ob, tmp_conf_val
else:
default_property.set_path_in_dic(path)
try:
conf_value = get_property_by_path(conf, path)
except:
conf_value = None
if conf_value is not None:
default_property.set_config_value(conf_value)
return default_property, default_property.get_value()
self.__conf_o, self.__conf_v = recursive_parser(default_conf, conf, 'main', [])
def __create_default_conf(self, default_conf):
def recursive_default_parser(top_v,level_name, path):
tmp_default = {}
path_in_dic = []
if isinstance(top_v,dict):
default_property = DefaultParser(top_v)
if not default_property.is_container():
if not default_property.is_leaf:
for k,v in top_v.items():
tmp_default[k] = recursive_default_parser(v, k, path + [k])
return tmp_default
else:
default_property.set_path_in_dic(path)
if default_property.has_default():
return default_property.get_default()
else:
return None
self.__default_config = recursive_default_parser(default_conf, 'main', [])
def get_config(self):
return self.__conf_v
def get_default_config(self):
return self.__default_config
def get_config_object(self):
return self.__conf_o
"""
def get_config(self):
return self.conf_v
def get_default(self):
def __finditem(self, obj, key):
if key in obj: return obj[key]
for k, v in obj.items():
if isinstance(v,dict):
item = _finditem(v, key)
if item is not None:
return item
"""<|fim▁end|> | |
<|file_name|>test_check.py<|end_file_name|><|fim▁begin|># 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
#<|fim▁hole|># 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 unittest import mock
from senlin.common import consts
from senlin.engine.actions import base as ab
from senlin.engine.actions import cluster_action as ca
from senlin.engine import cluster as cm
from senlin.engine import dispatcher
from senlin.objects import action as ao
from senlin.objects import dependency as dobj
from senlin.tests.unit.common import base
from senlin.tests.unit.common import utils
@mock.patch.object(cm.Cluster, 'load')
class ClusterCheckTest(base.SenlinTestCase):
def setUp(self):
super(ClusterCheckTest, self).setUp()
self.ctx = utils.dummy_context()
@mock.patch.object(ao.Action, 'update')
@mock.patch.object(ab.Action, 'create')
@mock.patch.object(dobj.Dependency, 'create')
@mock.patch.object(dispatcher, 'start_action')
@mock.patch.object(ca.ClusterAction, '_wait_for_dependents')
def test_do_check(self, mock_wait, mock_start, mock_dep, mock_action,
mock_update, mock_load):
node1 = mock.Mock(id='NODE_1')
node2 = mock.Mock(id='NODE_2')
cluster = mock.Mock(id='FAKE_ID', status='old status',
status_reason='old reason')
cluster.nodes = [node1, node2]
cluster.do_check.return_value = True
mock_load.return_value = cluster
mock_action.side_effect = ['NODE_ACTION_1', 'NODE_ACTION_2']
action = ca.ClusterAction('FAKE_CLUSTER', 'CLUSTER_CHECK', self.ctx)
action.id = 'CLUSTER_ACTION_ID'
mock_wait.return_value = (action.RES_OK, 'Everything is Okay')
# do it
res_code, res_msg = action.do_check()
# assertions
self.assertEqual(action.RES_OK, res_code)
self.assertEqual('Cluster checking completed.', res_msg)
mock_load.assert_called_once_with(action.context, 'FAKE_CLUSTER')
cluster.do_check.assert_called_once_with(action.context)
mock_action.assert_has_calls([
mock.call(action.context, 'NODE_1', 'NODE_CHECK',
name='node_check_NODE_1',
cause=consts.CAUSE_DERIVED,
inputs={}),
mock.call(action.context, 'NODE_2', 'NODE_CHECK',
name='node_check_NODE_2',
cause=consts.CAUSE_DERIVED,
inputs={})
])
mock_dep.assert_called_once_with(action.context,
['NODE_ACTION_1', 'NODE_ACTION_2'],
'CLUSTER_ACTION_ID')
mock_update.assert_has_calls([
mock.call(action.context, 'NODE_ACTION_1', {'status': 'READY'}),
mock.call(action.context, 'NODE_ACTION_2', {'status': 'READY'}),
])
mock_start.assert_called_once_with()
mock_wait.assert_called_once_with()
cluster.eval_status.assert_called_once_with(
action.context, consts.CLUSTER_CHECK)
@mock.patch.object(ao.Action, 'update')
@mock.patch.object(ab.Action, 'create')
@mock.patch.object(ao.Action, 'delete_by_target')
@mock.patch.object(dobj.Dependency, 'create')
@mock.patch.object(dispatcher, 'start_action')
@mock.patch.object(ca.ClusterAction, '_wait_for_dependents')
def test_do_check_need_delete(self, mock_wait, mock_start, mock_dep,
mock_delete, mock_action, mock_update,
mock_load):
node1 = mock.Mock(id='NODE_1')
node2 = mock.Mock(id='NODE_2')
cluster = mock.Mock(id='FAKE_ID', status='old status',
status_reason='old reason')
cluster.nodes = [node1, node2]
cluster.do_check.return_value = True
mock_load.return_value = cluster
mock_action.side_effect = ['NODE_ACTION_1', 'NODE_ACTION_2']
action = ca.ClusterAction('FAKE_CLUSTER', 'CLUSTER_CHECK', self.ctx,
inputs={'delete_check_action': True})
action.id = 'CLUSTER_ACTION_ID'
mock_wait.return_value = (action.RES_OK, 'Everything is Okay')
# do it
res_code, res_msg = action.do_check()
# assertions
self.assertEqual(action.RES_OK, res_code)
self.assertEqual('Cluster checking completed.', res_msg)
mock_load.assert_called_once_with(action.context, 'FAKE_CLUSTER')
cluster.do_check.assert_called_once_with(action.context)
mock_delete.assert_has_calls([
mock.call(action.context, 'NODE_1', action=['NODE_CHECK'],
status=['SUCCEEDED', 'FAILED']),
mock.call(action.context, 'NODE_2', action=['NODE_CHECK'],
status=['SUCCEEDED', 'FAILED'])
])
mock_action.assert_has_calls([
mock.call(action.context, 'NODE_1', 'NODE_CHECK',
name='node_check_NODE_1',
cause=consts.CAUSE_DERIVED,
inputs={'delete_check_action': True}),
mock.call(action.context, 'NODE_2', 'NODE_CHECK',
name='node_check_NODE_2',
cause=consts.CAUSE_DERIVED,
inputs={'delete_check_action': True})
])
mock_dep.assert_called_once_with(action.context,
['NODE_ACTION_1', 'NODE_ACTION_2'],
'CLUSTER_ACTION_ID')
mock_update.assert_has_calls([
mock.call(action.context, 'NODE_ACTION_1', {'status': 'READY'}),
mock.call(action.context, 'NODE_ACTION_2', {'status': 'READY'}),
])
mock_start.assert_called_once_with()
mock_wait.assert_called_once_with()
cluster.eval_status.assert_called_once_with(
action.context, consts.CLUSTER_CHECK)
def test_do_check_cluster_empty(self, mock_load):
cluster = mock.Mock(id='FAKE_ID', nodes=[], status='old status',
status_reason='old reason')
cluster.do_check.return_value = True
mock_load.return_value = cluster
action = ca.ClusterAction(cluster.id, 'CLUSTER_CHECK', self.ctx)
# do it
res_code, res_msg = action.do_check()
self.assertEqual(action.RES_OK, res_code)
self.assertEqual('Cluster checking completed.', res_msg)
cluster.do_check.assert_called_once_with(self.ctx)
cluster.eval_status.assert_called_once_with(
action.context, consts.CLUSTER_CHECK)
@mock.patch.object(ao.Action, 'update')
@mock.patch.object(ab.Action, 'create')
@mock.patch.object(dobj.Dependency, 'create')
@mock.patch.object(dispatcher, 'start_action')
@mock.patch.object(ca.ClusterAction, '_wait_for_dependents')
def test_do_check_failed_waiting(self, mock_wait, mock_start, mock_dep,
mock_action, mock_update, mock_load):
node = mock.Mock(id='NODE_1')
cluster = mock.Mock(id='CLUSTER_ID', status='old status',
status_reason='old reason')
cluster.do_recover.return_value = True
cluster.nodes = [node]
mock_load.return_value = cluster
mock_action.return_value = 'NODE_ACTION_ID'
action = ca.ClusterAction('FAKE_CLUSTER', 'CLUSTER_CHECK', self.ctx)
action.id = 'CLUSTER_ACTION_ID'
mock_wait.return_value = (action.RES_TIMEOUT, 'Timeout!')
res_code, res_msg = action.do_check()
self.assertEqual(action.RES_TIMEOUT, res_code)
self.assertEqual('Timeout!', res_msg)
mock_load.assert_called_once_with(self.ctx, 'FAKE_CLUSTER')
cluster.do_check.assert_called_once_with(action.context)
mock_action.assert_called_once_with(
action.context, 'NODE_1', 'NODE_CHECK',
name='node_check_NODE_1',
inputs={},
cause=consts.CAUSE_DERIVED,
)
mock_dep.assert_called_once_with(action.context, ['NODE_ACTION_ID'],
'CLUSTER_ACTION_ID')
mock_update.assert_called_once_with(action.context, 'NODE_ACTION_ID',
{'status': 'READY'})
mock_start.assert_called_once_with()
mock_wait.assert_called_once_with()
cluster.eval_status.assert_called_once_with(
action.context, consts.CLUSTER_CHECK)<|fim▁end|> | # http://www.apache.org/licenses/LICENSE-2.0
# |
<|file_name|>dimension.py<|end_file_name|><|fim▁begin|># coding=utf-8
# --------------------------------------------------------------------------
# Copyright (c) Microsoft Corporation. All rights reserved.
# Licensed under the MIT License. See License.txt in the project root for
# license information.
#
# Code generated by Microsoft (R) AutoRest Code Generator.
# Changes may cause incorrect behavior and will be lost if the code is
# regenerated.
# --------------------------------------------------------------------------
from msrest.serialization import Model
class Dimension(Model):
"""Dimension of a resource metric. For e.g. instance specific HTTP requests
for a web app,
where instance name is dimension of the metric HTTP request.
<|fim▁hole|> :type name: str
:param display_name:
:type display_name: str
:param internal_name:
:type internal_name: str
:param to_be_exported_for_shoebox:
:type to_be_exported_for_shoebox: bool
"""
_attribute_map = {
'name': {'key': 'name', 'type': 'str'},
'display_name': {'key': 'displayName', 'type': 'str'},
'internal_name': {'key': 'internalName', 'type': 'str'},
'to_be_exported_for_shoebox': {'key': 'toBeExportedForShoebox', 'type': 'bool'},
}
def __init__(self, name=None, display_name=None, internal_name=None, to_be_exported_for_shoebox=None):
super(Dimension, self).__init__()
self.name = name
self.display_name = display_name
self.internal_name = internal_name
self.to_be_exported_for_shoebox = to_be_exported_for_shoebox<|fim▁end|> | :param name: |
<|file_name|>models.py<|end_file_name|><|fim▁begin|>from __future__ import unicode_literals
from django.contrib.auth.models import User
from django.db import models<|fim▁hole|>
# Create your models here.
class Noticia(models.Model):
Publicado = 'Publicado'
Borrador = 'Borrador'
Titulo = models.CharField(max_length=30)
Subtitulo = models.CharField(max_length=50)
Imagen = models.FileField(blank=True, upload_to='media/fotos/noticias')
SubtituloImag = models.CharField(max_length=30)
Cuerpo = models.TextField(max_length=500)
Timestamp = models.DateTimeField(auto_now_add = True, auto_now = False)
Actualizado = models.DateTimeField(auto_now_add = False, auto_now = True)
CHOICES=[(Publicado, 'Publicado'),(Borrador, 'Borrador')]
Estado = models.CharField(max_length=9,choices=CHOICES, default=Borrador)
IncluirVideo = models.BooleanField()
CodVideo = models.CharField(max_length=200)
Tags = models.CharField(max_length=30)
usuario = models.ForeignKey(User)
def __str__(self):
return self.Titulo + ' - ' + self.Subtitulo
class Evento(models.Model):
Titulo = models.CharField(max_length=30)
Subtitulo = models.CharField(max_length=50)
Imagen = models.FileField(blank=True, upload_to='media/fotos/noticias')
SubtituloImag = models.CharField(max_length=30)
Cuerpo = models.CharField(max_length=500)
Timestamp = models.DateTimeField(auto_now_add = True, auto_now = False)
Actualizado = models.DateTimeField(auto_now_add = False, auto_now = True)
Lugar = models.CharField(max_length=50)
Fecha = models.DateTimeField(auto_now_add = False)
Organizadores = models.CharField(max_length=30)
Ponente = models.CharField(max_length=30)
Tags = models.CharField(max_length=30)
def __str__(self):
return self.Titulo + ' - ' + self.Subtitulo<|fim▁end|> | |
<|file_name|>vc.py<|end_file_name|><|fim▁begin|>#
# Copyright (c) 2001 - 2019 The SCons Foundation
#
# Permission is hereby granted, free of charge, to any person obtaining
# a copy of this software and associated documentation files (the
# "Software"), to deal in the Software without restriction, including
# without limitation the rights to use, copy, modify, merge, publish,
# distribute, sublicense, and/or sell copies of the Software, and to
# permit persons to whom the Software is furnished to do so, subject to
# the following conditions:
#
# The above copyright notice and this permission notice shall be included
# in all copies or substantial portions of the Software.
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY
# KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE
# WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND
# NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE
# LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION
# OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION
# WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
#
# TODO:
# * supported arch for versions: for old versions of batch file without
# argument, giving bogus argument cannot be detected, so we have to hardcode
# this here
# * print warning when msvc version specified but not found
# * find out why warning do not print
# * test on 64 bits XP + VS 2005 (and VS 6 if possible)
# * SDK
# * Assembly
__revision__ = "src/engine/SCons/Tool/MSCommon/vc.py bee7caf9defd6e108fc2998a2520ddb36a967691 2019-12-17 02:07:09 bdeegan"
__doc__ = """Module for Visual C/C++ detection and configuration.
"""
import SCons.compat
import SCons.Util
import subprocess
import os
import platform
import sys
from string import digits as string_digits
if sys.version_info[0] == 2:
import collections
import SCons.Warnings
from SCons.Tool import find_program_path
from . import common
debug = common.debug
from . import sdk
get_installed_sdks = sdk.get_installed_sdks
class VisualCException(Exception):
pass
class UnsupportedVersion(VisualCException):
pass
class MSVCUnsupportedHostArch(VisualCException):
pass
class MSVCUnsupportedTargetArch(VisualCException):
pass
class MissingConfiguration(VisualCException):
pass
class NoVersionFound(VisualCException):
pass
class BatchFileExecutionError(VisualCException):
pass
# Dict to 'canonalize' the arch
_ARCH_TO_CANONICAL = {
"amd64" : "amd64",
"emt64" : "amd64",
"i386" : "x86",
"i486" : "x86",
"i586" : "x86",
"i686" : "x86",
"ia64" : "ia64", # deprecated
"itanium" : "ia64", # deprecated
"x86" : "x86",
"x86_64" : "amd64",
"arm" : "arm",
"arm64" : "arm64",
"aarch64" : "arm64",
}
_HOST_TARGET_TO_CL_DIR_GREATER_THAN_14 = {
("amd64","amd64") : ("Hostx64","x64"),
("amd64","x86") : ("Hostx64","x86"),
("amd64","arm") : ("Hostx64","arm"),
("amd64","arm64") : ("Hostx64","arm64"),
("x86","amd64") : ("Hostx86","x64"),
("x86","x86") : ("Hostx86","x86"),
("x86","arm") : ("Hostx86","arm"),
("x86","arm64") : ("Hostx86","arm64"),
}
# get path to the cl.exe dir for older VS versions
# based off a tuple of (host, target) platforms
_HOST_TARGET_TO_CL_DIR = {
("amd64","amd64") : "amd64",
("amd64","x86") : "amd64_x86",
("amd64","arm") : "amd64_arm",
("amd64","arm64") : "amd64_arm64",
("x86","amd64") : "x86_amd64",
("x86","x86") : "",
("x86","arm") : "x86_arm",
("x86","arm64") : "x86_arm64",
}
# Given a (host, target) tuple, return the argument for the bat file.
# Both host and targets should be canonalized.
_HOST_TARGET_ARCH_TO_BAT_ARCH = {
("x86", "x86"): "x86",
("x86", "amd64"): "x86_amd64",
("x86", "x86_amd64"): "x86_amd64",
("amd64", "x86_amd64"): "x86_amd64", # This is present in (at least) VS2012 express
("amd64", "amd64"): "amd64",
("amd64", "x86"): "x86",
("x86", "ia64"): "x86_ia64", # gone since 14.0
("arm", "arm"): "arm", # since 14.0, maybe gone 14.1?
("x86", "arm"): "x86_arm", # since 14.0
("x86", "arm64"): "x86_arm64", # since 14.1
("amd64", "arm"): "amd64_arm", # since 14.0
("amd64", "arm64"): "amd64_arm64", # since 14.1
}
_CL_EXE_NAME = 'cl.exe'
def get_msvc_version_numeric(msvc_version):
"""Get the raw version numbers from a MSVC_VERSION string, so it
could be cast to float or other numeric values. For example, '14.0Exp'
would get converted to '14.0'.
Args:
msvc_version: str
string representing the version number, could contain non
digit characters
Returns:
str: the value converted to a numeric only string
"""
return ''.join([x for x in msvc_version if x in string_digits + '.'])
def get_host_target(env):
debug('get_host_target()')
host_platform = env.get('HOST_ARCH')
if not host_platform:
host_platform = platform.machine()
# Solaris returns i86pc for both 32 and 64 bit architectures
if host_platform == "i86pc":
if platform.architecture()[0] == "64bit":
host_platform = "amd64"
else:
host_platform = "x86"
# Retain user requested TARGET_ARCH
req_target_platform = env.get('TARGET_ARCH')
debug('get_host_target() req_target_platform:%s'%req_target_platform)
if req_target_platform:
# If user requested a specific platform then only try that one.
target_platform = req_target_platform
else:
target_platform = host_platform
try:
host = _ARCH_TO_CANONICAL[host_platform.lower()]
except KeyError:
msg = "Unrecognized host architecture %s"
raise MSVCUnsupportedHostArch(msg % repr(host_platform))
try:
target = _ARCH_TO_CANONICAL[target_platform.lower()]
except KeyError:
all_archs = str(list(_ARCH_TO_CANONICAL.keys()))
raise MSVCUnsupportedTargetArch("Unrecognized target architecture %s\n\tValid architectures: %s" % (target_platform, all_archs))
return (host, target,req_target_platform)
# If you update this, update SupportedVSList in Tool/MSCommon/vs.py, and the
# MSVC_VERSION documentation in Tool/msvc.xml.
_VCVER = ["14.2", "14.1", "14.0", "14.0Exp", "12.0", "12.0Exp", "11.0", "11.0Exp", "10.0", "10.0Exp", "9.0", "9.0Exp","8.0", "8.0Exp","7.1", "7.0", "6.0"]
# if using vswhere, a further mapping is needed
_VCVER_TO_VSWHERE_VER = {
'14.2' : '[16.0, 17.0)',
'14.1' : '[15.0, 16.0)',
}
_VCVER_TO_PRODUCT_DIR = {
'14.2' : [
(SCons.Util.HKEY_LOCAL_MACHINE, r'')], # VS 2019 doesn't set this key
'14.1' : [
(SCons.Util.HKEY_LOCAL_MACHINE, r'')], # VS 2017 doesn't set this key
'14.0' : [
(SCons.Util.HKEY_LOCAL_MACHINE, r'Microsoft\VisualStudio\14.0\Setup\VC\ProductDir')],
'14.0Exp' : [
(SCons.Util.HKEY_LOCAL_MACHINE, r'Microsoft\VCExpress\14.0\Setup\VC\ProductDir')],
'12.0' : [
(SCons.Util.HKEY_LOCAL_MACHINE, r'Microsoft\VisualStudio\12.0\Setup\VC\ProductDir'),
],
'12.0Exp' : [
(SCons.Util.HKEY_LOCAL_MACHINE, r'Microsoft\VCExpress\12.0\Setup\VC\ProductDir'),
],
'11.0': [
(SCons.Util.HKEY_LOCAL_MACHINE, r'Microsoft\VisualStudio\11.0\Setup\VC\ProductDir'),
],
'11.0Exp' : [
(SCons.Util.HKEY_LOCAL_MACHINE, r'Microsoft\VCExpress\11.0\Setup\VC\ProductDir'),
],
'10.0': [
(SCons.Util.HKEY_LOCAL_MACHINE, r'Microsoft\VisualStudio\10.0\Setup\VC\ProductDir'),
],
'10.0Exp' : [
(SCons.Util.HKEY_LOCAL_MACHINE, r'Microsoft\VCExpress\10.0\Setup\VC\ProductDir'),
],
'9.0': [
(SCons.Util.HKEY_CURRENT_USER, r'Microsoft\DevDiv\VCForPython\9.0\installdir',),
(SCons.Util.HKEY_LOCAL_MACHINE, r'Microsoft\VisualStudio\9.0\Setup\VC\ProductDir',),
],
'9.0Exp' : [
(SCons.Util.HKEY_LOCAL_MACHINE, r'Microsoft\VCExpress\9.0\Setup\VC\ProductDir'),
],
'8.0': [
(SCons.Util.HKEY_LOCAL_MACHINE, r'Microsoft\VisualStudio\8.0\Setup\VC\ProductDir'),
],
'8.0Exp': [
(SCons.Util.HKEY_LOCAL_MACHINE, r'Microsoft\VCExpress\8.0\Setup\VC\ProductDir'),
],
'7.1': [
(SCons.Util.HKEY_LOCAL_MACHINE, r'Microsoft\VisualStudio\7.1\Setup\VC\ProductDir'),
],
'7.0': [
(SCons.Util.HKEY_LOCAL_MACHINE, r'Microsoft\VisualStudio\7.0\Setup\VC\ProductDir'),
],
'6.0': [
(SCons.Util.HKEY_LOCAL_MACHINE, r'Microsoft\VisualStudio\6.0\Setup\Microsoft Visual C++\ProductDir'),
]
}
def msvc_version_to_maj_min(msvc_version):
msvc_version_numeric = get_msvc_version_numeric(msvc_version)
t = msvc_version_numeric.split(".")
if not len(t) == 2:
raise ValueError("Unrecognized version %s (%s)" % (msvc_version,msvc_version_numeric))
try:
maj = int(t[0])
min = int(t[1])
return maj, min
except ValueError as e:
raise ValueError("Unrecognized version %s (%s)" % (msvc_version,msvc_version_numeric))
def is_host_target_supported(host_target, msvc_version):
"""Check if (host, target) pair is supported for a VC version.
:note: only checks whether a given version *may* support the given (host,
target), not that the toolchain is actually present on the machine.
:param tuple host_target: canonalized host-targets pair, e.g.
("x86", "amd64") for cross compilation from 32 bit Windows to 64 bits.
:param str msvc_version: Visual C++ version (major.minor), e.g. "10.0"
:returns: True or False
"""
# We assume that any Visual Studio version supports x86 as a target
if host_target[1] != "x86":
maj, min = msvc_version_to_maj_min(msvc_version)
if maj < 8:
return False
return True
def find_vc_pdir_vswhere(msvc_version):
"""
Find the MSVC product directory using the vswhere program.
:param msvc_version: MSVC version to search for
:return: MSVC install dir or None
:raises UnsupportedVersion: if the version is not known by this file
"""
try:
vswhere_version = _VCVER_TO_VSWHERE_VER[msvc_version]
except KeyError:
debug("Unknown version of MSVC: %s" % msvc_version)
raise UnsupportedVersion("Unknown version %s" % msvc_version)
# For bug 3333 - support default location of vswhere for both 64 and 32 bit windows
# installs.
for pf in ['Program Files (x86)', 'Program Files']:
vswhere_path = os.path.join(
'C:\\',
pf,
'Microsoft Visual Studio',
'Installer',
'vswhere.exe'
)
if os.path.exists(vswhere_path):
# If we found vswhere, then use it.
break
else:
# No vswhere on system, no install info available
return None
vswhere_cmd = [vswhere_path,
'-products', '*',
'-version', vswhere_version,
'-property', 'installationPath']
#TODO PY27 cannot use Popen as context manager
# try putting it back to the old way for now
sp = subprocess.Popen(vswhere_cmd,
stdout=subprocess.PIPE,
stderr=subprocess.PIPE)
vsdir, err = sp.communicate()
if vsdir:
vsdir = vsdir.decode("mbcs").splitlines()
# vswhere could easily return multiple lines
# we could define a way to pick the one we prefer, but since
# this data is currently only used to make a check for existence,
# returning the first hit should be good enough for now.
vc_pdir = os.path.join(vsdir[0], 'VC')
return vc_pdir
else:
# No vswhere on system, no install info available
return None
def find_vc_pdir(msvc_version):
"""Find the MSVC product directory for the given version.
Tries to look up the path using a registry key from the table
_VCVER_TO_PRODUCT_DIR; if there is no key, calls find_vc_pdir_wshere
for help instead.
Args:
msvc_version: str
msvc version (major.minor, e.g. 10.0)
Returns:
str: Path found in registry, or None
Raises:
UnsupportedVersion: if the version is not known by this file.
MissingConfiguration: found version but the directory is missing.
Both exceptions inherit from VisualCException.
"""
root = 'Software\\'
try:
hkeys = _VCVER_TO_PRODUCT_DIR[msvc_version]
except KeyError:
debug("Unknown version of MSVC: %s" % msvc_version)
raise UnsupportedVersion("Unknown version %s" % msvc_version)
for hkroot, key in hkeys:
try:
comps = None
if not key:
comps = find_vc_pdir_vswhere(msvc_version)
if not comps:
debug('find_vc_pdir_vswhere(): no VC found for version {}'.format(repr(msvc_version)))
raise SCons.Util.WinError
debug('find_vc_pdir_vswhere(): VC found: {}'.format(repr(msvc_version)))
return comps
else:
if common.is_win64():
try:
# ordinally at win64, try Wow6432Node first.
comps = common.read_reg(root + 'Wow6432Node\\' + key, hkroot)
except SCons.Util.WinError as e:
# at Microsoft Visual Studio for Python 2.7, value is not in Wow6432Node
pass
if not comps:
# not Win64, or Microsoft Visual Studio for Python 2.7
comps = common.read_reg(root + key, hkroot)
except SCons.Util.WinError as e:
debug('find_vc_dir(): no VC registry key {}'.format(repr(key)))
else:
debug('find_vc_dir(): found VC in registry: {}'.format(comps))
if os.path.exists(comps):
return comps
else:
debug('find_vc_dir(): reg says dir is {}, but it does not exist. (ignoring)'.format(comps))
raise MissingConfiguration("registry dir {} not found on the filesystem".format(comps))
return None
def find_batch_file(env,msvc_version,host_arch,target_arch):
"""
Find the location of the batch script which should set up the compiler
for any TARGET_ARCH whose compilers were installed by Visual Studio/VCExpress
"""
pdir = find_vc_pdir(msvc_version)
if pdir is None:
raise NoVersionFound("No version of Visual Studio found")
debug('find_batch_file() in {}'.format(pdir))
# filter out e.g. "Exp" from the version name
msvc_ver_numeric = get_msvc_version_numeric(msvc_version)
vernum = float(msvc_ver_numeric)
if 7 <= vernum < 8:
pdir = os.path.join(pdir, os.pardir, "Common7", "Tools")
batfilename = os.path.join(pdir, "vsvars32.bat")
elif vernum < 7:
pdir = os.path.join(pdir, "Bin")
batfilename = os.path.join(pdir, "vcvars32.bat")
elif 8 <= vernum <= 14:
batfilename = os.path.join(pdir, "vcvarsall.bat")
else: # vernum >= 14.1 VS2017 and above
batfilename = os.path.join(pdir, "Auxiliary", "Build", "vcvarsall.bat")
if not os.path.exists(batfilename):
debug("Not found: %s" % batfilename)
batfilename = None
installed_sdks = get_installed_sdks()
for _sdk in installed_sdks:
sdk_bat_file = _sdk.get_sdk_vc_script(host_arch,target_arch)
if not sdk_bat_file:
debug("find_batch_file() not found:%s"%_sdk)
else:
sdk_bat_file_path = os.path.join(pdir,sdk_bat_file)
if os.path.exists(sdk_bat_file_path):
debug('find_batch_file() sdk_bat_file_path:%s'%sdk_bat_file_path)
return (batfilename, sdk_bat_file_path)
return (batfilename, None)
__INSTALLED_VCS_RUN = None
_VC_TOOLS_VERSION_FILE_PATH = ['Auxiliary', 'Build', 'Microsoft.VCToolsVersion.default.txt']
_VC_TOOLS_VERSION_FILE = os.sep.join(_VC_TOOLS_VERSION_FILE_PATH)
def _check_cl_exists_in_vc_dir(env, vc_dir, msvc_version):
"""Find the cl.exe on the filesystem in the vc_dir depending on
TARGET_ARCH, HOST_ARCH and the msvc version. TARGET_ARCH and<|fim▁hole|> which then the native platform is assumed the host and target.
Args:
env: Environment
a construction environment, usually if this is passed its
because there is a desired TARGET_ARCH to be used when searching
for a cl.exe
vc_dir: str
the path to the VC dir in the MSVC installation
msvc_version: str
msvc version (major.minor, e.g. 10.0)
Returns:
bool:
"""
# determine if there is a specific target platform we want to build for and
# use that to find a list of valid VCs, default is host platform == target platform
# and same for if no env is specified to extract target platform from
if env:
(host_platform, target_platform, req_target_platform) = get_host_target(env)
else:
host_platform = platform.machine().lower()
target_platform = host_platform
host_platform = _ARCH_TO_CANONICAL[host_platform]
target_platform = _ARCH_TO_CANONICAL[target_platform]
debug('_check_cl_exists_in_vc_dir(): host platform %s, target platform %s for version %s' % (host_platform, target_platform, msvc_version))
ver_num = float(get_msvc_version_numeric(msvc_version))
# make sure the cl.exe exists meaning the tool is installed
if ver_num > 14:
# 2017 and newer allowed multiple versions of the VC toolset to be installed at the same time.
# Just get the default tool version for now
#TODO: support setting a specific minor VC version
default_toolset_file = os.path.join(vc_dir, _VC_TOOLS_VERSION_FILE)
try:
with open(default_toolset_file) as f:
vc_specific_version = f.readlines()[0].strip()
except IOError:
debug('_check_cl_exists_in_vc_dir(): failed to read ' + default_toolset_file)
return False
except IndexError:
debug('_check_cl_exists_in_vc_dir(): failed to find MSVC version in ' + default_toolset_file)
return False
host_trgt_dir = _HOST_TARGET_TO_CL_DIR_GREATER_THAN_14.get((host_platform, target_platform), None)
if host_trgt_dir is None:
debug('_check_cl_exists_in_vc_dir(): unsupported host/target platform combo: (%s,%s)'%(host_platform, target_platform))
return False
cl_path = os.path.join(vc_dir, 'Tools','MSVC', vc_specific_version, 'bin', host_trgt_dir[0], host_trgt_dir[1], _CL_EXE_NAME)
debug('_check_cl_exists_in_vc_dir(): checking for ' + _CL_EXE_NAME + ' at ' + cl_path)
if os.path.exists(cl_path):
debug('_check_cl_exists_in_vc_dir(): found ' + _CL_EXE_NAME + '!')
return True
elif ver_num <= 14 and ver_num >= 8:
# Set default value to be -1 as "" which is the value for x86/x86 yields true when tested
# if not host_trgt_dir
host_trgt_dir = _HOST_TARGET_TO_CL_DIR.get((host_platform, target_platform), None)
if host_trgt_dir is None:
debug('_check_cl_exists_in_vc_dir(): unsupported host/target platform combo')
return False
cl_path = os.path.join(vc_dir, 'bin', host_trgt_dir, _CL_EXE_NAME)
debug('_check_cl_exists_in_vc_dir(): checking for ' + _CL_EXE_NAME + ' at ' + cl_path)
cl_path_exists = os.path.exists(cl_path)
if not cl_path_exists and host_platform == 'amd64':
# older versions of visual studio only had x86 binaries,
# so if the host platform is amd64, we need to check cross
# compile options (x86 binary compiles some other target on a 64 bit os)
# Set default value to be -1 as "" which is the value for x86/x86 yields true when tested
# if not host_trgt_dir
host_trgt_dir = _HOST_TARGET_TO_CL_DIR.get(('x86', target_platform), None)
if host_trgt_dir is None:
return False
cl_path = os.path.join(vc_dir, 'bin', host_trgt_dir, _CL_EXE_NAME)
debug('_check_cl_exists_in_vc_dir(): checking for ' + _CL_EXE_NAME + ' at ' + cl_path)
cl_path_exists = os.path.exists(cl_path)
if cl_path_exists:
debug('_check_cl_exists_in_vc_dir(): found ' + _CL_EXE_NAME + '!')
return True
elif ver_num < 8 and ver_num >= 6:
# not sure about these versions so if a walk the VC dir (could be slow)
for root, _, files in os.walk(vc_dir):
if _CL_EXE_NAME in files:
debug('get_installed_vcs ' + _CL_EXE_NAME + ' found %s' % os.path.join(root, _CL_EXE_NAME))
return True
return False
else:
# version not support return false
debug('_check_cl_exists_in_vc_dir(): unsupported MSVC version: ' + str(ver_num))
return False
def cached_get_installed_vcs(env=None):
global __INSTALLED_VCS_RUN
if __INSTALLED_VCS_RUN is None:
ret = get_installed_vcs(env)
__INSTALLED_VCS_RUN = ret
return __INSTALLED_VCS_RUN
def get_installed_vcs(env=None):
installed_versions = []
for ver in _VCVER:
debug('trying to find VC %s' % ver)
try:
VC_DIR = find_vc_pdir(ver)
if VC_DIR:
debug('found VC %s' % ver)
if _check_cl_exists_in_vc_dir(env, VC_DIR, ver):
installed_versions.append(ver)
else:
debug('find_vc_pdir no compiler found %s' % ver)
else:
debug('find_vc_pdir return None for ver %s' % ver)
except (MSVCUnsupportedTargetArch, MSVCUnsupportedHostArch):
# Allow this exception to propagate further as it should cause
# SCons to exit with an error code
raise
except VisualCException as e:
debug('did not find VC %s: caught exception %s' % (ver, str(e)))
return installed_versions
def reset_installed_vcs():
"""Make it try again to find VC. This is just for the tests."""
__INSTALLED_VCS_RUN = None
# Running these batch files isn't cheap: most of the time spent in
# msvs.generate() is due to vcvars*.bat. In a build that uses "tools='msvs'"
# in multiple environments, for example:
# env1 = Environment(tools='msvs')
# env2 = Environment(tools='msvs')
# we can greatly improve the speed of the second and subsequent Environment
# (or Clone) calls by memoizing the environment variables set by vcvars*.bat.
#
# Updated: by 2018, vcvarsall.bat had gotten so expensive (vs2017 era)
# it was breaking CI builds because the test suite starts scons so many
# times and the existing memo logic only helped with repeated calls
# within the same scons run. Windows builds on the CI system were split
# into chunks to get around single-build time limits.
# With VS2019 it got even slower and an optional persistent cache file
# was introduced. The cache now also stores only the parsed vars,
# not the entire output of running the batch file - saves a bit
# of time not parsing every time.
script_env_cache = None
def script_env(script, args=None):
global script_env_cache
if script_env_cache is None:
script_env_cache = common.read_script_env_cache()
cache_key = "{}--{}".format(script, args)
cache_data = script_env_cache.get(cache_key, None)
if cache_data is None:
stdout = common.get_output(script, args)
# Stupid batch files do not set return code: we take a look at the
# beginning of the output for an error message instead
olines = stdout.splitlines()
if olines[0].startswith("The specified configuration type is missing"):
raise BatchFileExecutionError("\n".join(olines[:2]))
cache_data = common.parse_output(stdout)
script_env_cache[cache_key] = cache_data
# once we updated cache, give a chance to write out if user wanted
common.write_script_env_cache(script_env_cache)
else:
#TODO: Python 2 cleanup
# If we "hit" data from the json file, we have a Py2 problem:
# keys & values will be unicode. don't detect, just convert.
if sys.version_info[0] == 2:
def convert(data):
if isinstance(data, basestring):
return str(data)
elif isinstance(data, collections.Mapping):
return dict(map(convert, data.iteritems()))
elif isinstance(data, collections.Iterable):
return type(data)(map(convert, data))
else:
return data
cache_data = convert(cache_data)
return cache_data
def get_default_version(env):
debug('get_default_version()')
msvc_version = env.get('MSVC_VERSION')
msvs_version = env.get('MSVS_VERSION')
debug('get_default_version(): msvc_version:%s msvs_version:%s'%(msvc_version,msvs_version))
if msvs_version and not msvc_version:
SCons.Warnings.warn(
SCons.Warnings.DeprecatedWarning,
"MSVS_VERSION is deprecated: please use MSVC_VERSION instead ")
return msvs_version
elif msvc_version and msvs_version:
if not msvc_version == msvs_version:
SCons.Warnings.warn(
SCons.Warnings.VisualVersionMismatch,
"Requested msvc version (%s) and msvs version (%s) do " \
"not match: please use MSVC_VERSION only to request a " \
"visual studio version, MSVS_VERSION is deprecated" \
% (msvc_version, msvs_version))
return msvs_version
if not msvc_version:
installed_vcs = cached_get_installed_vcs(env)
debug('installed_vcs:%s' % installed_vcs)
if not installed_vcs:
#msg = 'No installed VCs'
#debug('msv %s' % repr(msg))
#SCons.Warnings.warn(SCons.Warnings.VisualCMissingWarning, msg)
debug('msvc_setup_env: No installed VCs')
return None
msvc_version = installed_vcs[0]
debug('msvc_setup_env: using default installed MSVC version %s' % repr(msvc_version))
return msvc_version
def msvc_setup_env_once(env):
try:
has_run = env["MSVC_SETUP_RUN"]
except KeyError:
has_run = False
if not has_run:
msvc_setup_env(env)
env["MSVC_SETUP_RUN"] = True
def msvc_find_valid_batch_script(env, version):
debug('msvc_find_valid_batch_script()')
# Find the host platform, target platform, and if present the requested
# target platform
platforms = get_host_target(env)
debug(" msvs_find_valid_batch_script(): host_platform %s, target_platform %s req_target_platform:%s" % platforms)
host_platform, target_platform, req_target_platform = platforms
try_target_archs = [target_platform]
# VS2012 has a "cross compile" environment to build 64 bit
# with x86_amd64 as the argument to the batch setup script
if req_target_platform in ('amd64', 'x86_64'):
try_target_archs.append('x86_amd64')
elif not req_target_platform and target_platform in ['amd64', 'x86_64']:
# There may not be "native" amd64, but maybe "cross" x86_amd64 tools
try_target_archs.append('x86_amd64')
# If the user hasn't specifically requested a TARGET_ARCH, and
# The TARGET_ARCH is amd64 then also try 32 bits if there are no viable
# 64 bit tools installed
try_target_archs.append('x86')
debug("msvs_find_valid_batch_script(): host_platform: %s try_target_archs:%s"%(host_platform, try_target_archs))
d = None
for tp in try_target_archs:
# Set to current arch.
env['TARGET_ARCH']=tp
debug("msvc_find_valid_batch_script() trying target_platform:%s"%tp)
host_target = (host_platform, tp)
if not is_host_target_supported(host_target, version):
warn_msg = "host, target = %s not supported for MSVC version %s" % \
(host_target, version)
SCons.Warnings.warn(SCons.Warnings.VisualCMissingWarning, warn_msg)
arg = _HOST_TARGET_ARCH_TO_BAT_ARCH[host_target]
# Get just version numbers
maj, min = msvc_version_to_maj_min(version)
# VS2015+
if maj >= 14:
if env.get('MSVC_UWP_APP') == '1':
# Initialize environment variables with store/universal paths
arg += ' store'
# Try to locate a batch file for this host/target platform combo
try:
(vc_script, sdk_script) = find_batch_file(env, version, host_platform, tp)
debug('msvc_find_valid_batch_script() vc_script:%s sdk_script:%s'%(vc_script,sdk_script))
except VisualCException as e:
msg = str(e)
debug('Caught exception while looking for batch file (%s)' % msg)
warn_msg = "VC version %s not installed. " + \
"C/C++ compilers are most likely not set correctly.\n" + \
" Installed versions are: %s"
warn_msg = warn_msg % (version, cached_get_installed_vcs(env))
SCons.Warnings.warn(SCons.Warnings.VisualCMissingWarning, warn_msg)
continue
# Try to use the located batch file for this host/target platform combo
debug('msvc_find_valid_batch_script() use_script 2 %s, args:%s' % (repr(vc_script), arg))
found = None
if vc_script:
try:
d = script_env(vc_script, args=arg)
found = vc_script
except BatchFileExecutionError as e:
debug('msvc_find_valid_batch_script() use_script 3: failed running VC script %s: %s: Error:%s'%(repr(vc_script),arg,e))
vc_script=None
continue
if not vc_script and sdk_script:
debug('msvc_find_valid_batch_script() use_script 4: trying sdk script: %s'%(sdk_script))
try:
d = script_env(sdk_script)
found = sdk_script
except BatchFileExecutionError as e:
debug('msvc_find_valid_batch_script() use_script 5: failed running SDK script %s: Error:%s'%(repr(sdk_script),e))
continue
elif not vc_script and not sdk_script:
debug('msvc_find_valid_batch_script() use_script 6: Neither VC script nor SDK script found')
continue
debug("msvc_find_valid_batch_script() Found a working script/target: %s/%s"%(repr(found),arg))
break # We've found a working target_platform, so stop looking
# If we cannot find a viable installed compiler, reset the TARGET_ARCH
# To it's initial value
if not d:
env['TARGET_ARCH']=req_target_platform
return d
def msvc_setup_env(env):
debug('msvc_setup_env()')
version = get_default_version(env)
if version is None:
warn_msg = "No version of Visual Studio compiler found - C/C++ " \
"compilers most likely not set correctly"
# Nuitka: Useless warning for us.
# SCons.Warnings.warn(SCons.Warnings.VisualCMissingWarning, warn_msg)
return None
debug('msvc_setup_env: using specified MSVC version %s' % repr(version))
# XXX: we set-up both MSVS version for backward
# compatibility with the msvs tool
env['MSVC_VERSION'] = version
env['MSVS_VERSION'] = version
env['MSVS'] = {}
use_script = env.get('MSVC_USE_SCRIPT', True)
if SCons.Util.is_String(use_script):
debug('msvc_setup_env() use_script 1 %s' % repr(use_script))
d = script_env(use_script)
elif use_script:
d = msvc_find_valid_batch_script(env,version)
debug('msvc_setup_env() use_script 2 %s' % d)
if not d:
return d
else:
debug('MSVC_USE_SCRIPT set to False')
warn_msg = "MSVC_USE_SCRIPT set to False, assuming environment " \
"set correctly."
# Nuitka: We use this on purpose.
# SCons.Warnings.warn(SCons.Warnings.VisualCMissingWarning, warn_msg)
return None
for k, v in d.items():
# Nuitka: Make the Windows SDK version visible in environment.
if k == "WindowsSDKVersion":
# Always just a single version if any.
if len(v) == 1:
env["WindowsSDKVersion"] = v[0].rstrip('\\')
elif len(v) == 0:
env["WindowsSDKVersion"] = None
else:
assert False, v
continue
debug('msvc_setup_env() env:%s -> %s'%(k,v))
env.PrependENVPath(k, v, delete_existing=True)
# final check to issue a warning if the compiler is not present
msvc_cl = find_program_path(env, 'cl')
if not msvc_cl:
SCons.Warnings.warn(SCons.Warnings.VisualCMissingWarning,
"Could not find MSVC compiler 'cl', it may need to be installed separately with Visual Studio")
def msvc_exists(env=None, version=None):
vcs = cached_get_installed_vcs(env)
if version is None:
return len(vcs) > 0
return version in vcs<|fim▁end|> | HOST_ARCH can be extracted from the passed env, unless its None, |
<|file_name|>modulegen__gcc_LP64.py<|end_file_name|><|fim▁begin|>from pybindgen import Module, FileCodeSink, param, retval, cppclass, typehandlers
import pybindgen.settings
import warnings
class ErrorHandler(pybindgen.settings.ErrorHandler):
def handle_error(self, wrapper, exception, traceback_):
warnings.warn("exception %r in wrapper %s" % (exception, wrapper))
return True
pybindgen.settings.error_handler = ErrorHandler()
import sys
def module_init():
root_module = Module('ns.point_to_point', cpp_namespace='::ns3')
return root_module
def register_types(module):
root_module = module.get_root()
## address.h (module 'network'): ns3::Address [class]
module.add_class('Address', import_from_module='ns.network')
## address.h (module 'network'): ns3::Address::MaxSize_e [enumeration]
module.add_enum('MaxSize_e', ['MAX_SIZE'], outer_class=root_module['ns3::Address'], import_from_module='ns.network')
## trace-helper.h (module 'network'): ns3::AsciiTraceHelper [class]
module.add_class('AsciiTraceHelper', import_from_module='ns.network')
## trace-helper.h (module 'network'): ns3::AsciiTraceHelperForDevice [class]
module.add_class('AsciiTraceHelperForDevice', allow_subclassing=True, import_from_module='ns.network')
## attribute-construction-list.h (module 'core'): ns3::AttributeConstructionList [class]
module.add_class('AttributeConstructionList', import_from_module='ns.core')
## attribute-construction-list.h (module 'core'): ns3::AttributeConstructionList::Item [struct]
module.add_class('Item', import_from_module='ns.core', outer_class=root_module['ns3::AttributeConstructionList'])
## buffer.h (module 'network'): ns3::Buffer [class]
module.add_class('Buffer', import_from_module='ns.network')
## buffer.h (module 'network'): ns3::Buffer::Iterator [class]
module.add_class('Iterator', import_from_module='ns.network', outer_class=root_module['ns3::Buffer'])
## packet.h (module 'network'): ns3::ByteTagIterator [class]
module.add_class('ByteTagIterator', import_from_module='ns.network')
## packet.h (module 'network'): ns3::ByteTagIterator::Item [class]
module.add_class('Item', import_from_module='ns.network', outer_class=root_module['ns3::ByteTagIterator'])
## byte-tag-list.h (module 'network'): ns3::ByteTagList [class]
module.add_class('ByteTagList', import_from_module='ns.network')
## byte-tag-list.h (module 'network'): ns3::ByteTagList::Iterator [class]
module.add_class('Iterator', import_from_module='ns.network', outer_class=root_module['ns3::ByteTagList'])
## byte-tag-list.h (module 'network'): ns3::ByteTagList::Iterator::Item [struct]
module.add_class('Item', import_from_module='ns.network', outer_class=root_module['ns3::ByteTagList::Iterator'])
## callback.h (module 'core'): ns3::CallbackBase [class]
module.add_class('CallbackBase', import_from_module='ns.core')
## data-rate.h (module 'network'): ns3::DataRate [class]
module.add_class('DataRate', import_from_module='ns.network')
## event-id.h (module 'core'): ns3::EventId [class]
module.add_class('EventId', import_from_module='ns.core')
## ipv4-address.h (module 'network'): ns3::Ipv4Address [class]
module.add_class('Ipv4Address', import_from_module='ns.network')
## ipv4-address.h (module 'network'): ns3::Ipv4Address [class]
root_module['ns3::Ipv4Address'].implicitly_converts_to(root_module['ns3::Address'])
## ipv4-address.h (module 'network'): ns3::Ipv4Mask [class]
module.add_class('Ipv4Mask', import_from_module='ns.network')
## ipv6-address.h (module 'network'): ns3::Ipv6Address [class]
module.add_class('Ipv6Address', import_from_module='ns.network')
## ipv6-address.h (module 'network'): ns3::Ipv6Address [class]
root_module['ns3::Ipv6Address'].implicitly_converts_to(root_module['ns3::Address'])
## ipv6-address.h (module 'network'): ns3::Ipv6Prefix [class]
module.add_class('Ipv6Prefix', import_from_module='ns.network')
## mac48-address.h (module 'network'): ns3::Mac48Address [class]
module.add_class('Mac48Address', import_from_module='ns.network')
## mac48-address.h (module 'network'): ns3::Mac48Address [class]
root_module['ns3::Mac48Address'].implicitly_converts_to(root_module['ns3::Address'])
## net-device-container.h (module 'network'): ns3::NetDeviceContainer [class]
module.add_class('NetDeviceContainer', import_from_module='ns.network')
## node-container.h (module 'network'): ns3::NodeContainer [class]
module.add_class('NodeContainer', import_from_module='ns.network')
## object-base.h (module 'core'): ns3::ObjectBase [class]
module.add_class('ObjectBase', allow_subclassing=True, import_from_module='ns.core')
## object.h (module 'core'): ns3::ObjectDeleter [struct]
module.add_class('ObjectDeleter', import_from_module='ns.core')
## object-factory.h (module 'core'): ns3::ObjectFactory [class]
module.add_class('ObjectFactory', import_from_module='ns.core')
## packet-metadata.h (module 'network'): ns3::PacketMetadata [class]
module.add_class('PacketMetadata', import_from_module='ns.network')
## packet-metadata.h (module 'network'): ns3::PacketMetadata::Item [struct]
module.add_class('Item', import_from_module='ns.network', outer_class=root_module['ns3::PacketMetadata'])
## packet-metadata.h (module 'network'): ns3::PacketMetadata::Item [enumeration]
module.add_enum('', ['PAYLOAD', 'HEADER', 'TRAILER'], outer_class=root_module['ns3::PacketMetadata::Item'], import_from_module='ns.network')
## packet-metadata.h (module 'network'): ns3::PacketMetadata::ItemIterator [class]
module.add_class('ItemIterator', import_from_module='ns.network', outer_class=root_module['ns3::PacketMetadata'])
## packet.h (module 'network'): ns3::PacketTagIterator [class]
module.add_class('PacketTagIterator', import_from_module='ns.network')
## packet.h (module 'network'): ns3::PacketTagIterator::Item [class]
module.add_class('Item', import_from_module='ns.network', outer_class=root_module['ns3::PacketTagIterator'])
## packet-tag-list.h (module 'network'): ns3::PacketTagList [class]
module.add_class('PacketTagList', import_from_module='ns.network')
## packet-tag-list.h (module 'network'): ns3::PacketTagList::TagData [struct]
module.add_class('TagData', import_from_module='ns.network', outer_class=root_module['ns3::PacketTagList'])
## packet-tag-list.h (module 'network'): ns3::PacketTagList::TagData::TagData_e [enumeration]
module.add_enum('TagData_e', ['MAX_SIZE'], outer_class=root_module['ns3::PacketTagList::TagData'], import_from_module='ns.network')
## pcap-file.h (module 'network'): ns3::PcapFile [class]
module.add_class('PcapFile', import_from_module='ns.network')
## trace-helper.h (module 'network'): ns3::PcapHelper [class]
module.add_class('PcapHelper', import_from_module='ns.network')
## trace-helper.h (module 'network'): ns3::PcapHelper [enumeration]
module.add_enum('', ['DLT_NULL', 'DLT_EN10MB', 'DLT_PPP', 'DLT_RAW', 'DLT_IEEE802_11', 'DLT_PRISM_HEADER', 'DLT_IEEE802_11_RADIO'], outer_class=root_module['ns3::PcapHelper'], import_from_module='ns.network')
## trace-helper.h (module 'network'): ns3::PcapHelperForDevice [class]
module.add_class('PcapHelperForDevice', allow_subclassing=True, import_from_module='ns.network')
## point-to-point-helper.h (module 'point-to-point'): ns3::PointToPointHelper [class]
module.add_class('PointToPointHelper', parent=[root_module['ns3::PcapHelperForDevice'], root_module['ns3::AsciiTraceHelperForDevice']])
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::Object, ns3::ObjectBase, ns3::ObjectDeleter> [class]
module.add_class('SimpleRefCount', automatic_type_narrowing=True, import_from_module='ns.core', template_parameters=['ns3::Object', 'ns3::ObjectBase', 'ns3::ObjectDeleter'], parent=root_module['ns3::ObjectBase'], memory_policy=cppclass.ReferenceCountingMethodsPolicy(incref_method='Ref', decref_method='Unref', peekref_method='GetReferenceCount'))
## simulator.h (module 'core'): ns3::Simulator [class]
module.add_class('Simulator', destructor_visibility='private', import_from_module='ns.core')
## tag.h (module 'network'): ns3::Tag [class]
module.add_class('Tag', import_from_module='ns.network', parent=root_module['ns3::ObjectBase'])
## tag-buffer.h (module 'network'): ns3::TagBuffer [class]
module.add_class('TagBuffer', import_from_module='ns.network')
## type-id.h (module 'core'): ns3::TypeId [class]
module.add_class('TypeId', import_from_module='ns.core')
## type-id.h (module 'core'): ns3::TypeId::AttributeFlag [enumeration]
module.add_enum('AttributeFlag', ['ATTR_GET', 'ATTR_SET', 'ATTR_CONSTRUCT', 'ATTR_SGC'], outer_class=root_module['ns3::TypeId'], import_from_module='ns.core')
## type-id.h (module 'core'): ns3::TypeId::AttributeInformation [struct]
module.add_class('AttributeInformation', import_from_module='ns.core', outer_class=root_module['ns3::TypeId'])
## type-id.h (module 'core'): ns3::TypeId::TraceSourceInformation [struct]
module.add_class('TraceSourceInformation', import_from_module='ns.core', outer_class=root_module['ns3::TypeId'])
## empty.h (module 'core'): ns3::empty [class]
module.add_class('empty', import_from_module='ns.core')
## int64x64-double.h (module 'core'): ns3::int64x64_t [class]
module.add_class('int64x64_t', import_from_module='ns.core')
## chunk.h (module 'network'): ns3::Chunk [class]
module.add_class('Chunk', import_from_module='ns.network', parent=root_module['ns3::ObjectBase'])
## header.h (module 'network'): ns3::Header [class]
module.add_class('Header', import_from_module='ns.network', parent=root_module['ns3::Chunk'])
## object.h (module 'core'): ns3::Object [class]
module.add_class('Object', import_from_module='ns.core', parent=root_module['ns3::SimpleRefCount< ns3::Object, ns3::ObjectBase, ns3::ObjectDeleter >'])
## object.h (module 'core'): ns3::Object::AggregateIterator [class]
module.add_class('AggregateIterator', import_from_module='ns.core', outer_class=root_module['ns3::Object'])
## pcap-file-wrapper.h (module 'network'): ns3::PcapFileWrapper [class]
module.add_class('PcapFileWrapper', import_from_module='ns.network', parent=root_module['ns3::Object'])
## ppp-header.h (module 'point-to-point'): ns3::PppHeader [class]
module.add_class('PppHeader', parent=root_module['ns3::Header'])
## queue.h (module 'network'): ns3::Queue [class]
module.add_class('Queue', import_from_module='ns.network', parent=root_module['ns3::Object'])
## queue.h (module 'network'): ns3::Queue::QueueMode [enumeration]
module.add_enum('QueueMode', ['QUEUE_MODE_PACKETS', 'QUEUE_MODE_BYTES'], outer_class=root_module['ns3::Queue'], import_from_module='ns.network')
## random-variable-stream.h (module 'core'): ns3::RandomVariableStream [class]
module.add_class('RandomVariableStream', import_from_module='ns.core', parent=root_module['ns3::Object'])
## random-variable-stream.h (module 'core'): ns3::SequentialRandomVariable [class]
module.add_class('SequentialRandomVariable', import_from_module='ns.core', parent=root_module['ns3::RandomVariableStream'])
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::AttributeAccessor, ns3::empty, ns3::DefaultDeleter<ns3::AttributeAccessor> > [class]
module.add_class('SimpleRefCount', automatic_type_narrowing=True, import_from_module='ns.core', template_parameters=['ns3::AttributeAccessor', 'ns3::empty', 'ns3::DefaultDeleter<ns3::AttributeAccessor>'], parent=root_module['ns3::empty'], memory_policy=cppclass.ReferenceCountingMethodsPolicy(incref_method='Ref', decref_method='Unref', peekref_method='GetReferenceCount'))
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::AttributeChecker, ns3::empty, ns3::DefaultDeleter<ns3::AttributeChecker> > [class]
module.add_class('SimpleRefCount', automatic_type_narrowing=True, import_from_module='ns.core', template_parameters=['ns3::AttributeChecker', 'ns3::empty', 'ns3::DefaultDeleter<ns3::AttributeChecker>'], parent=root_module['ns3::empty'], memory_policy=cppclass.ReferenceCountingMethodsPolicy(incref_method='Ref', decref_method='Unref', peekref_method='GetReferenceCount'))
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::AttributeValue, ns3::empty, ns3::DefaultDeleter<ns3::AttributeValue> > [class]
module.add_class('SimpleRefCount', automatic_type_narrowing=True, import_from_module='ns.core', template_parameters=['ns3::AttributeValue', 'ns3::empty', 'ns3::DefaultDeleter<ns3::AttributeValue>'], parent=root_module['ns3::empty'], memory_policy=cppclass.ReferenceCountingMethodsPolicy(incref_method='Ref', decref_method='Unref', peekref_method='GetReferenceCount'))
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::CallbackImplBase, ns3::empty, ns3::DefaultDeleter<ns3::CallbackImplBase> > [class]
module.add_class('SimpleRefCount', automatic_type_narrowing=True, import_from_module='ns.core', template_parameters=['ns3::CallbackImplBase', 'ns3::empty', 'ns3::DefaultDeleter<ns3::CallbackImplBase>'], parent=root_module['ns3::empty'], memory_policy=cppclass.ReferenceCountingMethodsPolicy(incref_method='Ref', decref_method='Unref', peekref_method='GetReferenceCount'))
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::EventImpl, ns3::empty, ns3::DefaultDeleter<ns3::EventImpl> > [class]
module.add_class('SimpleRefCount', automatic_type_narrowing=True, import_from_module='ns.core', template_parameters=['ns3::EventImpl', 'ns3::empty', 'ns3::DefaultDeleter<ns3::EventImpl>'], parent=root_module['ns3::empty'], memory_policy=cppclass.ReferenceCountingMethodsPolicy(incref_method='Ref', decref_method='Unref', peekref_method='GetReferenceCount'))
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::NixVector, ns3::empty, ns3::DefaultDeleter<ns3::NixVector> > [class]
module.add_class('SimpleRefCount', automatic_type_narrowing=True, import_from_module='ns.core', template_parameters=['ns3::NixVector', 'ns3::empty', 'ns3::DefaultDeleter<ns3::NixVector>'], parent=root_module['ns3::empty'], memory_policy=cppclass.ReferenceCountingMethodsPolicy(incref_method='Ref', decref_method='Unref', peekref_method='GetReferenceCount'))
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::OutputStreamWrapper, ns3::empty, ns3::DefaultDeleter<ns3::OutputStreamWrapper> > [class]
module.add_class('SimpleRefCount', automatic_type_narrowing=True, import_from_module='ns.core', template_parameters=['ns3::OutputStreamWrapper', 'ns3::empty', 'ns3::DefaultDeleter<ns3::OutputStreamWrapper>'], parent=root_module['ns3::empty'], memory_policy=cppclass.ReferenceCountingMethodsPolicy(incref_method='Ref', decref_method='Unref', peekref_method='GetReferenceCount'))
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::Packet, ns3::empty, ns3::DefaultDeleter<ns3::Packet> > [class]
module.add_class('SimpleRefCount', automatic_type_narrowing=True, import_from_module='ns.core', template_parameters=['ns3::Packet', 'ns3::empty', 'ns3::DefaultDeleter<ns3::Packet>'], parent=root_module['ns3::empty'], memory_policy=cppclass.ReferenceCountingMethodsPolicy(incref_method='Ref', decref_method='Unref', peekref_method='GetReferenceCount'))
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::TraceSourceAccessor, ns3::empty, ns3::DefaultDeleter<ns3::TraceSourceAccessor> > [class]
module.add_class('SimpleRefCount', automatic_type_narrowing=True, import_from_module='ns.core', template_parameters=['ns3::TraceSourceAccessor', 'ns3::empty', 'ns3::DefaultDeleter<ns3::TraceSourceAccessor>'], parent=root_module['ns3::empty'], memory_policy=cppclass.ReferenceCountingMethodsPolicy(incref_method='Ref', decref_method='Unref', peekref_method='GetReferenceCount'))
## nstime.h (module 'core'): ns3::Time [class]
module.add_class('Time', import_from_module='ns.core')
## nstime.h (module 'core'): ns3::Time::Unit [enumeration]
module.add_enum('Unit', ['S', 'MS', 'US', 'NS', 'PS', 'FS', 'LAST'], outer_class=root_module['ns3::Time'], import_from_module='ns.core')
## nstime.h (module 'core'): ns3::Time [class]
root_module['ns3::Time'].implicitly_converts_to(root_module['ns3::int64x64_t'])
## trace-source-accessor.h (module 'core'): ns3::TraceSourceAccessor [class]
module.add_class('TraceSourceAccessor', import_from_module='ns.core', parent=root_module['ns3::SimpleRefCount< ns3::TraceSourceAccessor, ns3::empty, ns3::DefaultDeleter<ns3::TraceSourceAccessor> >'])
## trailer.h (module 'network'): ns3::Trailer [class]
module.add_class('Trailer', import_from_module='ns.network', parent=root_module['ns3::Chunk'])
## random-variable-stream.h (module 'core'): ns3::TriangularRandomVariable [class]
module.add_class('TriangularRandomVariable', import_from_module='ns.core', parent=root_module['ns3::RandomVariableStream'])
## random-variable-stream.h (module 'core'): ns3::UniformRandomVariable [class]
module.add_class('UniformRandomVariable', import_from_module='ns.core', parent=root_module['ns3::RandomVariableStream'])
## random-variable-stream.h (module 'core'): ns3::WeibullRandomVariable [class]
module.add_class('WeibullRandomVariable', import_from_module='ns.core', parent=root_module['ns3::RandomVariableStream'])
## random-variable-stream.h (module 'core'): ns3::ZetaRandomVariable [class]
module.add_class('ZetaRandomVariable', import_from_module='ns.core', parent=root_module['ns3::RandomVariableStream'])
## random-variable-stream.h (module 'core'): ns3::ZipfRandomVariable [class]
module.add_class('ZipfRandomVariable', import_from_module='ns.core', parent=root_module['ns3::RandomVariableStream'])
## attribute.h (module 'core'): ns3::AttributeAccessor [class]
module.add_class('AttributeAccessor', import_from_module='ns.core', parent=root_module['ns3::SimpleRefCount< ns3::AttributeAccessor, ns3::empty, ns3::DefaultDeleter<ns3::AttributeAccessor> >'])
## attribute.h (module 'core'): ns3::AttributeChecker [class]
module.add_class('AttributeChecker', allow_subclassing=False, automatic_type_narrowing=True, import_from_module='ns.core', parent=root_module['ns3::SimpleRefCount< ns3::AttributeChecker, ns3::empty, ns3::DefaultDeleter<ns3::AttributeChecker> >'])
## attribute.h (module 'core'): ns3::AttributeValue [class]
module.add_class('AttributeValue', allow_subclassing=False, automatic_type_narrowing=True, import_from_module='ns.core', parent=root_module['ns3::SimpleRefCount< ns3::AttributeValue, ns3::empty, ns3::DefaultDeleter<ns3::AttributeValue> >'])
## callback.h (module 'core'): ns3::CallbackChecker [class]
module.add_class('CallbackChecker', import_from_module='ns.core', parent=root_module['ns3::AttributeChecker'])
## callback.h (module 'core'): ns3::CallbackImplBase [class]
module.add_class('CallbackImplBase', import_from_module='ns.core', parent=root_module['ns3::SimpleRefCount< ns3::CallbackImplBase, ns3::empty, ns3::DefaultDeleter<ns3::CallbackImplBase> >'])
## callback.h (module 'core'): ns3::CallbackValue [class]
module.add_class('CallbackValue', import_from_module='ns.core', parent=root_module['ns3::AttributeValue'])
## channel.h (module 'network'): ns3::Channel [class]
module.add_class('Channel', import_from_module='ns.network', parent=root_module['ns3::Object'])
## random-variable-stream.h (module 'core'): ns3::ConstantRandomVariable [class]
module.add_class('ConstantRandomVariable', import_from_module='ns.core', parent=root_module['ns3::RandomVariableStream'])
## data-rate.h (module 'network'): ns3::DataRateChecker [class]
module.add_class('DataRateChecker', import_from_module='ns.network', parent=root_module['ns3::AttributeChecker'])
## data-rate.h (module 'network'): ns3::DataRateValue [class]
module.add_class('DataRateValue', import_from_module='ns.network', parent=root_module['ns3::AttributeValue'])
## random-variable-stream.h (module 'core'): ns3::DeterministicRandomVariable [class]
module.add_class('DeterministicRandomVariable', import_from_module='ns.core', parent=root_module['ns3::RandomVariableStream'])
## random-variable-stream.h (module 'core'): ns3::EmpiricalRandomVariable [class]
module.add_class('EmpiricalRandomVariable', import_from_module='ns.core', parent=root_module['ns3::RandomVariableStream'])
## attribute.h (module 'core'): ns3::EmptyAttributeValue [class]
module.add_class('EmptyAttributeValue', import_from_module='ns.core', parent=root_module['ns3::AttributeValue'])
## random-variable-stream.h (module 'core'): ns3::ErlangRandomVariable [class]
module.add_class('ErlangRandomVariable', import_from_module='ns.core', parent=root_module['ns3::RandomVariableStream'])
## error-model.h (module 'network'): ns3::ErrorModel [class]
module.add_class('ErrorModel', import_from_module='ns.network', parent=root_module['ns3::Object'])
## event-impl.h (module 'core'): ns3::EventImpl [class]
module.add_class('EventImpl', import_from_module='ns.core', parent=root_module['ns3::SimpleRefCount< ns3::EventImpl, ns3::empty, ns3::DefaultDeleter<ns3::EventImpl> >'])
## random-variable-stream.h (module 'core'): ns3::ExponentialRandomVariable [class]
module.add_class('ExponentialRandomVariable', import_from_module='ns.core', parent=root_module['ns3::RandomVariableStream'])
## random-variable-stream.h (module 'core'): ns3::GammaRandomVariable [class]
module.add_class('GammaRandomVariable', import_from_module='ns.core', parent=root_module['ns3::RandomVariableStream'])
## ipv4-address.h (module 'network'): ns3::Ipv4AddressChecker [class]
module.add_class('Ipv4AddressChecker', import_from_module='ns.network', parent=root_module['ns3::AttributeChecker'])
## ipv4-address.h (module 'network'): ns3::Ipv4AddressValue [class]
module.add_class('Ipv4AddressValue', import_from_module='ns.network', parent=root_module['ns3::AttributeValue'])
## ipv4-address.h (module 'network'): ns3::Ipv4MaskChecker [class]
module.add_class('Ipv4MaskChecker', import_from_module='ns.network', parent=root_module['ns3::AttributeChecker'])
## ipv4-address.h (module 'network'): ns3::Ipv4MaskValue [class]
module.add_class('Ipv4MaskValue', import_from_module='ns.network', parent=root_module['ns3::AttributeValue'])
## ipv6-address.h (module 'network'): ns3::Ipv6AddressChecker [class]
module.add_class('Ipv6AddressChecker', import_from_module='ns.network', parent=root_module['ns3::AttributeChecker'])
## ipv6-address.h (module 'network'): ns3::Ipv6AddressValue [class]
module.add_class('Ipv6AddressValue', import_from_module='ns.network', parent=root_module['ns3::AttributeValue'])
## ipv6-address.h (module 'network'): ns3::Ipv6PrefixChecker [class]
module.add_class('Ipv6PrefixChecker', import_from_module='ns.network', parent=root_module['ns3::AttributeChecker'])
## ipv6-address.h (module 'network'): ns3::Ipv6PrefixValue [class]
module.add_class('Ipv6PrefixValue', import_from_module='ns.network', parent=root_module['ns3::AttributeValue'])
## error-model.h (module 'network'): ns3::ListErrorModel [class]
module.add_class('ListErrorModel', import_from_module='ns.network', parent=root_module['ns3::ErrorModel'])
## random-variable-stream.h (module 'core'): ns3::LogNormalRandomVariable [class]
module.add_class('LogNormalRandomVariable', import_from_module='ns.core', parent=root_module['ns3::RandomVariableStream'])
## mac48-address.h (module 'network'): ns3::Mac48AddressChecker [class]
module.add_class('Mac48AddressChecker', import_from_module='ns.network', parent=root_module['ns3::AttributeChecker'])
## mac48-address.h (module 'network'): ns3::Mac48AddressValue [class]
module.add_class('Mac48AddressValue', import_from_module='ns.network', parent=root_module['ns3::AttributeValue'])
## net-device.h (module 'network'): ns3::NetDevice [class]
module.add_class('NetDevice', import_from_module='ns.network', parent=root_module['ns3::Object'])
## net-device.h (module 'network'): ns3::NetDevice::PacketType [enumeration]
module.add_enum('PacketType', ['PACKET_HOST', 'NS3_PACKET_HOST', 'PACKET_BROADCAST', 'NS3_PACKET_BROADCAST', 'PACKET_MULTICAST', 'NS3_PACKET_MULTICAST', 'PACKET_OTHERHOST', 'NS3_PACKET_OTHERHOST'], outer_class=root_module['ns3::NetDevice'], import_from_module='ns.network')
## nix-vector.h (module 'network'): ns3::NixVector [class]
module.add_class('NixVector', import_from_module='ns.network', parent=root_module['ns3::SimpleRefCount< ns3::NixVector, ns3::empty, ns3::DefaultDeleter<ns3::NixVector> >'])
## node.h (module 'network'): ns3::Node [class]
module.add_class('Node', import_from_module='ns.network', parent=root_module['ns3::Object'])
## random-variable-stream.h (module 'core'): ns3::NormalRandomVariable [class]
module.add_class('NormalRandomVariable', import_from_module='ns.core', parent=root_module['ns3::RandomVariableStream'])
## object-factory.h (module 'core'): ns3::ObjectFactoryChecker [class]
module.add_class('ObjectFactoryChecker', import_from_module='ns.core', parent=root_module['ns3::AttributeChecker'])
## object-factory.h (module 'core'): ns3::ObjectFactoryValue [class]
module.add_class('ObjectFactoryValue', import_from_module='ns.core', parent=root_module['ns3::AttributeValue'])
## output-stream-wrapper.h (module 'network'): ns3::OutputStreamWrapper [class]
module.add_class('OutputStreamWrapper', import_from_module='ns.network', parent=root_module['ns3::SimpleRefCount< ns3::OutputStreamWrapper, ns3::empty, ns3::DefaultDeleter<ns3::OutputStreamWrapper> >'])
## packet.h (module 'network'): ns3::Packet [class]
module.add_class('Packet', import_from_module='ns.network', parent=root_module['ns3::SimpleRefCount< ns3::Packet, ns3::empty, ns3::DefaultDeleter<ns3::Packet> >'])
## random-variable-stream.h (module 'core'): ns3::ParetoRandomVariable [class]
module.add_class('ParetoRandomVariable', import_from_module='ns.core', parent=root_module['ns3::RandomVariableStream'])
## point-to-point-channel.h (module 'point-to-point'): ns3::PointToPointChannel [class]
module.add_class('PointToPointChannel', parent=root_module['ns3::Channel'])
## point-to-point-net-device.h (module 'point-to-point'): ns3::PointToPointNetDevice [class]
module.add_class('PointToPointNetDevice', parent=root_module['ns3::NetDevice'])
## point-to-point-remote-channel.h (module 'point-to-point'): ns3::PointToPointRemoteChannel [class]
module.add_class('PointToPointRemoteChannel', parent=root_module['ns3::PointToPointChannel'])
## error-model.h (module 'network'): ns3::RateErrorModel [class]
module.add_class('RateErrorModel', import_from_module='ns.network', parent=root_module['ns3::ErrorModel'])
## error-model.h (module 'network'): ns3::RateErrorModel::ErrorUnit [enumeration]
module.add_enum('ErrorUnit', ['ERROR_UNIT_BIT', 'ERROR_UNIT_BYTE', 'ERROR_UNIT_PACKET'], outer_class=root_module['ns3::RateErrorModel'], import_from_module='ns.network')
## error-model.h (module 'network'): ns3::ReceiveListErrorModel [class]
module.add_class('ReceiveListErrorModel', import_from_module='ns.network', parent=root_module['ns3::ErrorModel'])
## nstime.h (module 'core'): ns3::TimeValue [class]
module.add_class('TimeValue', import_from_module='ns.core', parent=root_module['ns3::AttributeValue'])
## type-id.h (module 'core'): ns3::TypeIdChecker [class]
module.add_class('TypeIdChecker', import_from_module='ns.core', parent=root_module['ns3::AttributeChecker'])
## type-id.h (module 'core'): ns3::TypeIdValue [class]
module.add_class('TypeIdValue', import_from_module='ns.core', parent=root_module['ns3::AttributeValue'])
## address.h (module 'network'): ns3::AddressChecker [class]
module.add_class('AddressChecker', import_from_module='ns.network', parent=root_module['ns3::AttributeChecker'])
## address.h (module 'network'): ns3::AddressValue [class]
module.add_class('AddressValue', import_from_module='ns.network', parent=root_module['ns3::AttributeValue'])
## error-model.h (module 'network'): ns3::BurstErrorModel [class]
module.add_class('BurstErrorModel', import_from_module='ns.network', parent=root_module['ns3::ErrorModel'])
module.add_container('std::list< unsigned int >', 'unsigned int', container_type='list')
## Register a nested module for the namespace FatalImpl
nested_module = module.add_cpp_namespace('FatalImpl')
register_types_ns3_FatalImpl(nested_module)
def register_types_ns3_FatalImpl(module):
root_module = module.get_root()
def register_methods(root_module):
register_Ns3Address_methods(root_module, root_module['ns3::Address'])
register_Ns3AsciiTraceHelper_methods(root_module, root_module['ns3::AsciiTraceHelper'])
register_Ns3AsciiTraceHelperForDevice_methods(root_module, root_module['ns3::AsciiTraceHelperForDevice'])
register_Ns3AttributeConstructionList_methods(root_module, root_module['ns3::AttributeConstructionList'])
register_Ns3AttributeConstructionListItem_methods(root_module, root_module['ns3::AttributeConstructionList::Item'])
register_Ns3Buffer_methods(root_module, root_module['ns3::Buffer'])
register_Ns3BufferIterator_methods(root_module, root_module['ns3::Buffer::Iterator'])
register_Ns3ByteTagIterator_methods(root_module, root_module['ns3::ByteTagIterator'])
register_Ns3ByteTagIteratorItem_methods(root_module, root_module['ns3::ByteTagIterator::Item'])
register_Ns3ByteTagList_methods(root_module, root_module['ns3::ByteTagList'])
register_Ns3ByteTagListIterator_methods(root_module, root_module['ns3::ByteTagList::Iterator'])
register_Ns3ByteTagListIteratorItem_methods(root_module, root_module['ns3::ByteTagList::Iterator::Item'])
register_Ns3CallbackBase_methods(root_module, root_module['ns3::CallbackBase'])
register_Ns3DataRate_methods(root_module, root_module['ns3::DataRate'])
register_Ns3EventId_methods(root_module, root_module['ns3::EventId'])
register_Ns3Ipv4Address_methods(root_module, root_module['ns3::Ipv4Address'])
register_Ns3Ipv4Mask_methods(root_module, root_module['ns3::Ipv4Mask'])
register_Ns3Ipv6Address_methods(root_module, root_module['ns3::Ipv6Address'])
register_Ns3Ipv6Prefix_methods(root_module, root_module['ns3::Ipv6Prefix'])
register_Ns3Mac48Address_methods(root_module, root_module['ns3::Mac48Address'])
register_Ns3NetDeviceContainer_methods(root_module, root_module['ns3::NetDeviceContainer'])
register_Ns3NodeContainer_methods(root_module, root_module['ns3::NodeContainer'])
register_Ns3ObjectBase_methods(root_module, root_module['ns3::ObjectBase'])
register_Ns3ObjectDeleter_methods(root_module, root_module['ns3::ObjectDeleter'])
register_Ns3ObjectFactory_methods(root_module, root_module['ns3::ObjectFactory'])
register_Ns3PacketMetadata_methods(root_module, root_module['ns3::PacketMetadata'])
register_Ns3PacketMetadataItem_methods(root_module, root_module['ns3::PacketMetadata::Item'])
register_Ns3PacketMetadataItemIterator_methods(root_module, root_module['ns3::PacketMetadata::ItemIterator'])
register_Ns3PacketTagIterator_methods(root_module, root_module['ns3::PacketTagIterator'])
register_Ns3PacketTagIteratorItem_methods(root_module, root_module['ns3::PacketTagIterator::Item'])
register_Ns3PacketTagList_methods(root_module, root_module['ns3::PacketTagList'])
register_Ns3PacketTagListTagData_methods(root_module, root_module['ns3::PacketTagList::TagData'])
register_Ns3PcapFile_methods(root_module, root_module['ns3::PcapFile'])
register_Ns3PcapHelper_methods(root_module, root_module['ns3::PcapHelper'])
register_Ns3PcapHelperForDevice_methods(root_module, root_module['ns3::PcapHelperForDevice'])
register_Ns3PointToPointHelper_methods(root_module, root_module['ns3::PointToPointHelper'])
register_Ns3SimpleRefCount__Ns3Object_Ns3ObjectBase_Ns3ObjectDeleter_methods(root_module, root_module['ns3::SimpleRefCount< ns3::Object, ns3::ObjectBase, ns3::ObjectDeleter >'])
register_Ns3Simulator_methods(root_module, root_module['ns3::Simulator'])
register_Ns3Tag_methods(root_module, root_module['ns3::Tag'])
register_Ns3TagBuffer_methods(root_module, root_module['ns3::TagBuffer'])
register_Ns3TypeId_methods(root_module, root_module['ns3::TypeId'])
register_Ns3TypeIdAttributeInformation_methods(root_module, root_module['ns3::TypeId::AttributeInformation'])
register_Ns3TypeIdTraceSourceInformation_methods(root_module, root_module['ns3::TypeId::TraceSourceInformation'])
register_Ns3Empty_methods(root_module, root_module['ns3::empty'])
register_Ns3Int64x64_t_methods(root_module, root_module['ns3::int64x64_t'])
register_Ns3Chunk_methods(root_module, root_module['ns3::Chunk'])
register_Ns3Header_methods(root_module, root_module['ns3::Header'])
register_Ns3Object_methods(root_module, root_module['ns3::Object'])
register_Ns3ObjectAggregateIterator_methods(root_module, root_module['ns3::Object::AggregateIterator'])
register_Ns3PcapFileWrapper_methods(root_module, root_module['ns3::PcapFileWrapper'])
register_Ns3PppHeader_methods(root_module, root_module['ns3::PppHeader'])
register_Ns3Queue_methods(root_module, root_module['ns3::Queue'])
register_Ns3RandomVariableStream_methods(root_module, root_module['ns3::RandomVariableStream'])
register_Ns3SequentialRandomVariable_methods(root_module, root_module['ns3::SequentialRandomVariable'])
register_Ns3SimpleRefCount__Ns3AttributeAccessor_Ns3Empty_Ns3DefaultDeleter__lt__ns3AttributeAccessor__gt___methods(root_module, root_module['ns3::SimpleRefCount< ns3::AttributeAccessor, ns3::empty, ns3::DefaultDeleter<ns3::AttributeAccessor> >'])
register_Ns3SimpleRefCount__Ns3AttributeChecker_Ns3Empty_Ns3DefaultDeleter__lt__ns3AttributeChecker__gt___methods(root_module, root_module['ns3::SimpleRefCount< ns3::AttributeChecker, ns3::empty, ns3::DefaultDeleter<ns3::AttributeChecker> >'])
register_Ns3SimpleRefCount__Ns3AttributeValue_Ns3Empty_Ns3DefaultDeleter__lt__ns3AttributeValue__gt___methods(root_module, root_module['ns3::SimpleRefCount< ns3::AttributeValue, ns3::empty, ns3::DefaultDeleter<ns3::AttributeValue> >'])
register_Ns3SimpleRefCount__Ns3CallbackImplBase_Ns3Empty_Ns3DefaultDeleter__lt__ns3CallbackImplBase__gt___methods(root_module, root_module['ns3::SimpleRefCount< ns3::CallbackImplBase, ns3::empty, ns3::DefaultDeleter<ns3::CallbackImplBase> >'])
register_Ns3SimpleRefCount__Ns3EventImpl_Ns3Empty_Ns3DefaultDeleter__lt__ns3EventImpl__gt___methods(root_module, root_module['ns3::SimpleRefCount< ns3::EventImpl, ns3::empty, ns3::DefaultDeleter<ns3::EventImpl> >'])
register_Ns3SimpleRefCount__Ns3NixVector_Ns3Empty_Ns3DefaultDeleter__lt__ns3NixVector__gt___methods(root_module, root_module['ns3::SimpleRefCount< ns3::NixVector, ns3::empty, ns3::DefaultDeleter<ns3::NixVector> >'])
register_Ns3SimpleRefCount__Ns3OutputStreamWrapper_Ns3Empty_Ns3DefaultDeleter__lt__ns3OutputStreamWrapper__gt___methods(root_module, root_module['ns3::SimpleRefCount< ns3::OutputStreamWrapper, ns3::empty, ns3::DefaultDeleter<ns3::OutputStreamWrapper> >'])
register_Ns3SimpleRefCount__Ns3Packet_Ns3Empty_Ns3DefaultDeleter__lt__ns3Packet__gt___methods(root_module, root_module['ns3::SimpleRefCount< ns3::Packet, ns3::empty, ns3::DefaultDeleter<ns3::Packet> >'])
register_Ns3SimpleRefCount__Ns3TraceSourceAccessor_Ns3Empty_Ns3DefaultDeleter__lt__ns3TraceSourceAccessor__gt___methods(root_module, root_module['ns3::SimpleRefCount< ns3::TraceSourceAccessor, ns3::empty, ns3::DefaultDeleter<ns3::TraceSourceAccessor> >'])
register_Ns3Time_methods(root_module, root_module['ns3::Time'])
register_Ns3TraceSourceAccessor_methods(root_module, root_module['ns3::TraceSourceAccessor'])
register_Ns3Trailer_methods(root_module, root_module['ns3::Trailer'])
register_Ns3TriangularRandomVariable_methods(root_module, root_module['ns3::TriangularRandomVariable'])
register_Ns3UniformRandomVariable_methods(root_module, root_module['ns3::UniformRandomVariable'])
register_Ns3WeibullRandomVariable_methods(root_module, root_module['ns3::WeibullRandomVariable'])
register_Ns3ZetaRandomVariable_methods(root_module, root_module['ns3::ZetaRandomVariable'])
register_Ns3ZipfRandomVariable_methods(root_module, root_module['ns3::ZipfRandomVariable'])
register_Ns3AttributeAccessor_methods(root_module, root_module['ns3::AttributeAccessor'])
register_Ns3AttributeChecker_methods(root_module, root_module['ns3::AttributeChecker'])
register_Ns3AttributeValue_methods(root_module, root_module['ns3::AttributeValue'])
register_Ns3CallbackChecker_methods(root_module, root_module['ns3::CallbackChecker'])
register_Ns3CallbackImplBase_methods(root_module, root_module['ns3::CallbackImplBase'])
register_Ns3CallbackValue_methods(root_module, root_module['ns3::CallbackValue'])
register_Ns3Channel_methods(root_module, root_module['ns3::Channel'])
register_Ns3ConstantRandomVariable_methods(root_module, root_module['ns3::ConstantRandomVariable'])
register_Ns3DataRateChecker_methods(root_module, root_module['ns3::DataRateChecker'])
register_Ns3DataRateValue_methods(root_module, root_module['ns3::DataRateValue'])
register_Ns3DeterministicRandomVariable_methods(root_module, root_module['ns3::DeterministicRandomVariable'])
register_Ns3EmpiricalRandomVariable_methods(root_module, root_module['ns3::EmpiricalRandomVariable'])
register_Ns3EmptyAttributeValue_methods(root_module, root_module['ns3::EmptyAttributeValue'])
register_Ns3ErlangRandomVariable_methods(root_module, root_module['ns3::ErlangRandomVariable'])
register_Ns3ErrorModel_methods(root_module, root_module['ns3::ErrorModel'])
register_Ns3EventImpl_methods(root_module, root_module['ns3::EventImpl'])
register_Ns3ExponentialRandomVariable_methods(root_module, root_module['ns3::ExponentialRandomVariable'])
register_Ns3GammaRandomVariable_methods(root_module, root_module['ns3::GammaRandomVariable'])
register_Ns3Ipv4AddressChecker_methods(root_module, root_module['ns3::Ipv4AddressChecker'])
register_Ns3Ipv4AddressValue_methods(root_module, root_module['ns3::Ipv4AddressValue'])
register_Ns3Ipv4MaskChecker_methods(root_module, root_module['ns3::Ipv4MaskChecker'])
register_Ns3Ipv4MaskValue_methods(root_module, root_module['ns3::Ipv4MaskValue'])
register_Ns3Ipv6AddressChecker_methods(root_module, root_module['ns3::Ipv6AddressChecker'])
register_Ns3Ipv6AddressValue_methods(root_module, root_module['ns3::Ipv6AddressValue'])
register_Ns3Ipv6PrefixChecker_methods(root_module, root_module['ns3::Ipv6PrefixChecker'])
register_Ns3Ipv6PrefixValue_methods(root_module, root_module['ns3::Ipv6PrefixValue'])
register_Ns3ListErrorModel_methods(root_module, root_module['ns3::ListErrorModel'])
register_Ns3LogNormalRandomVariable_methods(root_module, root_module['ns3::LogNormalRandomVariable'])
register_Ns3Mac48AddressChecker_methods(root_module, root_module['ns3::Mac48AddressChecker'])
register_Ns3Mac48AddressValue_methods(root_module, root_module['ns3::Mac48AddressValue'])
register_Ns3NetDevice_methods(root_module, root_module['ns3::NetDevice'])
register_Ns3NixVector_methods(root_module, root_module['ns3::NixVector'])
register_Ns3Node_methods(root_module, root_module['ns3::Node'])
register_Ns3NormalRandomVariable_methods(root_module, root_module['ns3::NormalRandomVariable'])
register_Ns3ObjectFactoryChecker_methods(root_module, root_module['ns3::ObjectFactoryChecker'])
register_Ns3ObjectFactoryValue_methods(root_module, root_module['ns3::ObjectFactoryValue'])
register_Ns3OutputStreamWrapper_methods(root_module, root_module['ns3::OutputStreamWrapper'])
register_Ns3Packet_methods(root_module, root_module['ns3::Packet'])
register_Ns3ParetoRandomVariable_methods(root_module, root_module['ns3::ParetoRandomVariable'])
register_Ns3PointToPointChannel_methods(root_module, root_module['ns3::PointToPointChannel'])
register_Ns3PointToPointNetDevice_methods(root_module, root_module['ns3::PointToPointNetDevice'])
register_Ns3PointToPointRemoteChannel_methods(root_module, root_module['ns3::PointToPointRemoteChannel'])
register_Ns3RateErrorModel_methods(root_module, root_module['ns3::RateErrorModel'])
register_Ns3ReceiveListErrorModel_methods(root_module, root_module['ns3::ReceiveListErrorModel'])
register_Ns3TimeValue_methods(root_module, root_module['ns3::TimeValue'])
register_Ns3TypeIdChecker_methods(root_module, root_module['ns3::TypeIdChecker'])
register_Ns3TypeIdValue_methods(root_module, root_module['ns3::TypeIdValue'])
register_Ns3AddressChecker_methods(root_module, root_module['ns3::AddressChecker'])
register_Ns3AddressValue_methods(root_module, root_module['ns3::AddressValue'])
register_Ns3BurstErrorModel_methods(root_module, root_module['ns3::BurstErrorModel'])
return
def register_Ns3Address_methods(root_module, cls):
cls.add_binary_comparison_operator('<')
cls.add_binary_comparison_operator('!=')
cls.add_output_stream_operator()
cls.add_binary_comparison_operator('==')
## address.h (module 'network'): ns3::Address::Address() [constructor]
cls.add_constructor([])
## address.h (module 'network'): ns3::Address::Address(uint8_t type, uint8_t const * buffer, uint8_t len) [constructor]
cls.add_constructor([param('uint8_t', 'type'), param('uint8_t const *', 'buffer'), param('uint8_t', 'len')])
## address.h (module 'network'): ns3::Address::Address(ns3::Address const & address) [copy constructor]
cls.add_constructor([param('ns3::Address const &', 'address')])
## address.h (module 'network'): bool ns3::Address::CheckCompatible(uint8_t type, uint8_t len) const [member function]
cls.add_method('CheckCompatible',
'bool',
[param('uint8_t', 'type'), param('uint8_t', 'len')],
is_const=True)
## address.h (module 'network'): uint32_t ns3::Address::CopyAllFrom(uint8_t const * buffer, uint8_t len) [member function]
cls.add_method('CopyAllFrom',
'uint32_t',
[param('uint8_t const *', 'buffer'), param('uint8_t', 'len')])
## address.h (module 'network'): uint32_t ns3::Address::CopyAllTo(uint8_t * buffer, uint8_t len) const [member function]
cls.add_method('CopyAllTo',
'uint32_t',
[param('uint8_t *', 'buffer'), param('uint8_t', 'len')],
is_const=True)
## address.h (module 'network'): uint32_t ns3::Address::CopyFrom(uint8_t const * buffer, uint8_t len) [member function]
cls.add_method('CopyFrom',
'uint32_t',
[param('uint8_t const *', 'buffer'), param('uint8_t', 'len')])
## address.h (module 'network'): uint32_t ns3::Address::CopyTo(uint8_t * buffer) const [member function]
cls.add_method('CopyTo',
'uint32_t',
[param('uint8_t *', 'buffer')],
is_const=True)
## address.h (module 'network'): void ns3::Address::Deserialize(ns3::TagBuffer buffer) [member function]
cls.add_method('Deserialize',
'void',
[param('ns3::TagBuffer', 'buffer')])
## address.h (module 'network'): uint8_t ns3::Address::GetLength() const [member function]
cls.add_method('GetLength',
'uint8_t',
[],
is_const=True)
## address.h (module 'network'): uint32_t ns3::Address::GetSerializedSize() const [member function]
cls.add_method('GetSerializedSize',
'uint32_t',
[],
is_const=True)
## address.h (module 'network'): bool ns3::Address::IsInvalid() const [member function]
cls.add_method('IsInvalid',
'bool',
[],
is_const=True)
## address.h (module 'network'): bool ns3::Address::IsMatchingType(uint8_t type) const [member function]
cls.add_method('IsMatchingType',
'bool',
[param('uint8_t', 'type')],
is_const=True)
## address.h (module 'network'): static uint8_t ns3::Address::Register() [member function]
cls.add_method('Register',
'uint8_t',
[],
is_static=True)
## address.h (module 'network'): void ns3::Address::Serialize(ns3::TagBuffer buffer) const [member function]
cls.add_method('Serialize',
'void',
[param('ns3::TagBuffer', 'buffer')],
is_const=True)
return
def register_Ns3AsciiTraceHelper_methods(root_module, cls):
## trace-helper.h (module 'network'): ns3::AsciiTraceHelper::AsciiTraceHelper(ns3::AsciiTraceHelper const & arg0) [copy constructor]
cls.add_constructor([param('ns3::AsciiTraceHelper const &', 'arg0')])
## trace-helper.h (module 'network'): ns3::AsciiTraceHelper::AsciiTraceHelper() [constructor]
cls.add_constructor([])
## trace-helper.h (module 'network'): ns3::Ptr<ns3::OutputStreamWrapper> ns3::AsciiTraceHelper::CreateFileStream(std::string filename, std::_Ios_Openmode filemode=std::ios_base::out) [member function]
cls.add_method('CreateFileStream',
'ns3::Ptr< ns3::OutputStreamWrapper >',
[param('std::string', 'filename'), param('std::_Ios_Openmode', 'filemode', default_value='std::ios_base::out')])
## trace-helper.h (module 'network'): static void ns3::AsciiTraceHelper::DefaultDequeueSinkWithContext(ns3::Ptr<ns3::OutputStreamWrapper> file, std::string context, ns3::Ptr<const ns3::Packet> p) [member function]
cls.add_method('DefaultDequeueSinkWithContext',
'void',
[param('ns3::Ptr< ns3::OutputStreamWrapper >', 'file'), param('std::string', 'context'), param('ns3::Ptr< ns3::Packet const >', 'p')],
is_static=True)
## trace-helper.h (module 'network'): static void ns3::AsciiTraceHelper::DefaultDequeueSinkWithoutContext(ns3::Ptr<ns3::OutputStreamWrapper> file, ns3::Ptr<const ns3::Packet> p) [member function]
cls.add_method('DefaultDequeueSinkWithoutContext',
'void',
[param('ns3::Ptr< ns3::OutputStreamWrapper >', 'file'), param('ns3::Ptr< ns3::Packet const >', 'p')],
is_static=True)
## trace-helper.h (module 'network'): static void ns3::AsciiTraceHelper::DefaultDropSinkWithContext(ns3::Ptr<ns3::OutputStreamWrapper> file, std::string context, ns3::Ptr<const ns3::Packet> p) [member function]
cls.add_method('DefaultDropSinkWithContext',
'void',
[param('ns3::Ptr< ns3::OutputStreamWrapper >', 'file'), param('std::string', 'context'), param('ns3::Ptr< ns3::Packet const >', 'p')],
is_static=True)
## trace-helper.h (module 'network'): static void ns3::AsciiTraceHelper::DefaultDropSinkWithoutContext(ns3::Ptr<ns3::OutputStreamWrapper> file, ns3::Ptr<const ns3::Packet> p) [member function]
cls.add_method('DefaultDropSinkWithoutContext',
'void',
[param('ns3::Ptr< ns3::OutputStreamWrapper >', 'file'), param('ns3::Ptr< ns3::Packet const >', 'p')],
is_static=True)
## trace-helper.h (module 'network'): static void ns3::AsciiTraceHelper::DefaultEnqueueSinkWithContext(ns3::Ptr<ns3::OutputStreamWrapper> file, std::string context, ns3::Ptr<const ns3::Packet> p) [member function]
cls.add_method('DefaultEnqueueSinkWithContext',
'void',
[param('ns3::Ptr< ns3::OutputStreamWrapper >', 'file'), param('std::string', 'context'), param('ns3::Ptr< ns3::Packet const >', 'p')],
is_static=True)
## trace-helper.h (module 'network'): static void ns3::AsciiTraceHelper::DefaultEnqueueSinkWithoutContext(ns3::Ptr<ns3::OutputStreamWrapper> file, ns3::Ptr<const ns3::Packet> p) [member function]
cls.add_method('DefaultEnqueueSinkWithoutContext',
'void',
[param('ns3::Ptr< ns3::OutputStreamWrapper >', 'file'), param('ns3::Ptr< ns3::Packet const >', 'p')],
is_static=True)
## trace-helper.h (module 'network'): static void ns3::AsciiTraceHelper::DefaultReceiveSinkWithContext(ns3::Ptr<ns3::OutputStreamWrapper> file, std::string context, ns3::Ptr<const ns3::Packet> p) [member function]
cls.add_method('DefaultReceiveSinkWithContext',
'void',
[param('ns3::Ptr< ns3::OutputStreamWrapper >', 'file'), param('std::string', 'context'), param('ns3::Ptr< ns3::Packet const >', 'p')],
is_static=True)
## trace-helper.h (module 'network'): static void ns3::AsciiTraceHelper::DefaultReceiveSinkWithoutContext(ns3::Ptr<ns3::OutputStreamWrapper> file, ns3::Ptr<const ns3::Packet> p) [member function]
cls.add_method('DefaultReceiveSinkWithoutContext',
'void',
[param('ns3::Ptr< ns3::OutputStreamWrapper >', 'file'), param('ns3::Ptr< ns3::Packet const >', 'p')],
is_static=True)
## trace-helper.h (module 'network'): std::string ns3::AsciiTraceHelper::GetFilenameFromDevice(std::string prefix, ns3::Ptr<ns3::NetDevice> device, bool useObjectNames=true) [member function]
cls.add_method('GetFilenameFromDevice',
'std::string',
[param('std::string', 'prefix'), param('ns3::Ptr< ns3::NetDevice >', 'device'), param('bool', 'useObjectNames', default_value='true')])
## trace-helper.h (module 'network'): std::string ns3::AsciiTraceHelper::GetFilenameFromInterfacePair(std::string prefix, ns3::Ptr<ns3::Object> object, uint32_t interface, bool useObjectNames=true) [member function]
cls.add_method('GetFilenameFromInterfacePair',
'std::string',
[param('std::string', 'prefix'), param('ns3::Ptr< ns3::Object >', 'object'), param('uint32_t', 'interface'), param('bool', 'useObjectNames', default_value='true')])
return
def register_Ns3AsciiTraceHelperForDevice_methods(root_module, cls):
## trace-helper.h (module 'network'): ns3::AsciiTraceHelperForDevice::AsciiTraceHelperForDevice(ns3::AsciiTraceHelperForDevice const & arg0) [copy constructor]
cls.add_constructor([param('ns3::AsciiTraceHelperForDevice const &', 'arg0')])
## trace-helper.h (module 'network'): ns3::AsciiTraceHelperForDevice::AsciiTraceHelperForDevice() [constructor]
cls.add_constructor([])
## trace-helper.h (module 'network'): void ns3::AsciiTraceHelperForDevice::EnableAscii(std::string prefix, ns3::Ptr<ns3::NetDevice> nd, bool explicitFilename=false) [member function]
cls.add_method('EnableAscii',
'void',
[param('std::string', 'prefix'), param('ns3::Ptr< ns3::NetDevice >', 'nd'), param('bool', 'explicitFilename', default_value='false')])
## trace-helper.h (module 'network'): void ns3::AsciiTraceHelperForDevice::EnableAscii(ns3::Ptr<ns3::OutputStreamWrapper> stream, ns3::Ptr<ns3::NetDevice> nd) [member function]
cls.add_method('EnableAscii',
'void',
[param('ns3::Ptr< ns3::OutputStreamWrapper >', 'stream'), param('ns3::Ptr< ns3::NetDevice >', 'nd')])
## trace-helper.h (module 'network'): void ns3::AsciiTraceHelperForDevice::EnableAscii(std::string prefix, std::string ndName, bool explicitFilename=false) [member function]
cls.add_method('EnableAscii',
'void',
[param('std::string', 'prefix'), param('std::string', 'ndName'), param('bool', 'explicitFilename', default_value='false')])
## trace-helper.h (module 'network'): void ns3::AsciiTraceHelperForDevice::EnableAscii(ns3::Ptr<ns3::OutputStreamWrapper> stream, std::string ndName) [member function]
cls.add_method('EnableAscii',
'void',
[param('ns3::Ptr< ns3::OutputStreamWrapper >', 'stream'), param('std::string', 'ndName')])
## trace-helper.h (module 'network'): void ns3::AsciiTraceHelperForDevice::EnableAscii(std::string prefix, ns3::NetDeviceContainer d) [member function]
cls.add_method('EnableAscii',
'void',
[param('std::string', 'prefix'), param('ns3::NetDeviceContainer', 'd')])
## trace-helper.h (module 'network'): void ns3::AsciiTraceHelperForDevice::EnableAscii(ns3::Ptr<ns3::OutputStreamWrapper> stream, ns3::NetDeviceContainer d) [member function]
cls.add_method('EnableAscii',
'void',
[param('ns3::Ptr< ns3::OutputStreamWrapper >', 'stream'), param('ns3::NetDeviceContainer', 'd')])
## trace-helper.h (module 'network'): void ns3::AsciiTraceHelperForDevice::EnableAscii(std::string prefix, ns3::NodeContainer n) [member function]
cls.add_method('EnableAscii',
'void',
[param('std::string', 'prefix'), param('ns3::NodeContainer', 'n')])
## trace-helper.h (module 'network'): void ns3::AsciiTraceHelperForDevice::EnableAscii(ns3::Ptr<ns3::OutputStreamWrapper> stream, ns3::NodeContainer n) [member function]
cls.add_method('EnableAscii',
'void',
[param('ns3::Ptr< ns3::OutputStreamWrapper >', 'stream'), param('ns3::NodeContainer', 'n')])
## trace-helper.h (module 'network'): void ns3::AsciiTraceHelperForDevice::EnableAscii(std::string prefix, uint32_t nodeid, uint32_t deviceid, bool explicitFilename) [member function]
cls.add_method('EnableAscii',
'void',
[param('std::string', 'prefix'), param('uint32_t', 'nodeid'), param('uint32_t', 'deviceid'), param('bool', 'explicitFilename')])
## trace-helper.h (module 'network'): void ns3::AsciiTraceHelperForDevice::EnableAscii(ns3::Ptr<ns3::OutputStreamWrapper> stream, uint32_t nodeid, uint32_t deviceid) [member function]
cls.add_method('EnableAscii',
'void',
[param('ns3::Ptr< ns3::OutputStreamWrapper >', 'stream'), param('uint32_t', 'nodeid'), param('uint32_t', 'deviceid')])
## trace-helper.h (module 'network'): void ns3::AsciiTraceHelperForDevice::EnableAsciiAll(std::string prefix) [member function]
cls.add_method('EnableAsciiAll',
'void',
[param('std::string', 'prefix')])
## trace-helper.h (module 'network'): void ns3::AsciiTraceHelperForDevice::EnableAsciiAll(ns3::Ptr<ns3::OutputStreamWrapper> stream) [member function]
cls.add_method('EnableAsciiAll',
'void',
[param('ns3::Ptr< ns3::OutputStreamWrapper >', 'stream')])
## trace-helper.h (module 'network'): void ns3::AsciiTraceHelperForDevice::EnableAsciiInternal(ns3::Ptr<ns3::OutputStreamWrapper> stream, std::string prefix, ns3::Ptr<ns3::NetDevice> nd, bool explicitFilename) [member function]
cls.add_method('EnableAsciiInternal',
'void',
[param('ns3::Ptr< ns3::OutputStreamWrapper >', 'stream'), param('std::string', 'prefix'), param('ns3::Ptr< ns3::NetDevice >', 'nd'), param('bool', 'explicitFilename')],
is_pure_virtual=True, is_virtual=True)
return
def register_Ns3AttributeConstructionList_methods(root_module, cls):
## attribute-construction-list.h (module 'core'): ns3::AttributeConstructionList::AttributeConstructionList(ns3::AttributeConstructionList const & arg0) [copy constructor]
cls.add_constructor([param('ns3::AttributeConstructionList const &', 'arg0')])
## attribute-construction-list.h (module 'core'): ns3::AttributeConstructionList::AttributeConstructionList() [constructor]
cls.add_constructor([])
## attribute-construction-list.h (module 'core'): void ns3::AttributeConstructionList::Add(std::string name, ns3::Ptr<ns3::AttributeChecker const> checker, ns3::Ptr<ns3::AttributeValue> value) [member function]
cls.add_method('Add',
'void',
[param('std::string', 'name'), param('ns3::Ptr< ns3::AttributeChecker const >', 'checker'), param('ns3::Ptr< ns3::AttributeValue >', 'value')])
## attribute-construction-list.h (module 'core'): std::_List_const_iterator<ns3::AttributeConstructionList::Item> ns3::AttributeConstructionList::Begin() const [member function]
cls.add_method('Begin',
'std::_List_const_iterator< ns3::AttributeConstructionList::Item >',
[],
is_const=True)
## attribute-construction-list.h (module 'core'): std::_List_const_iterator<ns3::AttributeConstructionList::Item> ns3::AttributeConstructionList::End() const [member function]
cls.add_method('End',
'std::_List_const_iterator< ns3::AttributeConstructionList::Item >',
[],
is_const=True)
## attribute-construction-list.h (module 'core'): ns3::Ptr<ns3::AttributeValue> ns3::AttributeConstructionList::Find(ns3::Ptr<ns3::AttributeChecker const> checker) const [member function]
cls.add_method('Find',
'ns3::Ptr< ns3::AttributeValue >',
[param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_const=True)
return
def register_Ns3AttributeConstructionListItem_methods(root_module, cls):
## attribute-construction-list.h (module 'core'): ns3::AttributeConstructionList::Item::Item() [constructor]
cls.add_constructor([])
## attribute-construction-list.h (module 'core'): ns3::AttributeConstructionList::Item::Item(ns3::AttributeConstructionList::Item const & arg0) [copy constructor]
cls.add_constructor([param('ns3::AttributeConstructionList::Item const &', 'arg0')])
## attribute-construction-list.h (module 'core'): ns3::AttributeConstructionList::Item::checker [variable]
cls.add_instance_attribute('checker', 'ns3::Ptr< ns3::AttributeChecker const >', is_const=False)
## attribute-construction-list.h (module 'core'): ns3::AttributeConstructionList::Item::name [variable]
cls.add_instance_attribute('name', 'std::string', is_const=False)
## attribute-construction-list.h (module 'core'): ns3::AttributeConstructionList::Item::value [variable]
cls.add_instance_attribute('value', 'ns3::Ptr< ns3::AttributeValue >', is_const=False)
return
def register_Ns3Buffer_methods(root_module, cls):
## buffer.h (module 'network'): ns3::Buffer::Buffer() [constructor]
cls.add_constructor([])
## buffer.h (module 'network'): ns3::Buffer::Buffer(uint32_t dataSize) [constructor]
cls.add_constructor([param('uint32_t', 'dataSize')])
## buffer.h (module 'network'): ns3::Buffer::Buffer(uint32_t dataSize, bool initialize) [constructor]
cls.add_constructor([param('uint32_t', 'dataSize'), param('bool', 'initialize')])
## buffer.h (module 'network'): ns3::Buffer::Buffer(ns3::Buffer const & o) [copy constructor]
cls.add_constructor([param('ns3::Buffer const &', 'o')])
## buffer.h (module 'network'): bool ns3::Buffer::AddAtEnd(uint32_t end) [member function]
cls.add_method('AddAtEnd',
'bool',
[param('uint32_t', 'end')])
## buffer.h (module 'network'): void ns3::Buffer::AddAtEnd(ns3::Buffer const & o) [member function]
cls.add_method('AddAtEnd',
'void',
[param('ns3::Buffer const &', 'o')])
## buffer.h (module 'network'): bool ns3::Buffer::AddAtStart(uint32_t start) [member function]
cls.add_method('AddAtStart',
'bool',
[param('uint32_t', 'start')])
## buffer.h (module 'network'): ns3::Buffer::Iterator ns3::Buffer::Begin() const [member function]
cls.add_method('Begin',
'ns3::Buffer::Iterator',
[],
is_const=True)
## buffer.h (module 'network'): void ns3::Buffer::CopyData(std::ostream * os, uint32_t size) const [member function]
cls.add_method('CopyData',
'void',
[param('std::ostream *', 'os'), param('uint32_t', 'size')],
is_const=True)
## buffer.h (module 'network'): uint32_t ns3::Buffer::CopyData(uint8_t * buffer, uint32_t size) const [member function]
cls.add_method('CopyData',
'uint32_t',
[param('uint8_t *', 'buffer'), param('uint32_t', 'size')],
is_const=True)
## buffer.h (module 'network'): ns3::Buffer ns3::Buffer::CreateFragment(uint32_t start, uint32_t length) const [member function]
cls.add_method('CreateFragment',
'ns3::Buffer',
[param('uint32_t', 'start'), param('uint32_t', 'length')],
is_const=True)
## buffer.h (module 'network'): ns3::Buffer ns3::Buffer::CreateFullCopy() const [member function]
cls.add_method('CreateFullCopy',
'ns3::Buffer',
[],
is_const=True)
## buffer.h (module 'network'): uint32_t ns3::Buffer::Deserialize(uint8_t const * buffer, uint32_t size) [member function]
cls.add_method('Deserialize',
'uint32_t',
[param('uint8_t const *', 'buffer'), param('uint32_t', 'size')])
## buffer.h (module 'network'): ns3::Buffer::Iterator ns3::Buffer::End() const [member function]
cls.add_method('End',
'ns3::Buffer::Iterator',
[],
is_const=True)
## buffer.h (module 'network'): int32_t ns3::Buffer::GetCurrentEndOffset() const [member function]
cls.add_method('GetCurrentEndOffset',
'int32_t',
[],
is_const=True)
## buffer.h (module 'network'): int32_t ns3::Buffer::GetCurrentStartOffset() const [member function]
cls.add_method('GetCurrentStartOffset',
'int32_t',
[],
is_const=True)
## buffer.h (module 'network'): uint32_t ns3::Buffer::GetSerializedSize() const [member function]
cls.add_method('GetSerializedSize',
'uint32_t',
[],
is_const=True)
## buffer.h (module 'network'): uint32_t ns3::Buffer::GetSize() const [member function]
cls.add_method('GetSize',
'uint32_t',
[],
is_const=True)
## buffer.h (module 'network'): uint8_t const * ns3::Buffer::PeekData() const [member function]
cls.add_method('PeekData',
'uint8_t const *',
[],
is_const=True)
## buffer.h (module 'network'): void ns3::Buffer::RemoveAtEnd(uint32_t end) [member function]
cls.add_method('RemoveAtEnd',
'void',
[param('uint32_t', 'end')])
## buffer.h (module 'network'): void ns3::Buffer::RemoveAtStart(uint32_t start) [member function]
cls.add_method('RemoveAtStart',
'void',
[param('uint32_t', 'start')])
## buffer.h (module 'network'): uint32_t ns3::Buffer::Serialize(uint8_t * buffer, uint32_t maxSize) const [member function]
cls.add_method('Serialize',
'uint32_t',
[param('uint8_t *', 'buffer'), param('uint32_t', 'maxSize')],
is_const=True)
return
def register_Ns3BufferIterator_methods(root_module, cls):
## buffer.h (module 'network'): ns3::Buffer::Iterator::Iterator(ns3::Buffer::Iterator const & arg0) [copy constructor]
cls.add_constructor([param('ns3::Buffer::Iterator const &', 'arg0')])
## buffer.h (module 'network'): ns3::Buffer::Iterator::Iterator() [constructor]
cls.add_constructor([])
## buffer.h (module 'network'): uint16_t ns3::Buffer::Iterator::CalculateIpChecksum(uint16_t size) [member function]
cls.add_method('CalculateIpChecksum',
'uint16_t',
[param('uint16_t', 'size')])
## buffer.h (module 'network'): uint16_t ns3::Buffer::Iterator::CalculateIpChecksum(uint16_t size, uint32_t initialChecksum) [member function]
cls.add_method('CalculateIpChecksum',
'uint16_t',
[param('uint16_t', 'size'), param('uint32_t', 'initialChecksum')])
## buffer.h (module 'network'): uint32_t ns3::Buffer::Iterator::GetDistanceFrom(ns3::Buffer::Iterator const & o) const [member function]
cls.add_method('GetDistanceFrom',
'uint32_t',
[param('ns3::Buffer::Iterator const &', 'o')],
is_const=True)
## buffer.h (module 'network'): uint32_t ns3::Buffer::Iterator::GetSize() const [member function]
cls.add_method('GetSize',
'uint32_t',
[],
is_const=True)
## buffer.h (module 'network'): bool ns3::Buffer::Iterator::IsEnd() const [member function]
cls.add_method('IsEnd',
'bool',
[],
is_const=True)
## buffer.h (module 'network'): bool ns3::Buffer::Iterator::IsStart() const [member function]
cls.add_method('IsStart',
'bool',
[],
is_const=True)
## buffer.h (module 'network'): void ns3::Buffer::Iterator::Next() [member function]
cls.add_method('Next',
'void',
[])
## buffer.h (module 'network'): void ns3::Buffer::Iterator::Next(uint32_t delta) [member function]
cls.add_method('Next',
'void',
[param('uint32_t', 'delta')])
## buffer.h (module 'network'): void ns3::Buffer::Iterator::Prev() [member function]
cls.add_method('Prev',
'void',
[])
## buffer.h (module 'network'): void ns3::Buffer::Iterator::Prev(uint32_t delta) [member function]
cls.add_method('Prev',
'void',
[param('uint32_t', 'delta')])
## buffer.h (module 'network'): void ns3::Buffer::Iterator::Read(uint8_t * buffer, uint32_t size) [member function]
cls.add_method('Read',
'void',
[param('uint8_t *', 'buffer'), param('uint32_t', 'size')])
## buffer.h (module 'network'): uint16_t ns3::Buffer::Iterator::ReadLsbtohU16() [member function]
cls.add_method('ReadLsbtohU16',
'uint16_t',
[])
## buffer.h (module 'network'): uint32_t ns3::Buffer::Iterator::ReadLsbtohU32() [member function]
cls.add_method('ReadLsbtohU32',
'uint32_t',
[])
## buffer.h (module 'network'): uint64_t ns3::Buffer::Iterator::ReadLsbtohU64() [member function]
cls.add_method('ReadLsbtohU64',
'uint64_t',
[])
## buffer.h (module 'network'): uint16_t ns3::Buffer::Iterator::ReadNtohU16() [member function]
cls.add_method('ReadNtohU16',
'uint16_t',
[])
## buffer.h (module 'network'): uint32_t ns3::Buffer::Iterator::ReadNtohU32() [member function]
cls.add_method('ReadNtohU32',
'uint32_t',
[])
## buffer.h (module 'network'): uint64_t ns3::Buffer::Iterator::ReadNtohU64() [member function]
cls.add_method('ReadNtohU64',
'uint64_t',
[])
## buffer.h (module 'network'): uint16_t ns3::Buffer::Iterator::ReadU16() [member function]
cls.add_method('ReadU16',
'uint16_t',
[])
## buffer.h (module 'network'): uint32_t ns3::Buffer::Iterator::ReadU32() [member function]
cls.add_method('ReadU32',
'uint32_t',
[])
## buffer.h (module 'network'): uint64_t ns3::Buffer::Iterator::ReadU64() [member function]
cls.add_method('ReadU64',
'uint64_t',
[])
## buffer.h (module 'network'): uint8_t ns3::Buffer::Iterator::ReadU8() [member function]
cls.add_method('ReadU8',
'uint8_t',
[])
## buffer.h (module 'network'): void ns3::Buffer::Iterator::Write(uint8_t const * buffer, uint32_t size) [member function]
cls.add_method('Write',
'void',
[param('uint8_t const *', 'buffer'), param('uint32_t', 'size')])
## buffer.h (module 'network'): void ns3::Buffer::Iterator::Write(ns3::Buffer::Iterator start, ns3::Buffer::Iterator end) [member function]
cls.add_method('Write',
'void',
[param('ns3::Buffer::Iterator', 'start'), param('ns3::Buffer::Iterator', 'end')])
## buffer.h (module 'network'): void ns3::Buffer::Iterator::WriteHtolsbU16(uint16_t data) [member function]
cls.add_method('WriteHtolsbU16',
'void',
[param('uint16_t', 'data')])
## buffer.h (module 'network'): void ns3::Buffer::Iterator::WriteHtolsbU32(uint32_t data) [member function]
cls.add_method('WriteHtolsbU32',
'void',
[param('uint32_t', 'data')])
## buffer.h (module 'network'): void ns3::Buffer::Iterator::WriteHtolsbU64(uint64_t data) [member function]
cls.add_method('WriteHtolsbU64',
'void',
[param('uint64_t', 'data')])
## buffer.h (module 'network'): void ns3::Buffer::Iterator::WriteHtonU16(uint16_t data) [member function]
cls.add_method('WriteHtonU16',
'void',
[param('uint16_t', 'data')])
## buffer.h (module 'network'): void ns3::Buffer::Iterator::WriteHtonU32(uint32_t data) [member function]
cls.add_method('WriteHtonU32',
'void',
[param('uint32_t', 'data')])
## buffer.h (module 'network'): void ns3::Buffer::Iterator::WriteHtonU64(uint64_t data) [member function]
cls.add_method('WriteHtonU64',
'void',
[param('uint64_t', 'data')])
## buffer.h (module 'network'): void ns3::Buffer::Iterator::WriteU16(uint16_t data) [member function]
cls.add_method('WriteU16',
'void',
[param('uint16_t', 'data')])
## buffer.h (module 'network'): void ns3::Buffer::Iterator::WriteU32(uint32_t data) [member function]
cls.add_method('WriteU32',
'void',
[param('uint32_t', 'data')])
## buffer.h (module 'network'): void ns3::Buffer::Iterator::WriteU64(uint64_t data) [member function]
cls.add_method('WriteU64',
'void',
[param('uint64_t', 'data')])
## buffer.h (module 'network'): void ns3::Buffer::Iterator::WriteU8(uint8_t data) [member function]
cls.add_method('WriteU8',
'void',
[param('uint8_t', 'data')])
## buffer.h (module 'network'): void ns3::Buffer::Iterator::WriteU8(uint8_t data, uint32_t len) [member function]
cls.add_method('WriteU8',
'void',
[param('uint8_t', 'data'), param('uint32_t', 'len')])
return
def register_Ns3ByteTagIterator_methods(root_module, cls):
## packet.h (module 'network'): ns3::ByteTagIterator::ByteTagIterator(ns3::ByteTagIterator const & arg0) [copy constructor]
cls.add_constructor([param('ns3::ByteTagIterator const &', 'arg0')])
## packet.h (module 'network'): bool ns3::ByteTagIterator::HasNext() const [member function]
cls.add_method('HasNext',
'bool',
[],
is_const=True)
## packet.h (module 'network'): ns3::ByteTagIterator::Item ns3::ByteTagIterator::Next() [member function]
cls.add_method('Next',
'ns3::ByteTagIterator::Item',
[])
return
def register_Ns3ByteTagIteratorItem_methods(root_module, cls):
## packet.h (module 'network'): ns3::ByteTagIterator::Item::Item(ns3::ByteTagIterator::Item const & arg0) [copy constructor]
cls.add_constructor([param('ns3::ByteTagIterator::Item const &', 'arg0')])
## packet.h (module 'network'): uint32_t ns3::ByteTagIterator::Item::GetEnd() const [member function]
cls.add_method('GetEnd',
'uint32_t',
[],
is_const=True)
## packet.h (module 'network'): uint32_t ns3::ByteTagIterator::Item::GetStart() const [member function]
cls.add_method('GetStart',
'uint32_t',
[],
is_const=True)
## packet.h (module 'network'): void ns3::ByteTagIterator::Item::GetTag(ns3::Tag & tag) const [member function]
cls.add_method('GetTag',
'void',
[param('ns3::Tag &', 'tag')],
is_const=True)
## packet.h (module 'network'): ns3::TypeId ns3::ByteTagIterator::Item::GetTypeId() const [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_const=True)
return
def register_Ns3ByteTagList_methods(root_module, cls):
## byte-tag-list.h (module 'network'): ns3::ByteTagList::ByteTagList() [constructor]
cls.add_constructor([])
## byte-tag-list.h (module 'network'): ns3::ByteTagList::ByteTagList(ns3::ByteTagList const & o) [copy constructor]
cls.add_constructor([param('ns3::ByteTagList const &', 'o')])
## byte-tag-list.h (module 'network'): ns3::TagBuffer ns3::ByteTagList::Add(ns3::TypeId tid, uint32_t bufferSize, int32_t start, int32_t end) [member function]
cls.add_method('Add',
'ns3::TagBuffer',
[param('ns3::TypeId', 'tid'), param('uint32_t', 'bufferSize'), param('int32_t', 'start'), param('int32_t', 'end')])
## byte-tag-list.h (module 'network'): void ns3::ByteTagList::Add(ns3::ByteTagList const & o) [member function]
cls.add_method('Add',
'void',
[param('ns3::ByteTagList const &', 'o')])
## byte-tag-list.h (module 'network'): void ns3::ByteTagList::AddAtEnd(int32_t adjustment, int32_t appendOffset) [member function]
cls.add_method('AddAtEnd',
'void',
[param('int32_t', 'adjustment'), param('int32_t', 'appendOffset')])
## byte-tag-list.h (module 'network'): void ns3::ByteTagList::AddAtStart(int32_t adjustment, int32_t prependOffset) [member function]
cls.add_method('AddAtStart',
'void',
[param('int32_t', 'adjustment'), param('int32_t', 'prependOffset')])
## byte-tag-list.h (module 'network'): ns3::ByteTagList::Iterator ns3::ByteTagList::Begin(int32_t offsetStart, int32_t offsetEnd) const [member function]
cls.add_method('Begin',
'ns3::ByteTagList::Iterator',
[param('int32_t', 'offsetStart'), param('int32_t', 'offsetEnd')],
is_const=True)
## byte-tag-list.h (module 'network'): void ns3::ByteTagList::RemoveAll() [member function]
cls.add_method('RemoveAll',
'void',
[])
return
def register_Ns3ByteTagListIterator_methods(root_module, cls):
## byte-tag-list.h (module 'network'): ns3::ByteTagList::Iterator::Iterator(ns3::ByteTagList::Iterator const & arg0) [copy constructor]
cls.add_constructor([param('ns3::ByteTagList::Iterator const &', 'arg0')])
## byte-tag-list.h (module 'network'): uint32_t ns3::ByteTagList::Iterator::GetOffsetStart() const [member function]
cls.add_method('GetOffsetStart',
'uint32_t',
[],
is_const=True)
## byte-tag-list.h (module 'network'): bool ns3::ByteTagList::Iterator::HasNext() const [member function]
cls.add_method('HasNext',
'bool',
[],
is_const=True)
## byte-tag-list.h (module 'network'): ns3::ByteTagList::Iterator::Item ns3::ByteTagList::Iterator::Next() [member function]
cls.add_method('Next',
'ns3::ByteTagList::Iterator::Item',
[])
return
def register_Ns3ByteTagListIteratorItem_methods(root_module, cls):
## byte-tag-list.h (module 'network'): ns3::ByteTagList::Iterator::Item::Item(ns3::ByteTagList::Iterator::Item const & arg0) [copy constructor]
cls.add_constructor([param('ns3::ByteTagList::Iterator::Item const &', 'arg0')])
## byte-tag-list.h (module 'network'): ns3::ByteTagList::Iterator::Item::Item(ns3::TagBuffer buf) [constructor]
cls.add_constructor([param('ns3::TagBuffer', 'buf')])
## byte-tag-list.h (module 'network'): ns3::ByteTagList::Iterator::Item::buf [variable]
cls.add_instance_attribute('buf', 'ns3::TagBuffer', is_const=False)
## byte-tag-list.h (module 'network'): ns3::ByteTagList::Iterator::Item::end [variable]
cls.add_instance_attribute('end', 'int32_t', is_const=False)
## byte-tag-list.h (module 'network'): ns3::ByteTagList::Iterator::Item::size [variable]
cls.add_instance_attribute('size', 'uint32_t', is_const=False)
## byte-tag-list.h (module 'network'): ns3::ByteTagList::Iterator::Item::start [variable]
cls.add_instance_attribute('start', 'int32_t', is_const=False)
## byte-tag-list.h (module 'network'): ns3::ByteTagList::Iterator::Item::tid [variable]
cls.add_instance_attribute('tid', 'ns3::TypeId', is_const=False)
return
def register_Ns3CallbackBase_methods(root_module, cls):
## callback.h (module 'core'): ns3::CallbackBase::CallbackBase(ns3::CallbackBase const & arg0) [copy constructor]
cls.add_constructor([param('ns3::CallbackBase const &', 'arg0')])
## callback.h (module 'core'): ns3::CallbackBase::CallbackBase() [constructor]
cls.add_constructor([])
## callback.h (module 'core'): ns3::Ptr<ns3::CallbackImplBase> ns3::CallbackBase::GetImpl() const [member function]
cls.add_method('GetImpl',
'ns3::Ptr< ns3::CallbackImplBase >',
[],
is_const=True)
## callback.h (module 'core'): ns3::CallbackBase::CallbackBase(ns3::Ptr<ns3::CallbackImplBase> impl) [constructor]
cls.add_constructor([param('ns3::Ptr< ns3::CallbackImplBase >', 'impl')],
visibility='protected')
## callback.h (module 'core'): static std::string ns3::CallbackBase::Demangle(std::string const & mangled) [member function]
cls.add_method('Demangle',
'std::string',
[param('std::string const &', 'mangled')],
is_static=True, visibility='protected')
return
def register_Ns3DataRate_methods(root_module, cls):
cls.add_output_stream_operator()
cls.add_binary_comparison_operator('!=')
cls.add_binary_comparison_operator('<')
cls.add_binary_comparison_operator('<=')
cls.add_binary_comparison_operator('==')
cls.add_binary_comparison_operator('>')
cls.add_binary_comparison_operator('>=')
## data-rate.h (module 'network'): ns3::DataRate::DataRate(ns3::DataRate const & arg0) [copy constructor]
cls.add_constructor([param('ns3::DataRate const &', 'arg0')])
## data-rate.h (module 'network'): ns3::DataRate::DataRate() [constructor]
cls.add_constructor([])
## data-rate.h (module 'network'): ns3::DataRate::DataRate(uint64_t bps) [constructor]
cls.add_constructor([param('uint64_t', 'bps')])
## data-rate.h (module 'network'): ns3::DataRate::DataRate(std::string rate) [constructor]
cls.add_constructor([param('std::string', 'rate')])
## data-rate.h (module 'network'): double ns3::DataRate::CalculateTxTime(uint32_t bytes) const [member function]
cls.add_method('CalculateTxTime',
'double',
[param('uint32_t', 'bytes')],
is_const=True)
## data-rate.h (module 'network'): uint64_t ns3::DataRate::GetBitRate() const [member function]
cls.add_method('GetBitRate',
'uint64_t',
[],
is_const=True)
return
def register_Ns3EventId_methods(root_module, cls):
cls.add_binary_comparison_operator('!=')
cls.add_binary_comparison_operator('==')
## event-id.h (module 'core'): ns3::EventId::EventId(ns3::EventId const & arg0) [copy constructor]
cls.add_constructor([param('ns3::EventId const &', 'arg0')])
## event-id.h (module 'core'): ns3::EventId::EventId() [constructor]
cls.add_constructor([])
## event-id.h (module 'core'): ns3::EventId::EventId(ns3::Ptr<ns3::EventImpl> const & impl, uint64_t ts, uint32_t context, uint32_t uid) [constructor]
cls.add_constructor([param('ns3::Ptr< ns3::EventImpl > const &', 'impl'), param('uint64_t', 'ts'), param('uint32_t', 'context'), param('uint32_t', 'uid')])
## event-id.h (module 'core'): void ns3::EventId::Cancel() [member function]
cls.add_method('Cancel',
'void',
[])
## event-id.h (module 'core'): uint32_t ns3::EventId::GetContext() const [member function]
cls.add_method('GetContext',
'uint32_t',
[],
is_const=True)
## event-id.h (module 'core'): uint64_t ns3::EventId::GetTs() const [member function]
cls.add_method('GetTs',
'uint64_t',
[],
is_const=True)
## event-id.h (module 'core'): uint32_t ns3::EventId::GetUid() const [member function]
cls.add_method('GetUid',
'uint32_t',
[],
is_const=True)
## event-id.h (module 'core'): bool ns3::EventId::IsExpired() const [member function]
cls.add_method('IsExpired',
'bool',
[],
is_const=True)
## event-id.h (module 'core'): bool ns3::EventId::IsRunning() const [member function]
cls.add_method('IsRunning',
'bool',
[],
is_const=True)
## event-id.h (module 'core'): ns3::EventImpl * ns3::EventId::PeekEventImpl() const [member function]
cls.add_method('PeekEventImpl',
'ns3::EventImpl *',
[],
is_const=True)
return
def register_Ns3Ipv4Address_methods(root_module, cls):
cls.add_binary_comparison_operator('<')
cls.add_binary_comparison_operator('!=')
cls.add_output_stream_operator()
cls.add_binary_comparison_operator('==')
## ipv4-address.h (module 'network'): ns3::Ipv4Address::Ipv4Address(ns3::Ipv4Address const & arg0) [copy constructor]
cls.add_constructor([param('ns3::Ipv4Address const &', 'arg0')])
## ipv4-address.h (module 'network'): ns3::Ipv4Address::Ipv4Address() [constructor]
cls.add_constructor([])
## ipv4-address.h (module 'network'): ns3::Ipv4Address::Ipv4Address(uint32_t address) [constructor]
cls.add_constructor([param('uint32_t', 'address')])
## ipv4-address.h (module 'network'): ns3::Ipv4Address::Ipv4Address(char const * address) [constructor]
cls.add_constructor([param('char const *', 'address')])
## ipv4-address.h (module 'network'): ns3::Ipv4Address ns3::Ipv4Address::CombineMask(ns3::Ipv4Mask const & mask) const [member function]
cls.add_method('CombineMask',
'ns3::Ipv4Address',
[param('ns3::Ipv4Mask const &', 'mask')],
is_const=True)
## ipv4-address.h (module 'network'): static ns3::Ipv4Address ns3::Ipv4Address::ConvertFrom(ns3::Address const & address) [member function]
cls.add_method('ConvertFrom',
'ns3::Ipv4Address',
[param('ns3::Address const &', 'address')],
is_static=True)
## ipv4-address.h (module 'network'): static ns3::Ipv4Address ns3::Ipv4Address::Deserialize(uint8_t const * buf) [member function]
cls.add_method('Deserialize',
'ns3::Ipv4Address',
[param('uint8_t const *', 'buf')],
is_static=True)
## ipv4-address.h (module 'network'): uint32_t ns3::Ipv4Address::Get() const [member function]
cls.add_method('Get',
'uint32_t',
[],
is_const=True)
## ipv4-address.h (module 'network'): static ns3::Ipv4Address ns3::Ipv4Address::GetAny() [member function]
cls.add_method('GetAny',
'ns3::Ipv4Address',
[],
is_static=True)
## ipv4-address.h (module 'network'): static ns3::Ipv4Address ns3::Ipv4Address::GetBroadcast() [member function]
cls.add_method('GetBroadcast',
'ns3::Ipv4Address',
[],
is_static=True)
## ipv4-address.h (module 'network'): static ns3::Ipv4Address ns3::Ipv4Address::GetLoopback() [member function]
cls.add_method('GetLoopback',
'ns3::Ipv4Address',
[],
is_static=True)
## ipv4-address.h (module 'network'): ns3::Ipv4Address ns3::Ipv4Address::GetSubnetDirectedBroadcast(ns3::Ipv4Mask const & mask) const [member function]
cls.add_method('GetSubnetDirectedBroadcast',
'ns3::Ipv4Address',
[param('ns3::Ipv4Mask const &', 'mask')],
is_const=True)
## ipv4-address.h (module 'network'): static ns3::Ipv4Address ns3::Ipv4Address::GetZero() [member function]
cls.add_method('GetZero',
'ns3::Ipv4Address',
[],
is_static=True)
## ipv4-address.h (module 'network'): bool ns3::Ipv4Address::IsBroadcast() const [member function]
cls.add_method('IsBroadcast',
'bool',
[],
is_const=True)
## ipv4-address.h (module 'network'): bool ns3::Ipv4Address::IsEqual(ns3::Ipv4Address const & other) const [member function]
cls.add_method('IsEqual',
'bool',
[param('ns3::Ipv4Address const &', 'other')],
is_const=True)
## ipv4-address.h (module 'network'): bool ns3::Ipv4Address::IsLocalMulticast() const [member function]
cls.add_method('IsLocalMulticast',
'bool',
[],
is_const=True)
## ipv4-address.h (module 'network'): static bool ns3::Ipv4Address::IsMatchingType(ns3::Address const & address) [member function]
cls.add_method('IsMatchingType',
'bool',
[param('ns3::Address const &', 'address')],
is_static=True)
## ipv4-address.h (module 'network'): bool ns3::Ipv4Address::IsMulticast() const [member function]
cls.add_method('IsMulticast',
'bool',
[],
is_const=True)
## ipv4-address.h (module 'network'): bool ns3::Ipv4Address::IsSubnetDirectedBroadcast(ns3::Ipv4Mask const & mask) const [member function]
cls.add_method('IsSubnetDirectedBroadcast',
'bool',
[param('ns3::Ipv4Mask const &', 'mask')],
is_const=True)
## ipv4-address.h (module 'network'): void ns3::Ipv4Address::Print(std::ostream & os) const [member function]
cls.add_method('Print',
'void',
[param('std::ostream &', 'os')],
is_const=True)
## ipv4-address.h (module 'network'): void ns3::Ipv4Address::Serialize(uint8_t * buf) const [member function]
cls.add_method('Serialize',
'void',
[param('uint8_t *', 'buf')],
is_const=True)
## ipv4-address.h (module 'network'): void ns3::Ipv4Address::Set(uint32_t address) [member function]
cls.add_method('Set',
'void',
[param('uint32_t', 'address')])
## ipv4-address.h (module 'network'): void ns3::Ipv4Address::Set(char const * address) [member function]
cls.add_method('Set',
'void',
[param('char const *', 'address')])
return
def register_Ns3Ipv4Mask_methods(root_module, cls):
cls.add_binary_comparison_operator('!=')
cls.add_output_stream_operator()
cls.add_binary_comparison_operator('==')
## ipv4-address.h (module 'network'): ns3::Ipv4Mask::Ipv4Mask(ns3::Ipv4Mask const & arg0) [copy constructor]
cls.add_constructor([param('ns3::Ipv4Mask const &', 'arg0')])
## ipv4-address.h (module 'network'): ns3::Ipv4Mask::Ipv4Mask() [constructor]
cls.add_constructor([])
## ipv4-address.h (module 'network'): ns3::Ipv4Mask::Ipv4Mask(uint32_t mask) [constructor]
cls.add_constructor([param('uint32_t', 'mask')])
## ipv4-address.h (module 'network'): ns3::Ipv4Mask::Ipv4Mask(char const * mask) [constructor]
cls.add_constructor([param('char const *', 'mask')])
## ipv4-address.h (module 'network'): uint32_t ns3::Ipv4Mask::Get() const [member function]
cls.add_method('Get',
'uint32_t',
[],
is_const=True)
## ipv4-address.h (module 'network'): uint32_t ns3::Ipv4Mask::GetInverse() const [member function]
cls.add_method('GetInverse',
'uint32_t',
[],
is_const=True)
## ipv4-address.h (module 'network'): static ns3::Ipv4Mask ns3::Ipv4Mask::GetLoopback() [member function]
cls.add_method('GetLoopback',
'ns3::Ipv4Mask',
[],
is_static=True)
## ipv4-address.h (module 'network'): static ns3::Ipv4Mask ns3::Ipv4Mask::GetOnes() [member function]
cls.add_method('GetOnes',
'ns3::Ipv4Mask',
[],
is_static=True)
## ipv4-address.h (module 'network'): uint16_t ns3::Ipv4Mask::GetPrefixLength() const [member function]
cls.add_method('GetPrefixLength',
'uint16_t',
[],
is_const=True)
## ipv4-address.h (module 'network'): static ns3::Ipv4Mask ns3::Ipv4Mask::GetZero() [member function]
cls.add_method('GetZero',
'ns3::Ipv4Mask',
[],
is_static=True)
## ipv4-address.h (module 'network'): bool ns3::Ipv4Mask::IsEqual(ns3::Ipv4Mask other) const [member function]
cls.add_method('IsEqual',
'bool',
[param('ns3::Ipv4Mask', 'other')],
is_const=True)
## ipv4-address.h (module 'network'): bool ns3::Ipv4Mask::IsMatch(ns3::Ipv4Address a, ns3::Ipv4Address b) const [member function]
cls.add_method('IsMatch',
'bool',
[param('ns3::Ipv4Address', 'a'), param('ns3::Ipv4Address', 'b')],
is_const=True)
## ipv4-address.h (module 'network'): void ns3::Ipv4Mask::Print(std::ostream & os) const [member function]
cls.add_method('Print',
'void',
[param('std::ostream &', 'os')],
is_const=True)
## ipv4-address.h (module 'network'): void ns3::Ipv4Mask::Set(uint32_t mask) [member function]
cls.add_method('Set',
'void',
[param('uint32_t', 'mask')])
return
def register_Ns3Ipv6Address_methods(root_module, cls):
cls.add_binary_comparison_operator('<')
cls.add_binary_comparison_operator('!=')
cls.add_output_stream_operator()
cls.add_binary_comparison_operator('==')
## ipv6-address.h (module 'network'): ns3::Ipv6Address::Ipv6Address() [constructor]
cls.add_constructor([])
## ipv6-address.h (module 'network'): ns3::Ipv6Address::Ipv6Address(char const * address) [constructor]
cls.add_constructor([param('char const *', 'address')])
## ipv6-address.h (module 'network'): ns3::Ipv6Address::Ipv6Address(uint8_t * address) [constructor]
cls.add_constructor([param('uint8_t *', 'address')])
## ipv6-address.h (module 'network'): ns3::Ipv6Address::Ipv6Address(ns3::Ipv6Address const & addr) [copy constructor]
cls.add_constructor([param('ns3::Ipv6Address const &', 'addr')])
## ipv6-address.h (module 'network'): ns3::Ipv6Address::Ipv6Address(ns3::Ipv6Address const * addr) [constructor]
cls.add_constructor([param('ns3::Ipv6Address const *', 'addr')])
## ipv6-address.h (module 'network'): ns3::Ipv6Address ns3::Ipv6Address::CombinePrefix(ns3::Ipv6Prefix const & prefix) [member function]
cls.add_method('CombinePrefix',
'ns3::Ipv6Address',
[param('ns3::Ipv6Prefix const &', 'prefix')])
## ipv6-address.h (module 'network'): static ns3::Ipv6Address ns3::Ipv6Address::ConvertFrom(ns3::Address const & address) [member function]
cls.add_method('ConvertFrom',
'ns3::Ipv6Address',
[param('ns3::Address const &', 'address')],
is_static=True)
## ipv6-address.h (module 'network'): static ns3::Ipv6Address ns3::Ipv6Address::Deserialize(uint8_t const * buf) [member function]
cls.add_method('Deserialize',
'ns3::Ipv6Address',
[param('uint8_t const *', 'buf')],
is_static=True)
## ipv6-address.h (module 'network'): static ns3::Ipv6Address ns3::Ipv6Address::GetAllHostsMulticast() [member function]
cls.add_method('GetAllHostsMulticast',
'ns3::Ipv6Address',
[],
is_static=True)
## ipv6-address.h (module 'network'): static ns3::Ipv6Address ns3::Ipv6Address::GetAllNodesMulticast() [member function]
cls.add_method('GetAllNodesMulticast',
'ns3::Ipv6Address',
[],
is_static=True)
## ipv6-address.h (module 'network'): static ns3::Ipv6Address ns3::Ipv6Address::GetAllRoutersMulticast() [member function]
cls.add_method('GetAllRoutersMulticast',
'ns3::Ipv6Address',
[],
is_static=True)
## ipv6-address.h (module 'network'): static ns3::Ipv6Address ns3::Ipv6Address::GetAny() [member function]
cls.add_method('GetAny',
'ns3::Ipv6Address',
[],
is_static=True)
## ipv6-address.h (module 'network'): void ns3::Ipv6Address::GetBytes(uint8_t * buf) const [member function]
cls.add_method('GetBytes',
'void',
[param('uint8_t *', 'buf')],
is_const=True)
## ipv6-address.h (module 'network'): ns3::Ipv4Address ns3::Ipv6Address::GetIpv4MappedAddress() const [member function]
cls.add_method('GetIpv4MappedAddress',
'ns3::Ipv4Address',
[],
is_const=True)
## ipv6-address.h (module 'network'): static ns3::Ipv6Address ns3::Ipv6Address::GetLoopback() [member function]
cls.add_method('GetLoopback',
'ns3::Ipv6Address',
[],
is_static=True)
## ipv6-address.h (module 'network'): static ns3::Ipv6Address ns3::Ipv6Address::GetOnes() [member function]
cls.add_method('GetOnes',
'ns3::Ipv6Address',
[],
is_static=True)
## ipv6-address.h (module 'network'): static ns3::Ipv6Address ns3::Ipv6Address::GetZero() [member function]
cls.add_method('GetZero',
'ns3::Ipv6Address',
[],
is_static=True)
## ipv6-address.h (module 'network'): bool ns3::Ipv6Address::IsAllHostsMulticast() const [member function]
cls.add_method('IsAllHostsMulticast',
'bool',
[],
is_const=True)
## ipv6-address.h (module 'network'): bool ns3::Ipv6Address::IsAllNodesMulticast() const [member function]
cls.add_method('IsAllNodesMulticast',
'bool',
[],
is_const=True)
## ipv6-address.h (module 'network'): bool ns3::Ipv6Address::IsAllRoutersMulticast() const [member function]
cls.add_method('IsAllRoutersMulticast',
'bool',
[],
is_const=True)
## ipv6-address.h (module 'network'): bool ns3::Ipv6Address::IsAny() const [member function]
cls.add_method('IsAny',
'bool',
[],
is_const=True)
## ipv6-address.h (module 'network'): bool ns3::Ipv6Address::IsEqual(ns3::Ipv6Address const & other) const [member function]
cls.add_method('IsEqual',
'bool',
[param('ns3::Ipv6Address const &', 'other')],
is_const=True)
## ipv6-address.h (module 'network'): bool ns3::Ipv6Address::IsIpv4MappedAddress() [member function]
cls.add_method('IsIpv4MappedAddress',
'bool',
[])
## ipv6-address.h (module 'network'): bool ns3::Ipv6Address::IsLinkLocal() const [member function]
cls.add_method('IsLinkLocal',
'bool',
[],
is_const=True)
## ipv6-address.h (module 'network'): bool ns3::Ipv6Address::IsLinkLocalMulticast() const [member function]
cls.add_method('IsLinkLocalMulticast',
'bool',
[],
is_const=True)
## ipv6-address.h (module 'network'): bool ns3::Ipv6Address::IsLocalhost() const [member function]
cls.add_method('IsLocalhost',
'bool',
[],
is_const=True)
## ipv6-address.h (module 'network'): static bool ns3::Ipv6Address::IsMatchingType(ns3::Address const & address) [member function]
cls.add_method('IsMatchingType',
'bool',
[param('ns3::Address const &', 'address')],
is_static=True)
## ipv6-address.h (module 'network'): bool ns3::Ipv6Address::IsMulticast() const [member function]
cls.add_method('IsMulticast',
'bool',
[],
is_const=True)
## ipv6-address.h (module 'network'): bool ns3::Ipv6Address::IsSolicitedMulticast() const [member function]
cls.add_method('IsSolicitedMulticast',
'bool',
[],
is_const=True)
## ipv6-address.h (module 'network'): static ns3::Ipv6Address ns3::Ipv6Address::MakeAutoconfiguredAddress(ns3::Mac48Address addr, ns3::Ipv6Address prefix) [member function]
cls.add_method('MakeAutoconfiguredAddress',
'ns3::Ipv6Address',
[param('ns3::Mac48Address', 'addr'), param('ns3::Ipv6Address', 'prefix')],
is_static=True)
## ipv6-address.h (module 'network'): static ns3::Ipv6Address ns3::Ipv6Address::MakeAutoconfiguredLinkLocalAddress(ns3::Mac48Address mac) [member function]
cls.add_method('MakeAutoconfiguredLinkLocalAddress',
'ns3::Ipv6Address',
[param('ns3::Mac48Address', 'mac')],
is_static=True)
## ipv6-address.h (module 'network'): static ns3::Ipv6Address ns3::Ipv6Address::MakeIpv4MappedAddress(ns3::Ipv4Address addr) [member function]
cls.add_method('MakeIpv4MappedAddress',
'ns3::Ipv6Address',
[param('ns3::Ipv4Address', 'addr')],
is_static=True)
## ipv6-address.h (module 'network'): static ns3::Ipv6Address ns3::Ipv6Address::MakeSolicitedAddress(ns3::Ipv6Address addr) [member function]
cls.add_method('MakeSolicitedAddress',
'ns3::Ipv6Address',
[param('ns3::Ipv6Address', 'addr')],
is_static=True)
## ipv6-address.h (module 'network'): void ns3::Ipv6Address::Print(std::ostream & os) const [member function]
cls.add_method('Print',
'void',
[param('std::ostream &', 'os')],
is_const=True)
## ipv6-address.h (module 'network'): void ns3::Ipv6Address::Serialize(uint8_t * buf) const [member function]
cls.add_method('Serialize',
'void',
[param('uint8_t *', 'buf')],
is_const=True)
## ipv6-address.h (module 'network'): void ns3::Ipv6Address::Set(char const * address) [member function]
cls.add_method('Set',
'void',
[param('char const *', 'address')])
## ipv6-address.h (module 'network'): void ns3::Ipv6Address::Set(uint8_t * address) [member function]
cls.add_method('Set',
'void',
[param('uint8_t *', 'address')])
return
def register_Ns3Ipv6Prefix_methods(root_module, cls):
cls.add_binary_comparison_operator('!=')
cls.add_output_stream_operator()
cls.add_binary_comparison_operator('==')
## ipv6-address.h (module 'network'): ns3::Ipv6Prefix::Ipv6Prefix() [constructor]
cls.add_constructor([])
## ipv6-address.h (module 'network'): ns3::Ipv6Prefix::Ipv6Prefix(uint8_t * prefix) [constructor]
cls.add_constructor([param('uint8_t *', 'prefix')])
## ipv6-address.h (module 'network'): ns3::Ipv6Prefix::Ipv6Prefix(char const * prefix) [constructor]
cls.add_constructor([param('char const *', 'prefix')])
## ipv6-address.h (module 'network'): ns3::Ipv6Prefix::Ipv6Prefix(uint8_t prefix) [constructor]
cls.add_constructor([param('uint8_t', 'prefix')])
## ipv6-address.h (module 'network'): ns3::Ipv6Prefix::Ipv6Prefix(ns3::Ipv6Prefix const & prefix) [copy constructor]
cls.add_constructor([param('ns3::Ipv6Prefix const &', 'prefix')])
## ipv6-address.h (module 'network'): ns3::Ipv6Prefix::Ipv6Prefix(ns3::Ipv6Prefix const * prefix) [constructor]
cls.add_constructor([param('ns3::Ipv6Prefix const *', 'prefix')])
## ipv6-address.h (module 'network'): void ns3::Ipv6Prefix::GetBytes(uint8_t * buf) const [member function]
cls.add_method('GetBytes',
'void',
[param('uint8_t *', 'buf')],
is_const=True)
## ipv6-address.h (module 'network'): static ns3::Ipv6Prefix ns3::Ipv6Prefix::GetLoopback() [member function]
cls.add_method('GetLoopback',
'ns3::Ipv6Prefix',
[],
is_static=True)
## ipv6-address.h (module 'network'): static ns3::Ipv6Prefix ns3::Ipv6Prefix::GetOnes() [member function]
cls.add_method('GetOnes',
'ns3::Ipv6Prefix',
[],
is_static=True)
## ipv6-address.h (module 'network'): uint8_t ns3::Ipv6Prefix::GetPrefixLength() const [member function]
cls.add_method('GetPrefixLength',
'uint8_t',
[],
is_const=True)
## ipv6-address.h (module 'network'): static ns3::Ipv6Prefix ns3::Ipv6Prefix::GetZero() [member function]
cls.add_method('GetZero',
'ns3::Ipv6Prefix',
[],
is_static=True)
## ipv6-address.h (module 'network'): bool ns3::Ipv6Prefix::IsEqual(ns3::Ipv6Prefix const & other) const [member function]
cls.add_method('IsEqual',
'bool',
[param('ns3::Ipv6Prefix const &', 'other')],
is_const=True)
## ipv6-address.h (module 'network'): bool ns3::Ipv6Prefix::IsMatch(ns3::Ipv6Address a, ns3::Ipv6Address b) const [member function]
cls.add_method('IsMatch',
'bool',
[param('ns3::Ipv6Address', 'a'), param('ns3::Ipv6Address', 'b')],
is_const=True)
## ipv6-address.h (module 'network'): void ns3::Ipv6Prefix::Print(std::ostream & os) const [member function]
cls.add_method('Print',
'void',
[param('std::ostream &', 'os')],
is_const=True)
return
def register_Ns3Mac48Address_methods(root_module, cls):
cls.add_binary_comparison_operator('<')
cls.add_binary_comparison_operator('!=')
cls.add_output_stream_operator()
cls.add_binary_comparison_operator('==')
## mac48-address.h (module 'network'): ns3::Mac48Address::Mac48Address(ns3::Mac48Address const & arg0) [copy constructor]
cls.add_constructor([param('ns3::Mac48Address const &', 'arg0')])
## mac48-address.h (module 'network'): ns3::Mac48Address::Mac48Address() [constructor]
cls.add_constructor([])
## mac48-address.h (module 'network'): ns3::Mac48Address::Mac48Address(char const * str) [constructor]
cls.add_constructor([param('char const *', 'str')])
## mac48-address.h (module 'network'): static ns3::Mac48Address ns3::Mac48Address::Allocate() [member function]
cls.add_method('Allocate',
'ns3::Mac48Address',
[],
is_static=True)
## mac48-address.h (module 'network'): static ns3::Mac48Address ns3::Mac48Address::ConvertFrom(ns3::Address const & address) [member function]
cls.add_method('ConvertFrom',
'ns3::Mac48Address',
[param('ns3::Address const &', 'address')],
is_static=True)
## mac48-address.h (module 'network'): void ns3::Mac48Address::CopyFrom(uint8_t const * buffer) [member function]
cls.add_method('CopyFrom',
'void',
[param('uint8_t const *', 'buffer')])
## mac48-address.h (module 'network'): void ns3::Mac48Address::CopyTo(uint8_t * buffer) const [member function]
cls.add_method('CopyTo',
'void',
[param('uint8_t *', 'buffer')],
is_const=True)
## mac48-address.h (module 'network'): static ns3::Mac48Address ns3::Mac48Address::GetBroadcast() [member function]
cls.add_method('GetBroadcast',
'ns3::Mac48Address',
[],
is_static=True)
## mac48-address.h (module 'network'): static ns3::Mac48Address ns3::Mac48Address::GetMulticast(ns3::Ipv4Address address) [member function]
cls.add_method('GetMulticast',
'ns3::Mac48Address',
[param('ns3::Ipv4Address', 'address')],
is_static=True)
## mac48-address.h (module 'network'): static ns3::Mac48Address ns3::Mac48Address::GetMulticast(ns3::Ipv6Address address) [member function]
cls.add_method('GetMulticast',
'ns3::Mac48Address',
[param('ns3::Ipv6Address', 'address')],
is_static=True)
## mac48-address.h (module 'network'): static ns3::Mac48Address ns3::Mac48Address::GetMulticast6Prefix() [member function]
cls.add_method('GetMulticast6Prefix',
'ns3::Mac48Address',
[],
is_static=True)
## mac48-address.h (module 'network'): static ns3::Mac48Address ns3::Mac48Address::GetMulticastPrefix() [member function]
cls.add_method('GetMulticastPrefix',
'ns3::Mac48Address',
[],
is_static=True)
## mac48-address.h (module 'network'): bool ns3::Mac48Address::IsBroadcast() const [member function]
cls.add_method('IsBroadcast',
'bool',
[],
is_const=True)
## mac48-address.h (module 'network'): bool ns3::Mac48Address::IsGroup() const [member function]
cls.add_method('IsGroup',
'bool',
[],
is_const=True)
## mac48-address.h (module 'network'): static bool ns3::Mac48Address::IsMatchingType(ns3::Address const & address) [member function]
cls.add_method('IsMatchingType',
'bool',
[param('ns3::Address const &', 'address')],
is_static=True)
return
def register_Ns3NetDeviceContainer_methods(root_module, cls):
## net-device-container.h (module 'network'): ns3::NetDeviceContainer::NetDeviceContainer(ns3::NetDeviceContainer const & arg0) [copy constructor]
cls.add_constructor([param('ns3::NetDeviceContainer const &', 'arg0')])
## net-device-container.h (module 'network'): ns3::NetDeviceContainer::NetDeviceContainer() [constructor]
cls.add_constructor([])
## net-device-container.h (module 'network'): ns3::NetDeviceContainer::NetDeviceContainer(ns3::Ptr<ns3::NetDevice> dev) [constructor]
cls.add_constructor([param('ns3::Ptr< ns3::NetDevice >', 'dev')])
## net-device-container.h (module 'network'): ns3::NetDeviceContainer::NetDeviceContainer(std::string devName) [constructor]
cls.add_constructor([param('std::string', 'devName')])
## net-device-container.h (module 'network'): ns3::NetDeviceContainer::NetDeviceContainer(ns3::NetDeviceContainer const & a, ns3::NetDeviceContainer const & b) [constructor]
cls.add_constructor([param('ns3::NetDeviceContainer const &', 'a'), param('ns3::NetDeviceContainer const &', 'b')])
## net-device-container.h (module 'network'): void ns3::NetDeviceContainer::Add(ns3::NetDeviceContainer other) [member function]
cls.add_method('Add',
'void',
[param('ns3::NetDeviceContainer', 'other')])
## net-device-container.h (module 'network'): void ns3::NetDeviceContainer::Add(ns3::Ptr<ns3::NetDevice> device) [member function]
cls.add_method('Add',
'void',
[param('ns3::Ptr< ns3::NetDevice >', 'device')])
## net-device-container.h (module 'network'): void ns3::NetDeviceContainer::Add(std::string deviceName) [member function]
cls.add_method('Add',
'void',
[param('std::string', 'deviceName')])
## net-device-container.h (module 'network'): __gnu_cxx::__normal_iterator<const ns3::Ptr<ns3::NetDevice>*,std::vector<ns3::Ptr<ns3::NetDevice>, std::allocator<ns3::Ptr<ns3::NetDevice> > > > ns3::NetDeviceContainer::Begin() const [member function]
cls.add_method('Begin',
'__gnu_cxx::__normal_iterator< ns3::Ptr< ns3::NetDevice > const, std::vector< ns3::Ptr< ns3::NetDevice > > >',
[],
is_const=True)
## net-device-container.h (module 'network'): __gnu_cxx::__normal_iterator<const ns3::Ptr<ns3::NetDevice>*,std::vector<ns3::Ptr<ns3::NetDevice>, std::allocator<ns3::Ptr<ns3::NetDevice> > > > ns3::NetDeviceContainer::End() const [member function]
cls.add_method('End',
'__gnu_cxx::__normal_iterator< ns3::Ptr< ns3::NetDevice > const, std::vector< ns3::Ptr< ns3::NetDevice > > >',
[],
is_const=True)
## net-device-container.h (module 'network'): ns3::Ptr<ns3::NetDevice> ns3::NetDeviceContainer::Get(uint32_t i) const [member function]
cls.add_method('Get',
'ns3::Ptr< ns3::NetDevice >',
[param('uint32_t', 'i')],
is_const=True)
## net-device-container.h (module 'network'): uint32_t ns3::NetDeviceContainer::GetN() const [member function]
cls.add_method('GetN',
'uint32_t',
[],
is_const=True)
return
def register_Ns3NodeContainer_methods(root_module, cls):
## node-container.h (module 'network'): ns3::NodeContainer::NodeContainer(ns3::NodeContainer const & arg0) [copy constructor]
cls.add_constructor([param('ns3::NodeContainer const &', 'arg0')])
## node-container.h (module 'network'): ns3::NodeContainer::NodeContainer() [constructor]
cls.add_constructor([])
## node-container.h (module 'network'): ns3::NodeContainer::NodeContainer(ns3::Ptr<ns3::Node> node) [constructor]
cls.add_constructor([param('ns3::Ptr< ns3::Node >', 'node')])
## node-container.h (module 'network'): ns3::NodeContainer::NodeContainer(std::string nodeName) [constructor]
cls.add_constructor([param('std::string', 'nodeName')])
## node-container.h (module 'network'): ns3::NodeContainer::NodeContainer(ns3::NodeContainer const & a, ns3::NodeContainer const & b) [constructor]
cls.add_constructor([param('ns3::NodeContainer const &', 'a'), param('ns3::NodeContainer const &', 'b')])
## node-container.h (module 'network'): ns3::NodeContainer::NodeContainer(ns3::NodeContainer const & a, ns3::NodeContainer const & b, ns3::NodeContainer const & c) [constructor]
cls.add_constructor([param('ns3::NodeContainer const &', 'a'), param('ns3::NodeContainer const &', 'b'), param('ns3::NodeContainer const &', 'c')])
## node-container.h (module 'network'): ns3::NodeContainer::NodeContainer(ns3::NodeContainer const & a, ns3::NodeContainer const & b, ns3::NodeContainer const & c, ns3::NodeContainer const & d) [constructor]
cls.add_constructor([param('ns3::NodeContainer const &', 'a'), param('ns3::NodeContainer const &', 'b'), param('ns3::NodeContainer const &', 'c'), param('ns3::NodeContainer const &', 'd')])
## node-container.h (module 'network'): ns3::NodeContainer::NodeContainer(ns3::NodeContainer const & a, ns3::NodeContainer const & b, ns3::NodeContainer const & c, ns3::NodeContainer const & d, ns3::NodeContainer const & e) [constructor]
cls.add_constructor([param('ns3::NodeContainer const &', 'a'), param('ns3::NodeContainer const &', 'b'), param('ns3::NodeContainer const &', 'c'), param('ns3::NodeContainer const &', 'd'), param('ns3::NodeContainer const &', 'e')])
## node-container.h (module 'network'): void ns3::NodeContainer::Add(ns3::NodeContainer other) [member function]
cls.add_method('Add',
'void',
[param('ns3::NodeContainer', 'other')])
## node-container.h (module 'network'): void ns3::NodeContainer::Add(ns3::Ptr<ns3::Node> node) [member function]
cls.add_method('Add',
'void',
[param('ns3::Ptr< ns3::Node >', 'node')])
## node-container.h (module 'network'): void ns3::NodeContainer::Add(std::string nodeName) [member function]
cls.add_method('Add',
'void',
[param('std::string', 'nodeName')])
## node-container.h (module 'network'): __gnu_cxx::__normal_iterator<const ns3::Ptr<ns3::Node>*,std::vector<ns3::Ptr<ns3::Node>, std::allocator<ns3::Ptr<ns3::Node> > > > ns3::NodeContainer::Begin() const [member function]
cls.add_method('Begin',
'__gnu_cxx::__normal_iterator< ns3::Ptr< ns3::Node > const, std::vector< ns3::Ptr< ns3::Node > > >',
[],
is_const=True)
## node-container.h (module 'network'): void ns3::NodeContainer::Create(uint32_t n) [member function]
cls.add_method('Create',
'void',
[param('uint32_t', 'n')])
## node-container.h (module 'network'): void ns3::NodeContainer::Create(uint32_t n, uint32_t systemId) [member function]
cls.add_method('Create',
'void',
[param('uint32_t', 'n'), param('uint32_t', 'systemId')])
## node-container.h (module 'network'): __gnu_cxx::__normal_iterator<const ns3::Ptr<ns3::Node>*,std::vector<ns3::Ptr<ns3::Node>, std::allocator<ns3::Ptr<ns3::Node> > > > ns3::NodeContainer::End() const [member function]
cls.add_method('End',
'__gnu_cxx::__normal_iterator< ns3::Ptr< ns3::Node > const, std::vector< ns3::Ptr< ns3::Node > > >',
[],
is_const=True)
## node-container.h (module 'network'): ns3::Ptr<ns3::Node> ns3::NodeContainer::Get(uint32_t i) const [member function]
cls.add_method('Get',
'ns3::Ptr< ns3::Node >',
[param('uint32_t', 'i')],
is_const=True)
## node-container.h (module 'network'): static ns3::NodeContainer ns3::NodeContainer::GetGlobal() [member function]
cls.add_method('GetGlobal',
'ns3::NodeContainer',
[],
is_static=True)
## node-container.h (module 'network'): uint32_t ns3::NodeContainer::GetN() const [member function]
cls.add_method('GetN',
'uint32_t',
[],
is_const=True)
return
def register_Ns3ObjectBase_methods(root_module, cls):
## object-base.h (module 'core'): ns3::ObjectBase::ObjectBase() [constructor]
cls.add_constructor([])
## object-base.h (module 'core'): ns3::ObjectBase::ObjectBase(ns3::ObjectBase const & arg0) [copy constructor]
cls.add_constructor([param('ns3::ObjectBase const &', 'arg0')])
## object-base.h (module 'core'): void ns3::ObjectBase::GetAttribute(std::string name, ns3::AttributeValue & value) const [member function]
cls.add_method('GetAttribute',
'void',
[param('std::string', 'name'), param('ns3::AttributeValue &', 'value')],
is_const=True)
## object-base.h (module 'core'): bool ns3::ObjectBase::GetAttributeFailSafe(std::string name, ns3::AttributeValue & attribute) const [member function]
cls.add_method('GetAttributeFailSafe',
'bool',
[param('std::string', 'name'), param('ns3::AttributeValue &', 'attribute')],
is_const=True)
## object-base.h (module 'core'): ns3::TypeId ns3::ObjectBase::GetInstanceTypeId() const [member function]
cls.add_method('GetInstanceTypeId',
'ns3::TypeId',
[],
is_pure_virtual=True, is_const=True, is_virtual=True)
## object-base.h (module 'core'): static ns3::TypeId ns3::ObjectBase::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## object-base.h (module 'core'): void ns3::ObjectBase::SetAttribute(std::string name, ns3::AttributeValue const & value) [member function]
cls.add_method('SetAttribute',
'void',
[param('std::string', 'name'), param('ns3::AttributeValue const &', 'value')])
## object-base.h (module 'core'): bool ns3::ObjectBase::SetAttributeFailSafe(std::string name, ns3::AttributeValue const & value) [member function]
cls.add_method('SetAttributeFailSafe',
'bool',
[param('std::string', 'name'), param('ns3::AttributeValue const &', 'value')])
## object-base.h (module 'core'): bool ns3::ObjectBase::TraceConnect(std::string name, std::string context, ns3::CallbackBase const & cb) [member function]
cls.add_method('TraceConnect',
'bool',
[param('std::string', 'name'), param('std::string', 'context'), param('ns3::CallbackBase const &', 'cb')])
## object-base.h (module 'core'): bool ns3::ObjectBase::TraceConnectWithoutContext(std::string name, ns3::CallbackBase const & cb) [member function]
cls.add_method('TraceConnectWithoutContext',
'bool',
[param('std::string', 'name'), param('ns3::CallbackBase const &', 'cb')])
## object-base.h (module 'core'): bool ns3::ObjectBase::TraceDisconnect(std::string name, std::string context, ns3::CallbackBase const & cb) [member function]
cls.add_method('TraceDisconnect',
'bool',
[param('std::string', 'name'), param('std::string', 'context'), param('ns3::CallbackBase const &', 'cb')])
## object-base.h (module 'core'): bool ns3::ObjectBase::TraceDisconnectWithoutContext(std::string name, ns3::CallbackBase const & cb) [member function]
cls.add_method('TraceDisconnectWithoutContext',
'bool',
[param('std::string', 'name'), param('ns3::CallbackBase const &', 'cb')])
## object-base.h (module 'core'): void ns3::ObjectBase::ConstructSelf(ns3::AttributeConstructionList const & attributes) [member function]
cls.add_method('ConstructSelf',
'void',
[param('ns3::AttributeConstructionList const &', 'attributes')],
visibility='protected')
## object-base.h (module 'core'): void ns3::ObjectBase::NotifyConstructionCompleted() [member function]
cls.add_method('NotifyConstructionCompleted',
'void',
[],
visibility='protected', is_virtual=True)
return
def register_Ns3ObjectDeleter_methods(root_module, cls):
## object.h (module 'core'): ns3::ObjectDeleter::ObjectDeleter() [constructor]
cls.add_constructor([])
## object.h (module 'core'): ns3::ObjectDeleter::ObjectDeleter(ns3::ObjectDeleter const & arg0) [copy constructor]
cls.add_constructor([param('ns3::ObjectDeleter const &', 'arg0')])
## object.h (module 'core'): static void ns3::ObjectDeleter::Delete(ns3::Object * object) [member function]
cls.add_method('Delete',
'void',
[param('ns3::Object *', 'object')],
is_static=True)
return
def register_Ns3ObjectFactory_methods(root_module, cls):
cls.add_output_stream_operator()
## object-factory.h (module 'core'): ns3::ObjectFactory::ObjectFactory(ns3::ObjectFactory const & arg0) [copy constructor]
cls.add_constructor([param('ns3::ObjectFactory const &', 'arg0')])
## object-factory.h (module 'core'): ns3::ObjectFactory::ObjectFactory() [constructor]
cls.add_constructor([])
## object-factory.h (module 'core'): ns3::ObjectFactory::ObjectFactory(std::string typeId) [constructor]
cls.add_constructor([param('std::string', 'typeId')])
## object-factory.h (module 'core'): ns3::Ptr<ns3::Object> ns3::ObjectFactory::Create() const [member function]
cls.add_method('Create',
'ns3::Ptr< ns3::Object >',
[],
is_const=True)
## object-factory.h (module 'core'): ns3::TypeId ns3::ObjectFactory::GetTypeId() const [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_const=True)
## object-factory.h (module 'core'): void ns3::ObjectFactory::Set(std::string name, ns3::AttributeValue const & value) [member function]
cls.add_method('Set',
'void',
[param('std::string', 'name'), param('ns3::AttributeValue const &', 'value')])
## object-factory.h (module 'core'): void ns3::ObjectFactory::SetTypeId(ns3::TypeId tid) [member function]
cls.add_method('SetTypeId',
'void',
[param('ns3::TypeId', 'tid')])
## object-factory.h (module 'core'): void ns3::ObjectFactory::SetTypeId(char const * tid) [member function]
cls.add_method('SetTypeId',
'void',
[param('char const *', 'tid')])
## object-factory.h (module 'core'): void ns3::ObjectFactory::SetTypeId(std::string tid) [member function]
cls.add_method('SetTypeId',
'void',
[param('std::string', 'tid')])
return
def register_Ns3PacketMetadata_methods(root_module, cls):
## packet-metadata.h (module 'network'): ns3::PacketMetadata::PacketMetadata(uint64_t uid, uint32_t size) [constructor]
cls.add_constructor([param('uint64_t', 'uid'), param('uint32_t', 'size')])
## packet-metadata.h (module 'network'): ns3::PacketMetadata::PacketMetadata(ns3::PacketMetadata const & o) [copy constructor]
cls.add_constructor([param('ns3::PacketMetadata const &', 'o')])
## packet-metadata.h (module 'network'): void ns3::PacketMetadata::AddAtEnd(ns3::PacketMetadata const & o) [member function]
cls.add_method('AddAtEnd',
'void',
[param('ns3::PacketMetadata const &', 'o')])
## packet-metadata.h (module 'network'): void ns3::PacketMetadata::AddHeader(ns3::Header const & header, uint32_t size) [member function]
cls.add_method('AddHeader',
'void',
[param('ns3::Header const &', 'header'), param('uint32_t', 'size')])
## packet-metadata.h (module 'network'): void ns3::PacketMetadata::AddPaddingAtEnd(uint32_t end) [member function]
cls.add_method('AddPaddingAtEnd',
'void',
[param('uint32_t', 'end')])
## packet-metadata.h (module 'network'): void ns3::PacketMetadata::AddTrailer(ns3::Trailer const & trailer, uint32_t size) [member function]
cls.add_method('AddTrailer',
'void',
[param('ns3::Trailer const &', 'trailer'), param('uint32_t', 'size')])
## packet-metadata.h (module 'network'): ns3::PacketMetadata::ItemIterator ns3::PacketMetadata::BeginItem(ns3::Buffer buffer) const [member function]
cls.add_method('BeginItem',
'ns3::PacketMetadata::ItemIterator',
[param('ns3::Buffer', 'buffer')],
is_const=True)
## packet-metadata.h (module 'network'): ns3::PacketMetadata ns3::PacketMetadata::CreateFragment(uint32_t start, uint32_t end) const [member function]
cls.add_method('CreateFragment',
'ns3::PacketMetadata',
[param('uint32_t', 'start'), param('uint32_t', 'end')],
is_const=True)
## packet-metadata.h (module 'network'): uint32_t ns3::PacketMetadata::Deserialize(uint8_t const * buffer, uint32_t size) [member function]
cls.add_method('Deserialize',
'uint32_t',
[param('uint8_t const *', 'buffer'), param('uint32_t', 'size')])
## packet-metadata.h (module 'network'): static void ns3::PacketMetadata::Enable() [member function]
cls.add_method('Enable',
'void',
[],
is_static=True)
## packet-metadata.h (module 'network'): static void ns3::PacketMetadata::EnableChecking() [member function]
cls.add_method('EnableChecking',
'void',
[],
is_static=True)
## packet-metadata.h (module 'network'): uint32_t ns3::PacketMetadata::GetSerializedSize() const [member function]
cls.add_method('GetSerializedSize',
'uint32_t',
[],
is_const=True)
## packet-metadata.h (module 'network'): uint64_t ns3::PacketMetadata::GetUid() const [member function]
cls.add_method('GetUid',
'uint64_t',
[],
is_const=True)
## packet-metadata.h (module 'network'): void ns3::PacketMetadata::RemoveAtEnd(uint32_t end) [member function]
cls.add_method('RemoveAtEnd',
'void',
[param('uint32_t', 'end')])
## packet-metadata.h (module 'network'): void ns3::PacketMetadata::RemoveAtStart(uint32_t start) [member function]
cls.add_method('RemoveAtStart',
'void',
[param('uint32_t', 'start')])
## packet-metadata.h (module 'network'): void ns3::PacketMetadata::RemoveHeader(ns3::Header const & header, uint32_t size) [member function]
cls.add_method('RemoveHeader',
'void',
[param('ns3::Header const &', 'header'), param('uint32_t', 'size')])
## packet-metadata.h (module 'network'): void ns3::PacketMetadata::RemoveTrailer(ns3::Trailer const & trailer, uint32_t size) [member function]
cls.add_method('RemoveTrailer',
'void',
[param('ns3::Trailer const &', 'trailer'), param('uint32_t', 'size')])
## packet-metadata.h (module 'network'): uint32_t ns3::PacketMetadata::Serialize(uint8_t * buffer, uint32_t maxSize) const [member function]
cls.add_method('Serialize',
'uint32_t',
[param('uint8_t *', 'buffer'), param('uint32_t', 'maxSize')],
is_const=True)
return
def register_Ns3PacketMetadataItem_methods(root_module, cls):
## packet-metadata.h (module 'network'): ns3::PacketMetadata::Item::Item() [constructor]
cls.add_constructor([])
## packet-metadata.h (module 'network'): ns3::PacketMetadata::Item::Item(ns3::PacketMetadata::Item const & arg0) [copy constructor]
cls.add_constructor([param('ns3::PacketMetadata::Item const &', 'arg0')])
## packet-metadata.h (module 'network'): ns3::PacketMetadata::Item::current [variable]
cls.add_instance_attribute('current', 'ns3::Buffer::Iterator', is_const=False)
## packet-metadata.h (module 'network'): ns3::PacketMetadata::Item::currentSize [variable]
cls.add_instance_attribute('currentSize', 'uint32_t', is_const=False)
## packet-metadata.h (module 'network'): ns3::PacketMetadata::Item::currentTrimedFromEnd [variable]
cls.add_instance_attribute('currentTrimedFromEnd', 'uint32_t', is_const=False)
## packet-metadata.h (module 'network'): ns3::PacketMetadata::Item::currentTrimedFromStart [variable]
cls.add_instance_attribute('currentTrimedFromStart', 'uint32_t', is_const=False)
## packet-metadata.h (module 'network'): ns3::PacketMetadata::Item::isFragment [variable]
cls.add_instance_attribute('isFragment', 'bool', is_const=False)
## packet-metadata.h (module 'network'): ns3::PacketMetadata::Item::tid [variable]
cls.add_instance_attribute('tid', 'ns3::TypeId', is_const=False)
return
def register_Ns3PacketMetadataItemIterator_methods(root_module, cls):
## packet-metadata.h (module 'network'): ns3::PacketMetadata::ItemIterator::ItemIterator(ns3::PacketMetadata::ItemIterator const & arg0) [copy constructor]
cls.add_constructor([param('ns3::PacketMetadata::ItemIterator const &', 'arg0')])
## packet-metadata.h (module 'network'): ns3::PacketMetadata::ItemIterator::ItemIterator(ns3::PacketMetadata const * metadata, ns3::Buffer buffer) [constructor]
cls.add_constructor([param('ns3::PacketMetadata const *', 'metadata'), param('ns3::Buffer', 'buffer')])
## packet-metadata.h (module 'network'): bool ns3::PacketMetadata::ItemIterator::HasNext() const [member function]
cls.add_method('HasNext',
'bool',
[],
is_const=True)
## packet-metadata.h (module 'network'): ns3::PacketMetadata::Item ns3::PacketMetadata::ItemIterator::Next() [member function]
cls.add_method('Next',
'ns3::PacketMetadata::Item',
[])
return
def register_Ns3PacketTagIterator_methods(root_module, cls):
## packet.h (module 'network'): ns3::PacketTagIterator::PacketTagIterator(ns3::PacketTagIterator const & arg0) [copy constructor]
cls.add_constructor([param('ns3::PacketTagIterator const &', 'arg0')])
## packet.h (module 'network'): bool ns3::PacketTagIterator::HasNext() const [member function]
cls.add_method('HasNext',
'bool',
[],
is_const=True)
## packet.h (module 'network'): ns3::PacketTagIterator::Item ns3::PacketTagIterator::Next() [member function]
cls.add_method('Next',
'ns3::PacketTagIterator::Item',
[])
return
def register_Ns3PacketTagIteratorItem_methods(root_module, cls):
## packet.h (module 'network'): ns3::PacketTagIterator::Item::Item(ns3::PacketTagIterator::Item const & arg0) [copy constructor]
cls.add_constructor([param('ns3::PacketTagIterator::Item const &', 'arg0')])
## packet.h (module 'network'): void ns3::PacketTagIterator::Item::GetTag(ns3::Tag & tag) const [member function]
cls.add_method('GetTag',
'void',
[param('ns3::Tag &', 'tag')],
is_const=True)
## packet.h (module 'network'): ns3::TypeId ns3::PacketTagIterator::Item::GetTypeId() const [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_const=True)
return
def register_Ns3PacketTagList_methods(root_module, cls):
## packet-tag-list.h (module 'network'): ns3::PacketTagList::PacketTagList() [constructor]
cls.add_constructor([])
## packet-tag-list.h (module 'network'): ns3::PacketTagList::PacketTagList(ns3::PacketTagList const & o) [copy constructor]
cls.add_constructor([param('ns3::PacketTagList const &', 'o')])
## packet-tag-list.h (module 'network'): void ns3::PacketTagList::Add(ns3::Tag const & tag) const [member function]
cls.add_method('Add',
'void',
[param('ns3::Tag const &', 'tag')],
is_const=True)
## packet-tag-list.h (module 'network'): ns3::PacketTagList::TagData const * ns3::PacketTagList::Head() const [member function]
cls.add_method('Head',
'ns3::PacketTagList::TagData const *',
[],
is_const=True)
## packet-tag-list.h (module 'network'): bool ns3::PacketTagList::Peek(ns3::Tag & tag) const [member function]
cls.add_method('Peek',
'bool',
[param('ns3::Tag &', 'tag')],
is_const=True)
## packet-tag-list.h (module 'network'): bool ns3::PacketTagList::Remove(ns3::Tag & tag) [member function]
cls.add_method('Remove',
'bool',
[param('ns3::Tag &', 'tag')])
## packet-tag-list.h (module 'network'): void ns3::PacketTagList::RemoveAll() [member function]
cls.add_method('RemoveAll',
'void',
[])
## packet-tag-list.h (module 'network'): bool ns3::PacketTagList::Replace(ns3::Tag & tag) [member function]
cls.add_method('Replace',
'bool',
[param('ns3::Tag &', 'tag')])
return
def register_Ns3PacketTagListTagData_methods(root_module, cls):
## packet-tag-list.h (module 'network'): ns3::PacketTagList::TagData::TagData() [constructor]
cls.add_constructor([])
## packet-tag-list.h (module 'network'): ns3::PacketTagList::TagData::TagData(ns3::PacketTagList::TagData const & arg0) [copy constructor]
cls.add_constructor([param('ns3::PacketTagList::TagData const &', 'arg0')])
## packet-tag-list.h (module 'network'): ns3::PacketTagList::TagData::count [variable]
cls.add_instance_attribute('count', 'uint32_t', is_const=False)
## packet-tag-list.h (module 'network'): ns3::PacketTagList::TagData::data [variable]
cls.add_instance_attribute('data', 'uint8_t [ 20 ]', is_const=False)
## packet-tag-list.h (module 'network'): ns3::PacketTagList::TagData::next [variable]
cls.add_instance_attribute('next', 'ns3::PacketTagList::TagData *', is_const=False)
## packet-tag-list.h (module 'network'): ns3::PacketTagList::TagData::tid [variable]
cls.add_instance_attribute('tid', 'ns3::TypeId', is_const=False)
return
def register_Ns3PcapFile_methods(root_module, cls):
## pcap-file.h (module 'network'): ns3::PcapFile::PcapFile() [constructor]
cls.add_constructor([])
## pcap-file.h (module 'network'): void ns3::PcapFile::Clear() [member function]
cls.add_method('Clear',
'void',
[])
## pcap-file.h (module 'network'): void ns3::PcapFile::Close() [member function]
cls.add_method('Close',
'void',
[])
## pcap-file.h (module 'network'): static bool ns3::PcapFile::Diff(std::string const & f1, std::string const & f2, uint32_t & sec, uint32_t & usec, uint32_t snapLen=ns3::PcapFile::SNAPLEN_DEFAULT) [member function]
cls.add_method('Diff',
'bool',
[param('std::string const &', 'f1'), param('std::string const &', 'f2'), param('uint32_t &', 'sec'), param('uint32_t &', 'usec'), param('uint32_t', 'snapLen', default_value='ns3::PcapFile::SNAPLEN_DEFAULT')],
is_static=True)
## pcap-file.h (module 'network'): bool ns3::PcapFile::Eof() const [member function]
cls.add_method('Eof',
'bool',
[],
is_const=True)
## pcap-file.h (module 'network'): bool ns3::PcapFile::Fail() const [member function]
cls.add_method('Fail',
'bool',
[],
is_const=True)
## pcap-file.h (module 'network'): uint32_t ns3::PcapFile::GetDataLinkType() [member function]
cls.add_method('GetDataLinkType',
'uint32_t',
[])
## pcap-file.h (module 'network'): uint32_t ns3::PcapFile::GetMagic() [member function]
cls.add_method('GetMagic',
'uint32_t',
[])
## pcap-file.h (module 'network'): uint32_t ns3::PcapFile::GetSigFigs() [member function]
cls.add_method('GetSigFigs',
'uint32_t',
[])
## pcap-file.h (module 'network'): uint32_t ns3::PcapFile::GetSnapLen() [member function]
cls.add_method('GetSnapLen',
'uint32_t',
[])
## pcap-file.h (module 'network'): bool ns3::PcapFile::GetSwapMode() [member function]
cls.add_method('GetSwapMode',
'bool',
[])
## pcap-file.h (module 'network'): int32_t ns3::PcapFile::GetTimeZoneOffset() [member function]
cls.add_method('GetTimeZoneOffset',
'int32_t',
[])
## pcap-file.h (module 'network'): uint16_t ns3::PcapFile::GetVersionMajor() [member function]
cls.add_method('GetVersionMajor',
'uint16_t',
[])
## pcap-file.h (module 'network'): uint16_t ns3::PcapFile::GetVersionMinor() [member function]
cls.add_method('GetVersionMinor',
'uint16_t',
[])
## pcap-file.h (module 'network'): void ns3::PcapFile::Init(uint32_t dataLinkType, uint32_t snapLen=ns3::PcapFile::SNAPLEN_DEFAULT, int32_t timeZoneCorrection=ns3::PcapFile::ZONE_DEFAULT, bool swapMode=false) [member function]
cls.add_method('Init',
'void',
[param('uint32_t', 'dataLinkType'), param('uint32_t', 'snapLen', default_value='ns3::PcapFile::SNAPLEN_DEFAULT'), param('int32_t', 'timeZoneCorrection', default_value='ns3::PcapFile::ZONE_DEFAULT'), param('bool', 'swapMode', default_value='false')])
## pcap-file.h (module 'network'): void ns3::PcapFile::Open(std::string const & filename, std::_Ios_Openmode mode) [member function]
cls.add_method('Open',
'void',
[param('std::string const &', 'filename'), param('std::_Ios_Openmode', 'mode')])
## pcap-file.h (module 'network'): void ns3::PcapFile::Read(uint8_t * const data, uint32_t maxBytes, uint32_t & tsSec, uint32_t & tsUsec, uint32_t & inclLen, uint32_t & origLen, uint32_t & readLen) [member function]
cls.add_method('Read',
'void',
[param('uint8_t * const', 'data'), param('uint32_t', 'maxBytes'), param('uint32_t &', 'tsSec'), param('uint32_t &', 'tsUsec'), param('uint32_t &', 'inclLen'), param('uint32_t &', 'origLen'), param('uint32_t &', 'readLen')])
## pcap-file.h (module 'network'): void ns3::PcapFile::Write(uint32_t tsSec, uint32_t tsUsec, uint8_t const * const data, uint32_t totalLen) [member function]
cls.add_method('Write',
'void',
[param('uint32_t', 'tsSec'), param('uint32_t', 'tsUsec'), param('uint8_t const * const', 'data'), param('uint32_t', 'totalLen')])
## pcap-file.h (module 'network'): void ns3::PcapFile::Write(uint32_t tsSec, uint32_t tsUsec, ns3::Ptr<const ns3::Packet> p) [member function]
cls.add_method('Write',
'void',
[param('uint32_t', 'tsSec'), param('uint32_t', 'tsUsec'), param('ns3::Ptr< ns3::Packet const >', 'p')])
## pcap-file.h (module 'network'): void ns3::PcapFile::Write(uint32_t tsSec, uint32_t tsUsec, ns3::Header & header, ns3::Ptr<const ns3::Packet> p) [member function]
cls.add_method('Write',
'void',
[param('uint32_t', 'tsSec'), param('uint32_t', 'tsUsec'), param('ns3::Header &', 'header'), param('ns3::Ptr< ns3::Packet const >', 'p')])
## pcap-file.h (module 'network'): ns3::PcapFile::SNAPLEN_DEFAULT [variable]
cls.add_static_attribute('SNAPLEN_DEFAULT', 'uint32_t const', is_const=True)
## pcap-file.h (module 'network'): ns3::PcapFile::ZONE_DEFAULT [variable]
cls.add_static_attribute('ZONE_DEFAULT', 'int32_t const', is_const=True)
return
def register_Ns3PcapHelper_methods(root_module, cls):
## trace-helper.h (module 'network'): ns3::PcapHelper::PcapHelper(ns3::PcapHelper const & arg0) [copy constructor]
cls.add_constructor([param('ns3::PcapHelper const &', 'arg0')])
## trace-helper.h (module 'network'): ns3::PcapHelper::PcapHelper() [constructor]
cls.add_constructor([])
## trace-helper.h (module 'network'): ns3::Ptr<ns3::PcapFileWrapper> ns3::PcapHelper::CreateFile(std::string filename, std::_Ios_Openmode filemode, uint32_t dataLinkType, uint32_t snapLen=65535, int32_t tzCorrection=0) [member function]
cls.add_method('CreateFile',
'ns3::Ptr< ns3::PcapFileWrapper >',
[param('std::string', 'filename'), param('std::_Ios_Openmode', 'filemode'), param('uint32_t', 'dataLinkType'), param('uint32_t', 'snapLen', default_value='65535'), param('int32_t', 'tzCorrection', default_value='0')])
## trace-helper.h (module 'network'): std::string ns3::PcapHelper::GetFilenameFromDevice(std::string prefix, ns3::Ptr<ns3::NetDevice> device, bool useObjectNames=true) [member function]
cls.add_method('GetFilenameFromDevice',
'std::string',
[param('std::string', 'prefix'), param('ns3::Ptr< ns3::NetDevice >', 'device'), param('bool', 'useObjectNames', default_value='true')])
## trace-helper.h (module 'network'): std::string ns3::PcapHelper::GetFilenameFromInterfacePair(std::string prefix, ns3::Ptr<ns3::Object> object, uint32_t interface, bool useObjectNames=true) [member function]
cls.add_method('GetFilenameFromInterfacePair',
'std::string',
[param('std::string', 'prefix'), param('ns3::Ptr< ns3::Object >', 'object'), param('uint32_t', 'interface'), param('bool', 'useObjectNames', default_value='true')])
return
def register_Ns3PcapHelperForDevice_methods(root_module, cls):
## trace-helper.h (module 'network'): ns3::PcapHelperForDevice::PcapHelperForDevice(ns3::PcapHelperForDevice const & arg0) [copy constructor]
cls.add_constructor([param('ns3::PcapHelperForDevice const &', 'arg0')])
## trace-helper.h (module 'network'): ns3::PcapHelperForDevice::PcapHelperForDevice() [constructor]
cls.add_constructor([])
## trace-helper.h (module 'network'): void ns3::PcapHelperForDevice::EnablePcap(std::string prefix, ns3::Ptr<ns3::NetDevice> nd, bool promiscuous=false, bool explicitFilename=false) [member function]
cls.add_method('EnablePcap',
'void',
[param('std::string', 'prefix'), param('ns3::Ptr< ns3::NetDevice >', 'nd'), param('bool', 'promiscuous', default_value='false'), param('bool', 'explicitFilename', default_value='false')])
## trace-helper.h (module 'network'): void ns3::PcapHelperForDevice::EnablePcap(std::string prefix, std::string ndName, bool promiscuous=false, bool explicitFilename=false) [member function]
cls.add_method('EnablePcap',
'void',
[param('std::string', 'prefix'), param('std::string', 'ndName'), param('bool', 'promiscuous', default_value='false'), param('bool', 'explicitFilename', default_value='false')])
## trace-helper.h (module 'network'): void ns3::PcapHelperForDevice::EnablePcap(std::string prefix, ns3::NetDeviceContainer d, bool promiscuous=false) [member function]
cls.add_method('EnablePcap',
'void',
[param('std::string', 'prefix'), param('ns3::NetDeviceContainer', 'd'), param('bool', 'promiscuous', default_value='false')])
## trace-helper.h (module 'network'): void ns3::PcapHelperForDevice::EnablePcap(std::string prefix, ns3::NodeContainer n, bool promiscuous=false) [member function]
cls.add_method('EnablePcap',
'void',
[param('std::string', 'prefix'), param('ns3::NodeContainer', 'n'), param('bool', 'promiscuous', default_value='false')])
## trace-helper.h (module 'network'): void ns3::PcapHelperForDevice::EnablePcap(std::string prefix, uint32_t nodeid, uint32_t deviceid, bool promiscuous=false) [member function]
cls.add_method('EnablePcap',
'void',
[param('std::string', 'prefix'), param('uint32_t', 'nodeid'), param('uint32_t', 'deviceid'), param('bool', 'promiscuous', default_value='false')])
## trace-helper.h (module 'network'): void ns3::PcapHelperForDevice::EnablePcapAll(std::string prefix, bool promiscuous=false) [member function]
cls.add_method('EnablePcapAll',
'void',
[param('std::string', 'prefix'), param('bool', 'promiscuous', default_value='false')])
## trace-helper.h (module 'network'): void ns3::PcapHelperForDevice::EnablePcapInternal(std::string prefix, ns3::Ptr<ns3::NetDevice> nd, bool promiscuous, bool explicitFilename) [member function]
cls.add_method('EnablePcapInternal',
'void',
[param('std::string', 'prefix'), param('ns3::Ptr< ns3::NetDevice >', 'nd'), param('bool', 'promiscuous'), param('bool', 'explicitFilename')],
is_pure_virtual=True, is_virtual=True)
return
def register_Ns3PointToPointHelper_methods(root_module, cls):
## point-to-point-helper.h (module 'point-to-point'): ns3::PointToPointHelper::PointToPointHelper(ns3::PointToPointHelper const & arg0) [copy constructor]
cls.add_constructor([param('ns3::PointToPointHelper const &', 'arg0')])
## point-to-point-helper.h (module 'point-to-point'): ns3::PointToPointHelper::PointToPointHelper() [constructor]
cls.add_constructor([])
## point-to-point-helper.h (module 'point-to-point'): ns3::NetDeviceContainer ns3::PointToPointHelper::Install(ns3::NodeContainer c) [member function]
cls.add_method('Install',
'ns3::NetDeviceContainer',
[param('ns3::NodeContainer', 'c')])
## point-to-point-helper.h (module 'point-to-point'): ns3::NetDeviceContainer ns3::PointToPointHelper::Install(ns3::Ptr<ns3::Node> a, ns3::Ptr<ns3::Node> b) [member function]
cls.add_method('Install',
'ns3::NetDeviceContainer',
[param('ns3::Ptr< ns3::Node >', 'a'), param('ns3::Ptr< ns3::Node >', 'b')])
## point-to-point-helper.h (module 'point-to-point'): ns3::NetDeviceContainer ns3::PointToPointHelper::Install(ns3::Ptr<ns3::Node> a, std::string bName) [member function]
cls.add_method('Install',
'ns3::NetDeviceContainer',
[param('ns3::Ptr< ns3::Node >', 'a'), param('std::string', 'bName')])
## point-to-point-helper.h (module 'point-to-point'): ns3::NetDeviceContainer ns3::PointToPointHelper::Install(std::string aName, ns3::Ptr<ns3::Node> b) [member function]
cls.add_method('Install',
'ns3::NetDeviceContainer',
[param('std::string', 'aName'), param('ns3::Ptr< ns3::Node >', 'b')])
## point-to-point-helper.h (module 'point-to-point'): ns3::NetDeviceContainer ns3::PointToPointHelper::Install(std::string aNode, std::string bNode) [member function]
cls.add_method('Install',
'ns3::NetDeviceContainer',
[param('std::string', 'aNode'), param('std::string', 'bNode')])
## point-to-point-helper.h (module 'point-to-point'): void ns3::PointToPointHelper::SetChannelAttribute(std::string name, ns3::AttributeValue const & value) [member function]
cls.add_method('SetChannelAttribute',
'void',
[param('std::string', 'name'), param('ns3::AttributeValue const &', 'value')])
## point-to-point-helper.h (module 'point-to-point'): void ns3::PointToPointHelper::SetDeviceAttribute(std::string name, ns3::AttributeValue const & value) [member function]
cls.add_method('SetDeviceAttribute',
'void',
[param('std::string', 'name'), param('ns3::AttributeValue const &', 'value')])
## point-to-point-helper.h (module 'point-to-point'): void ns3::PointToPointHelper::SetQueue(std::string type, std::string n1="", ns3::AttributeValue const & v1=ns3::EmptyAttributeValue(), std::string n2="", ns3::AttributeValue const & v2=ns3::EmptyAttributeValue(), std::string n3="", ns3::AttributeValue const & v3=ns3::EmptyAttributeValue(), std::string n4="", ns3::AttributeValue const & v4=ns3::EmptyAttributeValue()) [member function]
cls.add_method('SetQueue',
'void',
[param('std::string', 'type'), param('std::string', 'n1', default_value='""'), param('ns3::AttributeValue const &', 'v1', default_value='ns3::EmptyAttributeValue()'), param('std::string', 'n2', default_value='""'), param('ns3::AttributeValue const &', 'v2', default_value='ns3::EmptyAttributeValue()'), param('std::string', 'n3', default_value='""'), param('ns3::AttributeValue const &', 'v3', default_value='ns3::EmptyAttributeValue()'), param('std::string', 'n4', default_value='""'), param('ns3::AttributeValue const &', 'v4', default_value='ns3::EmptyAttributeValue()')])
## point-to-point-helper.h (module 'point-to-point'): void ns3::PointToPointHelper::EnableAsciiInternal(ns3::Ptr<ns3::OutputStreamWrapper> stream, std::string prefix, ns3::Ptr<ns3::NetDevice> nd, bool explicitFilename) [member function]
cls.add_method('EnableAsciiInternal',
'void',
[param('ns3::Ptr< ns3::OutputStreamWrapper >', 'stream'), param('std::string', 'prefix'), param('ns3::Ptr< ns3::NetDevice >', 'nd'), param('bool', 'explicitFilename')],
visibility='private', is_virtual=True)
## point-to-point-helper.h (module 'point-to-point'): void ns3::PointToPointHelper::EnablePcapInternal(std::string prefix, ns3::Ptr<ns3::NetDevice> nd, bool promiscuous, bool explicitFilename) [member function]
cls.add_method('EnablePcapInternal',
'void',
[param('std::string', 'prefix'), param('ns3::Ptr< ns3::NetDevice >', 'nd'), param('bool', 'promiscuous'), param('bool', 'explicitFilename')],
visibility='private', is_virtual=True)
return
def register_Ns3SimpleRefCount__Ns3Object_Ns3ObjectBase_Ns3ObjectDeleter_methods(root_module, cls):
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::Object, ns3::ObjectBase, ns3::ObjectDeleter>::SimpleRefCount() [constructor]
cls.add_constructor([])
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::Object, ns3::ObjectBase, ns3::ObjectDeleter>::SimpleRefCount(ns3::SimpleRefCount<ns3::Object, ns3::ObjectBase, ns3::ObjectDeleter> const & o) [copy constructor]
cls.add_constructor([param('ns3::SimpleRefCount< ns3::Object, ns3::ObjectBase, ns3::ObjectDeleter > const &', 'o')])
## simple-ref-count.h (module 'core'): static void ns3::SimpleRefCount<ns3::Object, ns3::ObjectBase, ns3::ObjectDeleter>::Cleanup() [member function]
cls.add_method('Cleanup',
'void',
[],
is_static=True)
return
def register_Ns3Simulator_methods(root_module, cls):
## simulator.h (module 'core'): ns3::Simulator::Simulator(ns3::Simulator const & arg0) [copy constructor]
cls.add_constructor([param('ns3::Simulator const &', 'arg0')])
## simulator.h (module 'core'): static void ns3::Simulator::Cancel(ns3::EventId const & id) [member function]
cls.add_method('Cancel',
'void',
[param('ns3::EventId const &', 'id')],
is_static=True)
## simulator.h (module 'core'): static void ns3::Simulator::Destroy() [member function]
cls.add_method('Destroy',
'void',
[],
is_static=True)
## simulator.h (module 'core'): static uint32_t ns3::Simulator::GetContext() [member function]
cls.add_method('GetContext',
'uint32_t',
[],
is_static=True)
## simulator.h (module 'core'): static ns3::Time ns3::Simulator::GetDelayLeft(ns3::EventId const & id) [member function]
cls.add_method('GetDelayLeft',
'ns3::Time',
[param('ns3::EventId const &', 'id')],
is_static=True)
## simulator.h (module 'core'): static ns3::Ptr<ns3::SimulatorImpl> ns3::Simulator::GetImplementation() [member function]
cls.add_method('GetImplementation',
'ns3::Ptr< ns3::SimulatorImpl >',
[],
is_static=True)
## simulator.h (module 'core'): static ns3::Time ns3::Simulator::GetMaximumSimulationTime() [member function]
cls.add_method('GetMaximumSimulationTime',
'ns3::Time',
[],
is_static=True)
## simulator.h (module 'core'): static uint32_t ns3::Simulator::GetSystemId() [member function]
cls.add_method('GetSystemId',
'uint32_t',
[],
is_static=True)
## simulator.h (module 'core'): static bool ns3::Simulator::IsExpired(ns3::EventId const & id) [member function]
cls.add_method('IsExpired',
'bool',
[param('ns3::EventId const &', 'id')],
is_static=True)
## simulator.h (module 'core'): static bool ns3::Simulator::IsFinished() [member function]
cls.add_method('IsFinished',
'bool',
[],
is_static=True)
## simulator.h (module 'core'): static ns3::Time ns3::Simulator::Now() [member function]
cls.add_method('Now',
'ns3::Time',
[],
is_static=True)
## simulator.h (module 'core'): static void ns3::Simulator::Remove(ns3::EventId const & id) [member function]
cls.add_method('Remove',
'void',
[param('ns3::EventId const &', 'id')],
is_static=True)
## simulator.h (module 'core'): static void ns3::Simulator::SetImplementation(ns3::Ptr<ns3::SimulatorImpl> impl) [member function]
cls.add_method('SetImplementation',
'void',
[param('ns3::Ptr< ns3::SimulatorImpl >', 'impl')],
is_static=True)
## simulator.h (module 'core'): static void ns3::Simulator::SetScheduler(ns3::ObjectFactory schedulerFactory) [member function]
cls.add_method('SetScheduler',
'void',
[param('ns3::ObjectFactory', 'schedulerFactory')],
is_static=True)
## simulator.h (module 'core'): static void ns3::Simulator::Stop() [member function]
cls.add_method('Stop',
'void',
[],
is_static=True)
## simulator.h (module 'core'): static void ns3::Simulator::Stop(ns3::Time const & time) [member function]
cls.add_method('Stop',
'void',
[param('ns3::Time const &', 'time')],
is_static=True)
return
def register_Ns3Tag_methods(root_module, cls):
## tag.h (module 'network'): ns3::Tag::Tag() [constructor]
cls.add_constructor([])
## tag.h (module 'network'): ns3::Tag::Tag(ns3::Tag const & arg0) [copy constructor]
cls.add_constructor([param('ns3::Tag const &', 'arg0')])
## tag.h (module 'network'): void ns3::Tag::Deserialize(ns3::TagBuffer i) [member function]
cls.add_method('Deserialize',
'void',
[param('ns3::TagBuffer', 'i')],
is_pure_virtual=True, is_virtual=True)
## tag.h (module 'network'): uint32_t ns3::Tag::GetSerializedSize() const [member function]
cls.add_method('GetSerializedSize',
'uint32_t',
[],
is_pure_virtual=True, is_const=True, is_virtual=True)
## tag.h (module 'network'): static ns3::TypeId ns3::Tag::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## tag.h (module 'network'): void ns3::Tag::Print(std::ostream & os) const [member function]
cls.add_method('Print',
'void',
[param('std::ostream &', 'os')],
is_pure_virtual=True, is_const=True, is_virtual=True)
## tag.h (module 'network'): void ns3::Tag::Serialize(ns3::TagBuffer i) const [member function]
cls.add_method('Serialize',
'void',
[param('ns3::TagBuffer', 'i')],
is_pure_virtual=True, is_const=True, is_virtual=True)
return
def register_Ns3TagBuffer_methods(root_module, cls):
## tag-buffer.h (module 'network'): ns3::TagBuffer::TagBuffer(ns3::TagBuffer const & arg0) [copy constructor]
cls.add_constructor([param('ns3::TagBuffer const &', 'arg0')])
## tag-buffer.h (module 'network'): ns3::TagBuffer::TagBuffer(uint8_t * start, uint8_t * end) [constructor]
cls.add_constructor([param('uint8_t *', 'start'), param('uint8_t *', 'end')])
## tag-buffer.h (module 'network'): void ns3::TagBuffer::CopyFrom(ns3::TagBuffer o) [member function]
cls.add_method('CopyFrom',
'void',
[param('ns3::TagBuffer', 'o')])
## tag-buffer.h (module 'network'): void ns3::TagBuffer::Read(uint8_t * buffer, uint32_t size) [member function]
cls.add_method('Read',
'void',
[param('uint8_t *', 'buffer'), param('uint32_t', 'size')])
## tag-buffer.h (module 'network'): double ns3::TagBuffer::ReadDouble() [member function]
cls.add_method('ReadDouble',
'double',
[])
## tag-buffer.h (module 'network'): uint16_t ns3::TagBuffer::ReadU16() [member function]
cls.add_method('ReadU16',
'uint16_t',
[])
## tag-buffer.h (module 'network'): uint32_t ns3::TagBuffer::ReadU32() [member function]
cls.add_method('ReadU32',
'uint32_t',
[])
## tag-buffer.h (module 'network'): uint64_t ns3::TagBuffer::ReadU64() [member function]
cls.add_method('ReadU64',
'uint64_t',
[])
## tag-buffer.h (module 'network'): uint8_t ns3::TagBuffer::ReadU8() [member function]
cls.add_method('ReadU8',
'uint8_t',
[])
## tag-buffer.h (module 'network'): void ns3::TagBuffer::TrimAtEnd(uint32_t trim) [member function]
cls.add_method('TrimAtEnd',
'void',
[param('uint32_t', 'trim')])
## tag-buffer.h (module 'network'): void ns3::TagBuffer::Write(uint8_t const * buffer, uint32_t size) [member function]
cls.add_method('Write',
'void',
[param('uint8_t const *', 'buffer'), param('uint32_t', 'size')])
## tag-buffer.h (module 'network'): void ns3::TagBuffer::WriteDouble(double v) [member function]
cls.add_method('WriteDouble',
'void',
[param('double', 'v')])
## tag-buffer.h (module 'network'): void ns3::TagBuffer::WriteU16(uint16_t data) [member function]
cls.add_method('WriteU16',
'void',
[param('uint16_t', 'data')])
## tag-buffer.h (module 'network'): void ns3::TagBuffer::WriteU32(uint32_t data) [member function]
cls.add_method('WriteU32',
'void',
[param('uint32_t', 'data')])
## tag-buffer.h (module 'network'): void ns3::TagBuffer::WriteU64(uint64_t v) [member function]
cls.add_method('WriteU64',
'void',
[param('uint64_t', 'v')])
## tag-buffer.h (module 'network'): void ns3::TagBuffer::WriteU8(uint8_t v) [member function]
cls.add_method('WriteU8',
'void',
[param('uint8_t', 'v')])
return
def register_Ns3TypeId_methods(root_module, cls):
cls.add_binary_comparison_operator('<')
cls.add_binary_comparison_operator('!=')
cls.add_output_stream_operator()
cls.add_binary_comparison_operator('==')
## type-id.h (module 'core'): ns3::TypeId::TypeId(char const * name) [constructor]
cls.add_constructor([param('char const *', 'name')])
## type-id.h (module 'core'): ns3::TypeId::TypeId() [constructor]
cls.add_constructor([])
## type-id.h (module 'core'): ns3::TypeId::TypeId(ns3::TypeId const & o) [copy constructor]
cls.add_constructor([param('ns3::TypeId const &', 'o')])
## type-id.h (module 'core'): ns3::TypeId ns3::TypeId::AddAttribute(std::string name, std::string help, ns3::AttributeValue const & initialValue, ns3::Ptr<ns3::AttributeAccessor const> accessor, ns3::Ptr<ns3::AttributeChecker const> checker) [member function]
cls.add_method('AddAttribute',
'ns3::TypeId',
[param('std::string', 'name'), param('std::string', 'help'), param('ns3::AttributeValue const &', 'initialValue'), param('ns3::Ptr< ns3::AttributeAccessor const >', 'accessor'), param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')])
## type-id.h (module 'core'): ns3::TypeId ns3::TypeId::AddAttribute(std::string name, std::string help, uint32_t flags, ns3::AttributeValue const & initialValue, ns3::Ptr<ns3::AttributeAccessor const> accessor, ns3::Ptr<ns3::AttributeChecker const> checker) [member function]
cls.add_method('AddAttribute',
'ns3::TypeId',
[param('std::string', 'name'), param('std::string', 'help'), param('uint32_t', 'flags'), param('ns3::AttributeValue const &', 'initialValue'), param('ns3::Ptr< ns3::AttributeAccessor const >', 'accessor'), param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')])
## type-id.h (module 'core'): ns3::TypeId ns3::TypeId::AddTraceSource(std::string name, std::string help, ns3::Ptr<ns3::TraceSourceAccessor const> accessor) [member function]
cls.add_method('AddTraceSource',
'ns3::TypeId',
[param('std::string', 'name'), param('std::string', 'help'), param('ns3::Ptr< ns3::TraceSourceAccessor const >', 'accessor')])
## type-id.h (module 'core'): ns3::TypeId::AttributeInformation ns3::TypeId::GetAttribute(uint32_t i) const [member function]
cls.add_method('GetAttribute',
'ns3::TypeId::AttributeInformation',
[param('uint32_t', 'i')],
is_const=True)
## type-id.h (module 'core'): std::string ns3::TypeId::GetAttributeFullName(uint32_t i) const [member function]
cls.add_method('GetAttributeFullName',
'std::string',
[param('uint32_t', 'i')],
is_const=True)
## type-id.h (module 'core'): uint32_t ns3::TypeId::GetAttributeN() const [member function]
cls.add_method('GetAttributeN',
'uint32_t',
[],
is_const=True)
## type-id.h (module 'core'): ns3::Callback<ns3::ObjectBase*,ns3::empty,ns3::empty,ns3::empty,ns3::empty,ns3::empty,ns3::empty,ns3::empty,ns3::empty,ns3::empty> ns3::TypeId::GetConstructor() const [member function]
cls.add_method('GetConstructor',
'ns3::Callback< ns3::ObjectBase *, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty >',
[],
is_const=True)
## type-id.h (module 'core'): std::string ns3::TypeId::GetGroupName() const [member function]
cls.add_method('GetGroupName',
'std::string',
[],
is_const=True)
## type-id.h (module 'core'): std::string ns3::TypeId::GetName() const [member function]
cls.add_method('GetName',
'std::string',
[],
is_const=True)
## type-id.h (module 'core'): ns3::TypeId ns3::TypeId::GetParent() const [member function]
cls.add_method('GetParent',
'ns3::TypeId',
[],
is_const=True)
## type-id.h (module 'core'): static ns3::TypeId ns3::TypeId::GetRegistered(uint32_t i) [member function]
cls.add_method('GetRegistered',
'ns3::TypeId',
[param('uint32_t', 'i')],
is_static=True)
## type-id.h (module 'core'): static uint32_t ns3::TypeId::GetRegisteredN() [member function]
cls.add_method('GetRegisteredN',
'uint32_t',
[],
is_static=True)
## type-id.h (module 'core'): ns3::TypeId::TraceSourceInformation ns3::TypeId::GetTraceSource(uint32_t i) const [member function]
cls.add_method('GetTraceSource',
'ns3::TypeId::TraceSourceInformation',
[param('uint32_t', 'i')],
is_const=True)
## type-id.h (module 'core'): uint32_t ns3::TypeId::GetTraceSourceN() const [member function]
cls.add_method('GetTraceSourceN',
'uint32_t',
[],
is_const=True)
## type-id.h (module 'core'): uint16_t ns3::TypeId::GetUid() const [member function]
cls.add_method('GetUid',
'uint16_t',
[],
is_const=True)
## type-id.h (module 'core'): bool ns3::TypeId::HasConstructor() const [member function]
cls.add_method('HasConstructor',
'bool',
[],
is_const=True)
## type-id.h (module 'core'): bool ns3::TypeId::HasParent() const [member function]
cls.add_method('HasParent',
'bool',
[],
is_const=True)
## type-id.h (module 'core'): ns3::TypeId ns3::TypeId::HideFromDocumentation() [member function]
cls.add_method('HideFromDocumentation',
'ns3::TypeId',
[])
## type-id.h (module 'core'): bool ns3::TypeId::IsChildOf(ns3::TypeId other) const [member function]
cls.add_method('IsChildOf',
'bool',
[param('ns3::TypeId', 'other')],
is_const=True)
## type-id.h (module 'core'): bool ns3::TypeId::LookupAttributeByName(std::string name, ns3::TypeId::AttributeInformation * info) const [member function]
cls.add_method('LookupAttributeByName',
'bool',
[param('std::string', 'name'), param('ns3::TypeId::AttributeInformation *', 'info', transfer_ownership=False)],
is_const=True)
## type-id.h (module 'core'): static ns3::TypeId ns3::TypeId::LookupByName(std::string name) [member function]
cls.add_method('LookupByName',
'ns3::TypeId',
[param('std::string', 'name')],
is_static=True)
## type-id.h (module 'core'): ns3::Ptr<ns3::TraceSourceAccessor const> ns3::TypeId::LookupTraceSourceByName(std::string name) const [member function]
cls.add_method('LookupTraceSourceByName',
'ns3::Ptr< ns3::TraceSourceAccessor const >',
[param('std::string', 'name')],
is_const=True)
## type-id.h (module 'core'): bool ns3::TypeId::MustHideFromDocumentation() const [member function]
cls.add_method('MustHideFromDocumentation',
'bool',
[],
is_const=True)
## type-id.h (module 'core'): bool ns3::TypeId::SetAttributeInitialValue(uint32_t i, ns3::Ptr<ns3::AttributeValue const> initialValue) [member function]
cls.add_method('SetAttributeInitialValue',
'bool',
[param('uint32_t', 'i'), param('ns3::Ptr< ns3::AttributeValue const >', 'initialValue')])
## type-id.h (module 'core'): ns3::TypeId ns3::TypeId::SetGroupName(std::string groupName) [member function]
cls.add_method('SetGroupName',
'ns3::TypeId',
[param('std::string', 'groupName')])
## type-id.h (module 'core'): ns3::TypeId ns3::TypeId::SetParent(ns3::TypeId tid) [member function]
cls.add_method('SetParent',
'ns3::TypeId',
[param('ns3::TypeId', 'tid')])
## type-id.h (module 'core'): void ns3::TypeId::SetUid(uint16_t tid) [member function]
cls.add_method('SetUid',
'void',
[param('uint16_t', 'tid')])
return
def register_Ns3TypeIdAttributeInformation_methods(root_module, cls):
## type-id.h (module 'core'): ns3::TypeId::AttributeInformation::AttributeInformation() [constructor]
cls.add_constructor([])
## type-id.h (module 'core'): ns3::TypeId::AttributeInformation::AttributeInformation(ns3::TypeId::AttributeInformation const & arg0) [copy constructor]
cls.add_constructor([param('ns3::TypeId::AttributeInformation const &', 'arg0')])
## type-id.h (module 'core'): ns3::TypeId::AttributeInformation::accessor [variable]
cls.add_instance_attribute('accessor', 'ns3::Ptr< ns3::AttributeAccessor const >', is_const=False)
## type-id.h (module 'core'): ns3::TypeId::AttributeInformation::checker [variable]
cls.add_instance_attribute('checker', 'ns3::Ptr< ns3::AttributeChecker const >', is_const=False)
## type-id.h (module 'core'): ns3::TypeId::AttributeInformation::flags [variable]
cls.add_instance_attribute('flags', 'uint32_t', is_const=False)
## type-id.h (module 'core'): ns3::TypeId::AttributeInformation::help [variable]
cls.add_instance_attribute('help', 'std::string', is_const=False)
## type-id.h (module 'core'): ns3::TypeId::AttributeInformation::initialValue [variable]
cls.add_instance_attribute('initialValue', 'ns3::Ptr< ns3::AttributeValue const >', is_const=False)
## type-id.h (module 'core'): ns3::TypeId::AttributeInformation::name [variable]
cls.add_instance_attribute('name', 'std::string', is_const=False)
## type-id.h (module 'core'): ns3::TypeId::AttributeInformation::originalInitialValue [variable]
cls.add_instance_attribute('originalInitialValue', 'ns3::Ptr< ns3::AttributeValue const >', is_const=False)
return
def register_Ns3TypeIdTraceSourceInformation_methods(root_module, cls):
## type-id.h (module 'core'): ns3::TypeId::TraceSourceInformation::TraceSourceInformation() [constructor]
cls.add_constructor([])
## type-id.h (module 'core'): ns3::TypeId::TraceSourceInformation::TraceSourceInformation(ns3::TypeId::TraceSourceInformation const & arg0) [copy constructor]
cls.add_constructor([param('ns3::TypeId::TraceSourceInformation const &', 'arg0')])
## type-id.h (module 'core'): ns3::TypeId::TraceSourceInformation::accessor [variable]
cls.add_instance_attribute('accessor', 'ns3::Ptr< ns3::TraceSourceAccessor const >', is_const=False)
## type-id.h (module 'core'): ns3::TypeId::TraceSourceInformation::help [variable]
cls.add_instance_attribute('help', 'std::string', is_const=False)
## type-id.h (module 'core'): ns3::TypeId::TraceSourceInformation::name [variable]
cls.add_instance_attribute('name', 'std::string', is_const=False)
return
def register_Ns3Empty_methods(root_module, cls):
## empty.h (module 'core'): ns3::empty::empty() [constructor]
cls.add_constructor([])
## empty.h (module 'core'): ns3::empty::empty(ns3::empty const & arg0) [copy constructor]
cls.add_constructor([param('ns3::empty const &', 'arg0')])
return
def register_Ns3Int64x64_t_methods(root_module, cls):
cls.add_binary_numeric_operator('*', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('long long unsigned int const', 'right'))
cls.add_binary_numeric_operator('*', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('long unsigned int const', 'right'))
cls.add_binary_numeric_operator('*', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('unsigned int const', 'right'))
cls.add_binary_numeric_operator('*', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('short unsigned int const', 'right'))
cls.add_binary_numeric_operator('*', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('unsigned char const', 'right'))
cls.add_binary_numeric_operator('*', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('long long int const', 'right'))
cls.add_binary_numeric_operator('*', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('long int const', 'right'))
cls.add_binary_numeric_operator('*', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('int const', 'right'))
cls.add_binary_numeric_operator('*', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('short int const', 'right'))
cls.add_binary_numeric_operator('*', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('signed char const', 'right'))
cls.add_binary_numeric_operator('*', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('double const', 'right'))
cls.add_binary_numeric_operator('*', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('ns3::int64x64_t const &', 'right'))
cls.add_binary_numeric_operator('+', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('long long unsigned int const', 'right'))
cls.add_binary_numeric_operator('+', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('long unsigned int const', 'right'))
cls.add_binary_numeric_operator('+', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('unsigned int const', 'right'))
cls.add_binary_numeric_operator('+', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('short unsigned int const', 'right'))
cls.add_binary_numeric_operator('+', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('unsigned char const', 'right'))
cls.add_binary_numeric_operator('+', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('long long int const', 'right'))
cls.add_binary_numeric_operator('+', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('long int const', 'right'))
cls.add_binary_numeric_operator('+', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('int const', 'right'))
cls.add_binary_numeric_operator('+', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('short int const', 'right'))
cls.add_binary_numeric_operator('+', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('signed char const', 'right'))
cls.add_binary_numeric_operator('+', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('double const', 'right'))
cls.add_binary_numeric_operator('+', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('ns3::int64x64_t const &', 'right'))
cls.add_binary_numeric_operator('-', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('long long unsigned int const', 'right'))
cls.add_binary_numeric_operator('-', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('long unsigned int const', 'right'))
cls.add_binary_numeric_operator('-', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('unsigned int const', 'right'))
cls.add_binary_numeric_operator('-', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('short unsigned int const', 'right'))
cls.add_binary_numeric_operator('-', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('unsigned char const', 'right'))
cls.add_binary_numeric_operator('-', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('long long int const', 'right'))
cls.add_binary_numeric_operator('-', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('long int const', 'right'))
cls.add_binary_numeric_operator('-', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('int const', 'right'))
cls.add_binary_numeric_operator('-', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('short int const', 'right'))
cls.add_binary_numeric_operator('-', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('signed char const', 'right'))
cls.add_binary_numeric_operator('-', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('double const', 'right'))
cls.add_unary_numeric_operator('-')
cls.add_binary_numeric_operator('-', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('ns3::int64x64_t const &', 'right'))
cls.add_binary_numeric_operator('/', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('long long unsigned int const', 'right'))
cls.add_binary_numeric_operator('/', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('long unsigned int const', 'right'))
cls.add_binary_numeric_operator('/', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('unsigned int const', 'right'))
cls.add_binary_numeric_operator('/', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('short unsigned int const', 'right'))
cls.add_binary_numeric_operator('/', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('unsigned char const', 'right'))
cls.add_binary_numeric_operator('/', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('long long int const', 'right'))
cls.add_binary_numeric_operator('/', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('long int const', 'right'))
cls.add_binary_numeric_operator('/', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('int const', 'right'))
cls.add_binary_numeric_operator('/', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('short int const', 'right'))
cls.add_binary_numeric_operator('/', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('signed char const', 'right'))
cls.add_binary_numeric_operator('/', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('double const', 'right'))
cls.add_binary_numeric_operator('/', root_module['ns3::int64x64_t'], root_module['ns3::int64x64_t'], param('ns3::int64x64_t const &', 'right'))
cls.add_binary_comparison_operator('<')
cls.add_binary_comparison_operator('>')
cls.add_binary_comparison_operator('!=')
cls.add_inplace_numeric_operator('*=', param('ns3::int64x64_t const &', 'right'))
cls.add_inplace_numeric_operator('+=', param('ns3::int64x64_t const &', 'right'))
cls.add_inplace_numeric_operator('-=', param('ns3::int64x64_t const &', 'right'))
cls.add_inplace_numeric_operator('/=', param('ns3::int64x64_t const &', 'right'))
cls.add_output_stream_operator()
cls.add_binary_comparison_operator('<=')
cls.add_binary_comparison_operator('==')
cls.add_binary_comparison_operator('>=')
## int64x64-double.h (module 'core'): ns3::int64x64_t::int64x64_t() [constructor]
cls.add_constructor([])
## int64x64-double.h (module 'core'): ns3::int64x64_t::int64x64_t(double v) [constructor]
cls.add_constructor([param('double', 'v')])
## int64x64-double.h (module 'core'): ns3::int64x64_t::int64x64_t(int v) [constructor]
cls.add_constructor([param('int', 'v')])
## int64x64-double.h (module 'core'): ns3::int64x64_t::int64x64_t(long int v) [constructor]
cls.add_constructor([param('long int', 'v')])
## int64x64-double.h (module 'core'): ns3::int64x64_t::int64x64_t(long long int v) [constructor]
cls.add_constructor([param('long long int', 'v')])
## int64x64-double.h (module 'core'): ns3::int64x64_t::int64x64_t(unsigned int v) [constructor]
cls.add_constructor([param('unsigned int', 'v')])
## int64x64-double.h (module 'core'): ns3::int64x64_t::int64x64_t(long unsigned int v) [constructor]
cls.add_constructor([param('long unsigned int', 'v')])
## int64x64-double.h (module 'core'): ns3::int64x64_t::int64x64_t(long long unsigned int v) [constructor]
cls.add_constructor([param('long long unsigned int', 'v')])
## int64x64-double.h (module 'core'): ns3::int64x64_t::int64x64_t(int64_t hi, uint64_t lo) [constructor]
cls.add_constructor([param('int64_t', 'hi'), param('uint64_t', 'lo')])
## int64x64-double.h (module 'core'): ns3::int64x64_t::int64x64_t(ns3::int64x64_t const & o) [copy constructor]
cls.add_constructor([param('ns3::int64x64_t const &', 'o')])
## int64x64-double.h (module 'core'): double ns3::int64x64_t::GetDouble() const [member function]
cls.add_method('GetDouble',
'double',
[],
is_const=True)
## int64x64-double.h (module 'core'): int64_t ns3::int64x64_t::GetHigh() const [member function]
cls.add_method('GetHigh',
'int64_t',
[],
is_const=True)
## int64x64-double.h (module 'core'): uint64_t ns3::int64x64_t::GetLow() const [member function]
cls.add_method('GetLow',
'uint64_t',
[],
is_const=True)
## int64x64-double.h (module 'core'): static ns3::int64x64_t ns3::int64x64_t::Invert(uint64_t v) [member function]
cls.add_method('Invert',
'ns3::int64x64_t',
[param('uint64_t', 'v')],
is_static=True)
## int64x64-double.h (module 'core'): void ns3::int64x64_t::MulByInvert(ns3::int64x64_t const & o) [member function]
cls.add_method('MulByInvert',
'void',
[param('ns3::int64x64_t const &', 'o')])
return
def register_Ns3Chunk_methods(root_module, cls):
## chunk.h (module 'network'): ns3::Chunk::Chunk() [constructor]
cls.add_constructor([])
## chunk.h (module 'network'): ns3::Chunk::Chunk(ns3::Chunk const & arg0) [copy constructor]
cls.add_constructor([param('ns3::Chunk const &', 'arg0')])
## chunk.h (module 'network'): uint32_t ns3::Chunk::Deserialize(ns3::Buffer::Iterator start) [member function]
cls.add_method('Deserialize',
'uint32_t',
[param('ns3::Buffer::Iterator', 'start')],
is_pure_virtual=True, is_virtual=True)
## chunk.h (module 'network'): static ns3::TypeId ns3::Chunk::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## chunk.h (module 'network'): void ns3::Chunk::Print(std::ostream & os) const [member function]
cls.add_method('Print',
'void',
[param('std::ostream &', 'os')],
is_pure_virtual=True, is_const=True, is_virtual=True)
return
def register_Ns3Header_methods(root_module, cls):
cls.add_output_stream_operator()
## header.h (module 'network'): ns3::Header::Header() [constructor]
cls.add_constructor([])
## header.h (module 'network'): ns3::Header::Header(ns3::Header const & arg0) [copy constructor]
cls.add_constructor([param('ns3::Header const &', 'arg0')])
## header.h (module 'network'): uint32_t ns3::Header::Deserialize(ns3::Buffer::Iterator start) [member function]
cls.add_method('Deserialize',
'uint32_t',
[param('ns3::Buffer::Iterator', 'start')],
is_pure_virtual=True, is_virtual=True)
## header.h (module 'network'): uint32_t ns3::Header::GetSerializedSize() const [member function]
cls.add_method('GetSerializedSize',
'uint32_t',
[],
is_pure_virtual=True, is_const=True, is_virtual=True)
## header.h (module 'network'): static ns3::TypeId ns3::Header::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## header.h (module 'network'): void ns3::Header::Print(std::ostream & os) const [member function]
cls.add_method('Print',
'void',
[param('std::ostream &', 'os')],
is_pure_virtual=True, is_const=True, is_virtual=True)
## header.h (module 'network'): void ns3::Header::Serialize(ns3::Buffer::Iterator start) const [member function]
cls.add_method('Serialize',
'void',
[param('ns3::Buffer::Iterator', 'start')],
is_pure_virtual=True, is_const=True, is_virtual=True)
return
def register_Ns3Object_methods(root_module, cls):
## object.h (module 'core'): ns3::Object::Object() [constructor]
cls.add_constructor([])
## object.h (module 'core'): void ns3::Object::AggregateObject(ns3::Ptr<ns3::Object> other) [member function]
cls.add_method('AggregateObject',
'void',
[param('ns3::Ptr< ns3::Object >', 'other')])
## object.h (module 'core'): void ns3::Object::Dispose() [member function]
cls.add_method('Dispose',
'void',
[])
## object.h (module 'core'): ns3::Object::AggregateIterator ns3::Object::GetAggregateIterator() const [member function]
cls.add_method('GetAggregateIterator',
'ns3::Object::AggregateIterator',
[],
is_const=True)
## object.h (module 'core'): ns3::TypeId ns3::Object::GetInstanceTypeId() const [member function]
cls.add_method('GetInstanceTypeId',
'ns3::TypeId',
[],
is_const=True, is_virtual=True)
## object.h (module 'core'): static ns3::TypeId ns3::Object::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## object.h (module 'core'): void ns3::Object::Initialize() [member function]
cls.add_method('Initialize',
'void',
[])
## object.h (module 'core'): ns3::Object::Object(ns3::Object const & o) [copy constructor]
cls.add_constructor([param('ns3::Object const &', 'o')],
visibility='protected')
## object.h (module 'core'): void ns3::Object::DoDispose() [member function]
cls.add_method('DoDispose',
'void',
[],
visibility='protected', is_virtual=True)
## object.h (module 'core'): void ns3::Object::DoInitialize() [member function]
cls.add_method('DoInitialize',
'void',
[],
visibility='protected', is_virtual=True)
## object.h (module 'core'): void ns3::Object::NotifyNewAggregate() [member function]
cls.add_method('NotifyNewAggregate',
'void',
[],
visibility='protected', is_virtual=True)
return
def register_Ns3ObjectAggregateIterator_methods(root_module, cls):
## object.h (module 'core'): ns3::Object::AggregateIterator::AggregateIterator(ns3::Object::AggregateIterator const & arg0) [copy constructor]
cls.add_constructor([param('ns3::Object::AggregateIterator const &', 'arg0')])
## object.h (module 'core'): ns3::Object::AggregateIterator::AggregateIterator() [constructor]
cls.add_constructor([])
## object.h (module 'core'): bool ns3::Object::AggregateIterator::HasNext() const [member function]
cls.add_method('HasNext',
'bool',
[],
is_const=True)
## object.h (module 'core'): ns3::Ptr<ns3::Object const> ns3::Object::AggregateIterator::Next() [member function]
cls.add_method('Next',
'ns3::Ptr< ns3::Object const >',
[])
return
def register_Ns3PcapFileWrapper_methods(root_module, cls):
## pcap-file-wrapper.h (module 'network'): static ns3::TypeId ns3::PcapFileWrapper::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## pcap-file-wrapper.h (module 'network'): ns3::PcapFileWrapper::PcapFileWrapper() [constructor]
cls.add_constructor([])
## pcap-file-wrapper.h (module 'network'): bool ns3::PcapFileWrapper::Fail() const [member function]
cls.add_method('Fail',
'bool',
[],
is_const=True)
## pcap-file-wrapper.h (module 'network'): bool ns3::PcapFileWrapper::Eof() const [member function]
cls.add_method('Eof',
'bool',
[],
is_const=True)
## pcap-file-wrapper.h (module 'network'): void ns3::PcapFileWrapper::Clear() [member function]
cls.add_method('Clear',
'void',
[])
## pcap-file-wrapper.h (module 'network'): void ns3::PcapFileWrapper::Open(std::string const & filename, std::_Ios_Openmode mode) [member function]
cls.add_method('Open',
'void',
[param('std::string const &', 'filename'), param('std::_Ios_Openmode', 'mode')])
## pcap-file-wrapper.h (module 'network'): void ns3::PcapFileWrapper::Close() [member function]
cls.add_method('Close',
'void',
[])
## pcap-file-wrapper.h (module 'network'): void ns3::PcapFileWrapper::Init(uint32_t dataLinkType, uint32_t snapLen=std::numeric_limits<unsigned int>::max(), int32_t tzCorrection=ns3::PcapFile::ZONE_DEFAULT) [member function]
cls.add_method('Init',
'void',
[param('uint32_t', 'dataLinkType'), param('uint32_t', 'snapLen', default_value='std::numeric_limits<unsigned int>::max()'), param('int32_t', 'tzCorrection', default_value='ns3::PcapFile::ZONE_DEFAULT')])
## pcap-file-wrapper.h (module 'network'): void ns3::PcapFileWrapper::Write(ns3::Time t, ns3::Ptr<const ns3::Packet> p) [member function]
cls.add_method('Write',
'void',
[param('ns3::Time', 't'), param('ns3::Ptr< ns3::Packet const >', 'p')])
## pcap-file-wrapper.h (module 'network'): void ns3::PcapFileWrapper::Write(ns3::Time t, ns3::Header & header, ns3::Ptr<const ns3::Packet> p) [member function]
cls.add_method('Write',
'void',
[param('ns3::Time', 't'), param('ns3::Header &', 'header'), param('ns3::Ptr< ns3::Packet const >', 'p')])
## pcap-file-wrapper.h (module 'network'): void ns3::PcapFileWrapper::Write(ns3::Time t, uint8_t const * buffer, uint32_t length) [member function]
cls.add_method('Write',
'void',
[param('ns3::Time', 't'), param('uint8_t const *', 'buffer'), param('uint32_t', 'length')])
## pcap-file-wrapper.h (module 'network'): uint32_t ns3::PcapFileWrapper::GetMagic() [member function]
cls.add_method('GetMagic',
'uint32_t',
[])
## pcap-file-wrapper.h (module 'network'): uint16_t ns3::PcapFileWrapper::GetVersionMajor() [member function]
cls.add_method('GetVersionMajor',
'uint16_t',
[])
## pcap-file-wrapper.h (module 'network'): uint16_t ns3::PcapFileWrapper::GetVersionMinor() [member function]
cls.add_method('GetVersionMinor',
'uint16_t',
[])
## pcap-file-wrapper.h (module 'network'): int32_t ns3::PcapFileWrapper::GetTimeZoneOffset() [member function]
cls.add_method('GetTimeZoneOffset',
'int32_t',
[])
## pcap-file-wrapper.h (module 'network'): uint32_t ns3::PcapFileWrapper::GetSigFigs() [member function]
cls.add_method('GetSigFigs',
'uint32_t',
[])
## pcap-file-wrapper.h (module 'network'): uint32_t ns3::PcapFileWrapper::GetSnapLen() [member function]
cls.add_method('GetSnapLen',
'uint32_t',
[])
## pcap-file-wrapper.h (module 'network'): uint32_t ns3::PcapFileWrapper::GetDataLinkType() [member function]
cls.add_method('GetDataLinkType',
'uint32_t',
[])
return
def register_Ns3PppHeader_methods(root_module, cls):
## ppp-header.h (module 'point-to-point'): ns3::PppHeader::PppHeader(ns3::PppHeader const & arg0) [copy constructor]
cls.add_constructor([param('ns3::PppHeader const &', 'arg0')])
## ppp-header.h (module 'point-to-point'): ns3::PppHeader::PppHeader() [constructor]
cls.add_constructor([])
## ppp-header.h (module 'point-to-point'): uint32_t ns3::PppHeader::Deserialize(ns3::Buffer::Iterator start) [member function]
cls.add_method('Deserialize',
'uint32_t',
[param('ns3::Buffer::Iterator', 'start')],
is_virtual=True)
## ppp-header.h (module 'point-to-point'): ns3::TypeId ns3::PppHeader::GetInstanceTypeId() const [member function]
cls.add_method('GetInstanceTypeId',
'ns3::TypeId',
[],
is_const=True, is_virtual=True)
## ppp-header.h (module 'point-to-point'): uint16_t ns3::PppHeader::GetProtocol() [member function]
cls.add_method('GetProtocol',
'uint16_t',
[])
## ppp-header.h (module 'point-to-point'): uint32_t ns3::PppHeader::GetSerializedSize() const [member function]
cls.add_method('GetSerializedSize',
'uint32_t',
[],
is_const=True, is_virtual=True)
## ppp-header.h (module 'point-to-point'): static ns3::TypeId ns3::PppHeader::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## ppp-header.h (module 'point-to-point'): void ns3::PppHeader::Print(std::ostream & os) const [member function]
cls.add_method('Print',
'void',
[param('std::ostream &', 'os')],
is_const=True, is_virtual=True)
## ppp-header.h (module 'point-to-point'): void ns3::PppHeader::Serialize(ns3::Buffer::Iterator start) const [member function]
cls.add_method('Serialize',
'void',
[param('ns3::Buffer::Iterator', 'start')],
is_const=True, is_virtual=True)
## ppp-header.h (module 'point-to-point'): void ns3::PppHeader::SetProtocol(uint16_t protocol) [member function]
cls.add_method('SetProtocol',
'void',
[param('uint16_t', 'protocol')])
return
def register_Ns3Queue_methods(root_module, cls):
## queue.h (module 'network'): ns3::Queue::Queue(ns3::Queue const & arg0) [copy constructor]
cls.add_constructor([param('ns3::Queue const &', 'arg0')])
## queue.h (module 'network'): ns3::Queue::Queue() [constructor]
cls.add_constructor([])
## queue.h (module 'network'): ns3::Ptr<ns3::Packet> ns3::Queue::Dequeue() [member function]
cls.add_method('Dequeue',
'ns3::Ptr< ns3::Packet >',
[])
## queue.h (module 'network'): void ns3::Queue::DequeueAll() [member function]
cls.add_method('DequeueAll',
'void',
[])
## queue.h (module 'network'): bool ns3::Queue::Enqueue(ns3::Ptr<ns3::Packet> p) [member function]
cls.add_method('Enqueue',
'bool',
[param('ns3::Ptr< ns3::Packet >', 'p')])
## queue.h (module 'network'): uint32_t ns3::Queue::GetNBytes() const [member function]
cls.add_method('GetNBytes',
'uint32_t',
[],
is_const=True)
## queue.h (module 'network'): uint32_t ns3::Queue::GetNPackets() const [member function]
cls.add_method('GetNPackets',
'uint32_t',
[],
is_const=True)
## queue.h (module 'network'): uint32_t ns3::Queue::GetTotalDroppedBytes() const [member function]
cls.add_method('GetTotalDroppedBytes',
'uint32_t',
[],
is_const=True)
## queue.h (module 'network'): uint32_t ns3::Queue::GetTotalDroppedPackets() const [member function]
cls.add_method('GetTotalDroppedPackets',
'uint32_t',
[],
is_const=True)
## queue.h (module 'network'): uint32_t ns3::Queue::GetTotalReceivedBytes() const [member function]
cls.add_method('GetTotalReceivedBytes',
'uint32_t',
[],
is_const=True)
## queue.h (module 'network'): uint32_t ns3::Queue::GetTotalReceivedPackets() const [member function]
cls.add_method('GetTotalReceivedPackets',
'uint32_t',
[],
is_const=True)
## queue.h (module 'network'): static ns3::TypeId ns3::Queue::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## queue.h (module 'network'): bool ns3::Queue::IsEmpty() const [member function]
cls.add_method('IsEmpty',
'bool',
[],
is_const=True)
## queue.h (module 'network'): ns3::Ptr<const ns3::Packet> ns3::Queue::Peek() const [member function]
cls.add_method('Peek',
'ns3::Ptr< ns3::Packet const >',
[],
is_const=True)
## queue.h (module 'network'): void ns3::Queue::ResetStatistics() [member function]
cls.add_method('ResetStatistics',
'void',
[])
## queue.h (module 'network'): void ns3::Queue::Drop(ns3::Ptr<ns3::Packet> packet) [member function]
cls.add_method('Drop',
'void',
[param('ns3::Ptr< ns3::Packet >', 'packet')],
visibility='protected')
## queue.h (module 'network'): ns3::Ptr<ns3::Packet> ns3::Queue::DoDequeue() [member function]
cls.add_method('DoDequeue',
'ns3::Ptr< ns3::Packet >',
[],
is_pure_virtual=True, visibility='private', is_virtual=True)
## queue.h (module 'network'): bool ns3::Queue::DoEnqueue(ns3::Ptr<ns3::Packet> p) [member function]
cls.add_method('DoEnqueue',
'bool',
[param('ns3::Ptr< ns3::Packet >', 'p')],
is_pure_virtual=True, visibility='private', is_virtual=True)
## queue.h (module 'network'): ns3::Ptr<const ns3::Packet> ns3::Queue::DoPeek() const [member function]
cls.add_method('DoPeek',
'ns3::Ptr< ns3::Packet const >',
[],
is_pure_virtual=True, is_const=True, visibility='private', is_virtual=True)
return
def register_Ns3RandomVariableStream_methods(root_module, cls):
## random-variable-stream.h (module 'core'): static ns3::TypeId ns3::RandomVariableStream::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## random-variable-stream.h (module 'core'): ns3::RandomVariableStream::RandomVariableStream() [constructor]
cls.add_constructor([])
## random-variable-stream.h (module 'core'): void ns3::RandomVariableStream::SetStream(int64_t stream) [member function]
cls.add_method('SetStream',
'void',
[param('int64_t', 'stream')])
## random-variable-stream.h (module 'core'): int64_t ns3::RandomVariableStream::GetStream() const [member function]
cls.add_method('GetStream',
'int64_t',
[],
is_const=True)
## random-variable-stream.h (module 'core'): void ns3::RandomVariableStream::SetAntithetic(bool isAntithetic) [member function]
cls.add_method('SetAntithetic',
'void',
[param('bool', 'isAntithetic')])
## random-variable-stream.h (module 'core'): bool ns3::RandomVariableStream::IsAntithetic() const [member function]
cls.add_method('IsAntithetic',
'bool',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::RandomVariableStream::GetValue() [member function]
cls.add_method('GetValue',
'double',
[],
is_pure_virtual=True, is_virtual=True)
## random-variable-stream.h (module 'core'): uint32_t ns3::RandomVariableStream::GetInteger() [member function]
cls.add_method('GetInteger',
'uint32_t',
[],
is_pure_virtual=True, is_virtual=True)
## random-variable-stream.h (module 'core'): ns3::RngStream * ns3::RandomVariableStream::Peek() const [member function]
cls.add_method('Peek',
'ns3::RngStream *',
[],
is_const=True, visibility='protected')
return
def register_Ns3SequentialRandomVariable_methods(root_module, cls):
## random-variable-stream.h (module 'core'): static ns3::TypeId ns3::SequentialRandomVariable::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## random-variable-stream.h (module 'core'): ns3::SequentialRandomVariable::SequentialRandomVariable() [constructor]
cls.add_constructor([])
## random-variable-stream.h (module 'core'): double ns3::SequentialRandomVariable::GetMin() const [member function]
cls.add_method('GetMin',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::SequentialRandomVariable::GetMax() const [member function]
cls.add_method('GetMax',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): ns3::Ptr<ns3::RandomVariableStream> ns3::SequentialRandomVariable::GetIncrement() const [member function]
cls.add_method('GetIncrement',
'ns3::Ptr< ns3::RandomVariableStream >',
[],
is_const=True)
## random-variable-stream.h (module 'core'): uint32_t ns3::SequentialRandomVariable::GetConsecutive() const [member function]
cls.add_method('GetConsecutive',
'uint32_t',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::SequentialRandomVariable::GetValue() [member function]
cls.add_method('GetValue',
'double',
[],
is_virtual=True)
## random-variable-stream.h (module 'core'): uint32_t ns3::SequentialRandomVariable::GetInteger() [member function]
cls.add_method('GetInteger',
'uint32_t',
[],
is_virtual=True)
return
def register_Ns3SimpleRefCount__Ns3AttributeAccessor_Ns3Empty_Ns3DefaultDeleter__lt__ns3AttributeAccessor__gt___methods(root_module, cls):
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::AttributeAccessor, ns3::empty, ns3::DefaultDeleter<ns3::AttributeAccessor> >::SimpleRefCount() [constructor]
cls.add_constructor([])
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::AttributeAccessor, ns3::empty, ns3::DefaultDeleter<ns3::AttributeAccessor> >::SimpleRefCount(ns3::SimpleRefCount<ns3::AttributeAccessor, ns3::empty, ns3::DefaultDeleter<ns3::AttributeAccessor> > const & o) [copy constructor]
cls.add_constructor([param('ns3::SimpleRefCount< ns3::AttributeAccessor, ns3::empty, ns3::DefaultDeleter< ns3::AttributeAccessor > > const &', 'o')])
## simple-ref-count.h (module 'core'): static void ns3::SimpleRefCount<ns3::AttributeAccessor, ns3::empty, ns3::DefaultDeleter<ns3::AttributeAccessor> >::Cleanup() [member function]
cls.add_method('Cleanup',
'void',
[],
is_static=True)
return
def register_Ns3SimpleRefCount__Ns3AttributeChecker_Ns3Empty_Ns3DefaultDeleter__lt__ns3AttributeChecker__gt___methods(root_module, cls):
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::AttributeChecker, ns3::empty, ns3::DefaultDeleter<ns3::AttributeChecker> >::SimpleRefCount() [constructor]
cls.add_constructor([])
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::AttributeChecker, ns3::empty, ns3::DefaultDeleter<ns3::AttributeChecker> >::SimpleRefCount(ns3::SimpleRefCount<ns3::AttributeChecker, ns3::empty, ns3::DefaultDeleter<ns3::AttributeChecker> > const & o) [copy constructor]
cls.add_constructor([param('ns3::SimpleRefCount< ns3::AttributeChecker, ns3::empty, ns3::DefaultDeleter< ns3::AttributeChecker > > const &', 'o')])
## simple-ref-count.h (module 'core'): static void ns3::SimpleRefCount<ns3::AttributeChecker, ns3::empty, ns3::DefaultDeleter<ns3::AttributeChecker> >::Cleanup() [member function]
cls.add_method('Cleanup',
'void',
[],
is_static=True)
return
def register_Ns3SimpleRefCount__Ns3AttributeValue_Ns3Empty_Ns3DefaultDeleter__lt__ns3AttributeValue__gt___methods(root_module, cls):
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::AttributeValue, ns3::empty, ns3::DefaultDeleter<ns3::AttributeValue> >::SimpleRefCount() [constructor]
cls.add_constructor([])
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::AttributeValue, ns3::empty, ns3::DefaultDeleter<ns3::AttributeValue> >::SimpleRefCount(ns3::SimpleRefCount<ns3::AttributeValue, ns3::empty, ns3::DefaultDeleter<ns3::AttributeValue> > const & o) [copy constructor]
cls.add_constructor([param('ns3::SimpleRefCount< ns3::AttributeValue, ns3::empty, ns3::DefaultDeleter< ns3::AttributeValue > > const &', 'o')])
## simple-ref-count.h (module 'core'): static void ns3::SimpleRefCount<ns3::AttributeValue, ns3::empty, ns3::DefaultDeleter<ns3::AttributeValue> >::Cleanup() [member function]
cls.add_method('Cleanup',
'void',
[],
is_static=True)
return
def register_Ns3SimpleRefCount__Ns3CallbackImplBase_Ns3Empty_Ns3DefaultDeleter__lt__ns3CallbackImplBase__gt___methods(root_module, cls):
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::CallbackImplBase, ns3::empty, ns3::DefaultDeleter<ns3::CallbackImplBase> >::SimpleRefCount() [constructor]
cls.add_constructor([])
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::CallbackImplBase, ns3::empty, ns3::DefaultDeleter<ns3::CallbackImplBase> >::SimpleRefCount(ns3::SimpleRefCount<ns3::CallbackImplBase, ns3::empty, ns3::DefaultDeleter<ns3::CallbackImplBase> > const & o) [copy constructor]
cls.add_constructor([param('ns3::SimpleRefCount< ns3::CallbackImplBase, ns3::empty, ns3::DefaultDeleter< ns3::CallbackImplBase > > const &', 'o')])
## simple-ref-count.h (module 'core'): static void ns3::SimpleRefCount<ns3::CallbackImplBase, ns3::empty, ns3::DefaultDeleter<ns3::CallbackImplBase> >::Cleanup() [member function]
cls.add_method('Cleanup',
'void',
[],
is_static=True)
return
def register_Ns3SimpleRefCount__Ns3EventImpl_Ns3Empty_Ns3DefaultDeleter__lt__ns3EventImpl__gt___methods(root_module, cls):
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::EventImpl, ns3::empty, ns3::DefaultDeleter<ns3::EventImpl> >::SimpleRefCount() [constructor]
cls.add_constructor([])
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::EventImpl, ns3::empty, ns3::DefaultDeleter<ns3::EventImpl> >::SimpleRefCount(ns3::SimpleRefCount<ns3::EventImpl, ns3::empty, ns3::DefaultDeleter<ns3::EventImpl> > const & o) [copy constructor]
cls.add_constructor([param('ns3::SimpleRefCount< ns3::EventImpl, ns3::empty, ns3::DefaultDeleter< ns3::EventImpl > > const &', 'o')])
## simple-ref-count.h (module 'core'): static void ns3::SimpleRefCount<ns3::EventImpl, ns3::empty, ns3::DefaultDeleter<ns3::EventImpl> >::Cleanup() [member function]
cls.add_method('Cleanup',
'void',
[],
is_static=True)
return
def register_Ns3SimpleRefCount__Ns3NixVector_Ns3Empty_Ns3DefaultDeleter__lt__ns3NixVector__gt___methods(root_module, cls):
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::NixVector, ns3::empty, ns3::DefaultDeleter<ns3::NixVector> >::SimpleRefCount() [constructor]
cls.add_constructor([])
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::NixVector, ns3::empty, ns3::DefaultDeleter<ns3::NixVector> >::SimpleRefCount(ns3::SimpleRefCount<ns3::NixVector, ns3::empty, ns3::DefaultDeleter<ns3::NixVector> > const & o) [copy constructor]
cls.add_constructor([param('ns3::SimpleRefCount< ns3::NixVector, ns3::empty, ns3::DefaultDeleter< ns3::NixVector > > const &', 'o')])
## simple-ref-count.h (module 'core'): static void ns3::SimpleRefCount<ns3::NixVector, ns3::empty, ns3::DefaultDeleter<ns3::NixVector> >::Cleanup() [member function]
cls.add_method('Cleanup',
'void',
[],
is_static=True)
return
def register_Ns3SimpleRefCount__Ns3OutputStreamWrapper_Ns3Empty_Ns3DefaultDeleter__lt__ns3OutputStreamWrapper__gt___methods(root_module, cls):
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::OutputStreamWrapper, ns3::empty, ns3::DefaultDeleter<ns3::OutputStreamWrapper> >::SimpleRefCount() [constructor]
cls.add_constructor([])
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::OutputStreamWrapper, ns3::empty, ns3::DefaultDeleter<ns3::OutputStreamWrapper> >::SimpleRefCount(ns3::SimpleRefCount<ns3::OutputStreamWrapper, ns3::empty, ns3::DefaultDeleter<ns3::OutputStreamWrapper> > const & o) [copy constructor]
cls.add_constructor([param('ns3::SimpleRefCount< ns3::OutputStreamWrapper, ns3::empty, ns3::DefaultDeleter< ns3::OutputStreamWrapper > > const &', 'o')])
## simple-ref-count.h (module 'core'): static void ns3::SimpleRefCount<ns3::OutputStreamWrapper, ns3::empty, ns3::DefaultDeleter<ns3::OutputStreamWrapper> >::Cleanup() [member function]
cls.add_method('Cleanup',
'void',
[],
is_static=True)
return
def register_Ns3SimpleRefCount__Ns3Packet_Ns3Empty_Ns3DefaultDeleter__lt__ns3Packet__gt___methods(root_module, cls):
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::Packet, ns3::empty, ns3::DefaultDeleter<ns3::Packet> >::SimpleRefCount() [constructor]
cls.add_constructor([])
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::Packet, ns3::empty, ns3::DefaultDeleter<ns3::Packet> >::SimpleRefCount(ns3::SimpleRefCount<ns3::Packet, ns3::empty, ns3::DefaultDeleter<ns3::Packet> > const & o) [copy constructor]
cls.add_constructor([param('ns3::SimpleRefCount< ns3::Packet, ns3::empty, ns3::DefaultDeleter< ns3::Packet > > const &', 'o')])
## simple-ref-count.h (module 'core'): static void ns3::SimpleRefCount<ns3::Packet, ns3::empty, ns3::DefaultDeleter<ns3::Packet> >::Cleanup() [member function]
cls.add_method('Cleanup',
'void',
[],
is_static=True)
return
def register_Ns3SimpleRefCount__Ns3TraceSourceAccessor_Ns3Empty_Ns3DefaultDeleter__lt__ns3TraceSourceAccessor__gt___methods(root_module, cls):
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::TraceSourceAccessor, ns3::empty, ns3::DefaultDeleter<ns3::TraceSourceAccessor> >::SimpleRefCount() [constructor]
cls.add_constructor([])
## simple-ref-count.h (module 'core'): ns3::SimpleRefCount<ns3::TraceSourceAccessor, ns3::empty, ns3::DefaultDeleter<ns3::TraceSourceAccessor> >::SimpleRefCount(ns3::SimpleRefCount<ns3::TraceSourceAccessor, ns3::empty, ns3::DefaultDeleter<ns3::TraceSourceAccessor> > const & o) [copy constructor]
cls.add_constructor([param('ns3::SimpleRefCount< ns3::TraceSourceAccessor, ns3::empty, ns3::DefaultDeleter< ns3::TraceSourceAccessor > > const &', 'o')])
## simple-ref-count.h (module 'core'): static void ns3::SimpleRefCount<ns3::TraceSourceAccessor, ns3::empty, ns3::DefaultDeleter<ns3::TraceSourceAccessor> >::Cleanup() [member function]
cls.add_method('Cleanup',
'void',
[],
is_static=True)
return
def register_Ns3Time_methods(root_module, cls):
cls.add_binary_numeric_operator('+', root_module['ns3::Time'], root_module['ns3::Time'], param('ns3::Time const &', 'right'))
cls.add_binary_numeric_operator('-', root_module['ns3::Time'], root_module['ns3::Time'], param('ns3::Time const &', 'right'))
cls.add_binary_comparison_operator('<')
cls.add_binary_comparison_operator('>')
cls.add_binary_comparison_operator('!=')
cls.add_inplace_numeric_operator('+=', param('ns3::Time const &', 'right'))
cls.add_inplace_numeric_operator('-=', param('ns3::Time const &', 'right'))
cls.add_output_stream_operator()
cls.add_binary_comparison_operator('<=')
cls.add_binary_comparison_operator('==')
cls.add_binary_comparison_operator('>=')
## nstime.h (module 'core'): ns3::Time::Time() [constructor]
cls.add_constructor([])
## nstime.h (module 'core'): ns3::Time::Time(ns3::Time const & o) [copy constructor]
cls.add_constructor([param('ns3::Time const &', 'o')])
## nstime.h (module 'core'): ns3::Time::Time(double v) [constructor]
cls.add_constructor([param('double', 'v')])
## nstime.h (module 'core'): ns3::Time::Time(int v) [constructor]
cls.add_constructor([param('int', 'v')])
## nstime.h (module 'core'): ns3::Time::Time(long int v) [constructor]
cls.add_constructor([param('long int', 'v')])
## nstime.h (module 'core'): ns3::Time::Time(long long int v) [constructor]
cls.add_constructor([param('long long int', 'v')])
## nstime.h (module 'core'): ns3::Time::Time(unsigned int v) [constructor]
cls.add_constructor([param('unsigned int', 'v')])
## nstime.h (module 'core'): ns3::Time::Time(long unsigned int v) [constructor]
cls.add_constructor([param('long unsigned int', 'v')])
## nstime.h (module 'core'): ns3::Time::Time(long long unsigned int v) [constructor]
cls.add_constructor([param('long long unsigned int', 'v')])
## nstime.h (module 'core'): ns3::Time::Time(std::string const & s) [constructor]
cls.add_constructor([param('std::string const &', 's')])
## nstime.h (module 'core'): ns3::Time::Time(ns3::int64x64_t const & value) [constructor]
cls.add_constructor([param('ns3::int64x64_t const &', 'value')])
## nstime.h (module 'core'): int ns3::Time::Compare(ns3::Time const & o) const [member function]
cls.add_method('Compare',
'int',
[param('ns3::Time const &', 'o')],
is_const=True)
## nstime.h (module 'core'): static ns3::Time ns3::Time::From(ns3::int64x64_t const & from, ns3::Time::Unit timeUnit) [member function]
cls.add_method('From',
'ns3::Time',
[param('ns3::int64x64_t const &', 'from'), param('ns3::Time::Unit', 'timeUnit')],
is_static=True)
## nstime.h (module 'core'): static ns3::Time ns3::Time::From(ns3::int64x64_t const & value) [member function]
cls.add_method('From',
'ns3::Time',
[param('ns3::int64x64_t const &', 'value')],
is_static=True)
## nstime.h (module 'core'): static ns3::Time ns3::Time::FromDouble(double value, ns3::Time::Unit timeUnit) [member function]
cls.add_method('FromDouble',
'ns3::Time',
[param('double', 'value'), param('ns3::Time::Unit', 'timeUnit')],
is_static=True)
## nstime.h (module 'core'): static ns3::Time ns3::Time::FromInteger(uint64_t value, ns3::Time::Unit timeUnit) [member function]
cls.add_method('FromInteger',
'ns3::Time',
[param('uint64_t', 'value'), param('ns3::Time::Unit', 'timeUnit')],
is_static=True)
## nstime.h (module 'core'): double ns3::Time::GetDouble() const [member function]
cls.add_method('GetDouble',
'double',
[],
is_const=True)
## nstime.h (module 'core'): int64_t ns3::Time::GetFemtoSeconds() const [member function]
cls.add_method('GetFemtoSeconds',
'int64_t',
[],
is_const=True)
## nstime.h (module 'core'): int64_t ns3::Time::GetInteger() const [member function]
cls.add_method('GetInteger',
'int64_t',
[],
is_const=True)
## nstime.h (module 'core'): int64_t ns3::Time::GetMicroSeconds() const [member function]
cls.add_method('GetMicroSeconds',
'int64_t',
[],
is_const=True)
## nstime.h (module 'core'): int64_t ns3::Time::GetMilliSeconds() const [member function]
cls.add_method('GetMilliSeconds',
'int64_t',
[],
is_const=True)
## nstime.h (module 'core'): int64_t ns3::Time::GetNanoSeconds() const [member function]
cls.add_method('GetNanoSeconds',
'int64_t',
[],
is_const=True)
## nstime.h (module 'core'): int64_t ns3::Time::GetPicoSeconds() const [member function]
cls.add_method('GetPicoSeconds',
'int64_t',
[],
is_const=True)
## nstime.h (module 'core'): static ns3::Time::Unit ns3::Time::GetResolution() [member function]
cls.add_method('GetResolution',
'ns3::Time::Unit',
[],
is_static=True)
## nstime.h (module 'core'): double ns3::Time::GetSeconds() const [member function]
cls.add_method('GetSeconds',
'double',
[],
is_const=True)
## nstime.h (module 'core'): int64_t ns3::Time::GetTimeStep() const [member function]
cls.add_method('GetTimeStep',
'int64_t',
[],
is_const=True)
## nstime.h (module 'core'): bool ns3::Time::IsNegative() const [member function]
cls.add_method('IsNegative',
'bool',
[],
is_const=True)
## nstime.h (module 'core'): bool ns3::Time::IsPositive() const [member function]
cls.add_method('IsPositive',
'bool',
[],
is_const=True)
## nstime.h (module 'core'): bool ns3::Time::IsStrictlyNegative() const [member function]
cls.add_method('IsStrictlyNegative',
'bool',
[],
is_const=True)
## nstime.h (module 'core'): bool ns3::Time::IsStrictlyPositive() const [member function]
cls.add_method('IsStrictlyPositive',
'bool',
[],
is_const=True)
## nstime.h (module 'core'): bool ns3::Time::IsZero() const [member function]
cls.add_method('IsZero',
'bool',
[],
is_const=True)
## nstime.h (module 'core'): static ns3::Time ns3::Time::MAX() [member function]
cls.add_method('MAX',
'ns3::Time',
[],
is_static=True)
## nstime.h (module 'core'): static ns3::Time ns3::Time::MIN() [member function]
cls.add_method('MIN',
'ns3::Time',
[],
is_static=True)
## nstime.h (module 'core'): static void ns3::Time::SetResolution(ns3::Time::Unit resolution) [member function]
cls.add_method('SetResolution',
'void',
[param('ns3::Time::Unit', 'resolution')],
is_static=True)
## nstime.h (module 'core'): ns3::int64x64_t ns3::Time::To(ns3::Time::Unit timeUnit) const [member function]
cls.add_method('To',
'ns3::int64x64_t',
[param('ns3::Time::Unit', 'timeUnit')],
is_const=True)
## nstime.h (module 'core'): double ns3::Time::ToDouble(ns3::Time::Unit timeUnit) const [member function]
cls.add_method('ToDouble',
'double',
[param('ns3::Time::Unit', 'timeUnit')],
is_const=True)
## nstime.h (module 'core'): int64_t ns3::Time::ToInteger(ns3::Time::Unit timeUnit) const [member function]
cls.add_method('ToInteger',
'int64_t',
[param('ns3::Time::Unit', 'timeUnit')],
is_const=True)
return
def register_Ns3TraceSourceAccessor_methods(root_module, cls):
## trace-source-accessor.h (module 'core'): ns3::TraceSourceAccessor::TraceSourceAccessor(ns3::TraceSourceAccessor const & arg0) [copy constructor]
cls.add_constructor([param('ns3::TraceSourceAccessor const &', 'arg0')])
## trace-source-accessor.h (module 'core'): ns3::TraceSourceAccessor::TraceSourceAccessor() [constructor]
cls.add_constructor([])
## trace-source-accessor.h (module 'core'): bool ns3::TraceSourceAccessor::Connect(ns3::ObjectBase * obj, std::string context, ns3::CallbackBase const & cb) const [member function]
cls.add_method('Connect',
'bool',
[param('ns3::ObjectBase *', 'obj', transfer_ownership=False), param('std::string', 'context'), param('ns3::CallbackBase const &', 'cb')],
is_pure_virtual=True, is_const=True, is_virtual=True)
## trace-source-accessor.h (module 'core'): bool ns3::TraceSourceAccessor::ConnectWithoutContext(ns3::ObjectBase * obj, ns3::CallbackBase const & cb) const [member function]
cls.add_method('ConnectWithoutContext',
'bool',
[param('ns3::ObjectBase *', 'obj', transfer_ownership=False), param('ns3::CallbackBase const &', 'cb')],
is_pure_virtual=True, is_const=True, is_virtual=True)
## trace-source-accessor.h (module 'core'): bool ns3::TraceSourceAccessor::Disconnect(ns3::ObjectBase * obj, std::string context, ns3::CallbackBase const & cb) const [member function]
cls.add_method('Disconnect',
'bool',
[param('ns3::ObjectBase *', 'obj', transfer_ownership=False), param('std::string', 'context'), param('ns3::CallbackBase const &', 'cb')],
is_pure_virtual=True, is_const=True, is_virtual=True)
## trace-source-accessor.h (module 'core'): bool ns3::TraceSourceAccessor::DisconnectWithoutContext(ns3::ObjectBase * obj, ns3::CallbackBase const & cb) const [member function]
cls.add_method('DisconnectWithoutContext',
'bool',
[param('ns3::ObjectBase *', 'obj', transfer_ownership=False), param('ns3::CallbackBase const &', 'cb')],
is_pure_virtual=True, is_const=True, is_virtual=True)
return
def register_Ns3Trailer_methods(root_module, cls):
cls.add_output_stream_operator()
## trailer.h (module 'network'): ns3::Trailer::Trailer() [constructor]
cls.add_constructor([])
## trailer.h (module 'network'): ns3::Trailer::Trailer(ns3::Trailer const & arg0) [copy constructor]
cls.add_constructor([param('ns3::Trailer const &', 'arg0')])
## trailer.h (module 'network'): uint32_t ns3::Trailer::Deserialize(ns3::Buffer::Iterator end) [member function]
cls.add_method('Deserialize',
'uint32_t',
[param('ns3::Buffer::Iterator', 'end')],
is_pure_virtual=True, is_virtual=True)
## trailer.h (module 'network'): uint32_t ns3::Trailer::GetSerializedSize() const [member function]
cls.add_method('GetSerializedSize',
'uint32_t',
[],
is_pure_virtual=True, is_const=True, is_virtual=True)
## trailer.h (module 'network'): static ns3::TypeId ns3::Trailer::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## trailer.h (module 'network'): void ns3::Trailer::Print(std::ostream & os) const [member function]
cls.add_method('Print',
'void',
[param('std::ostream &', 'os')],
is_pure_virtual=True, is_const=True, is_virtual=True)
## trailer.h (module 'network'): void ns3::Trailer::Serialize(ns3::Buffer::Iterator start) const [member function]
cls.add_method('Serialize',
'void',
[param('ns3::Buffer::Iterator', 'start')],
is_pure_virtual=True, is_const=True, is_virtual=True)
return
def register_Ns3TriangularRandomVariable_methods(root_module, cls):
## random-variable-stream.h (module 'core'): static ns3::TypeId ns3::TriangularRandomVariable::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## random-variable-stream.h (module 'core'): ns3::TriangularRandomVariable::TriangularRandomVariable() [constructor]
cls.add_constructor([])
## random-variable-stream.h (module 'core'): double ns3::TriangularRandomVariable::GetMean() const [member function]
cls.add_method('GetMean',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::TriangularRandomVariable::GetMin() const [member function]
cls.add_method('GetMin',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::TriangularRandomVariable::GetMax() const [member function]
cls.add_method('GetMax',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::TriangularRandomVariable::GetValue(double mean, double min, double max) [member function]
cls.add_method('GetValue',
'double',
[param('double', 'mean'), param('double', 'min'), param('double', 'max')])
## random-variable-stream.h (module 'core'): uint32_t ns3::TriangularRandomVariable::GetInteger(uint32_t mean, uint32_t min, uint32_t max) [member function]
cls.add_method('GetInteger',
'uint32_t',
[param('uint32_t', 'mean'), param('uint32_t', 'min'), param('uint32_t', 'max')])
## random-variable-stream.h (module 'core'): double ns3::TriangularRandomVariable::GetValue() [member function]
cls.add_method('GetValue',
'double',
[],
is_virtual=True)
## random-variable-stream.h (module 'core'): uint32_t ns3::TriangularRandomVariable::GetInteger() [member function]
cls.add_method('GetInteger',
'uint32_t',
[],
is_virtual=True)
return
def register_Ns3UniformRandomVariable_methods(root_module, cls):
## random-variable-stream.h (module 'core'): static ns3::TypeId ns3::UniformRandomVariable::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## random-variable-stream.h (module 'core'): ns3::UniformRandomVariable::UniformRandomVariable() [constructor]
cls.add_constructor([])
## random-variable-stream.h (module 'core'): double ns3::UniformRandomVariable::GetMin() const [member function]
cls.add_method('GetMin',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::UniformRandomVariable::GetMax() const [member function]
cls.add_method('GetMax',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::UniformRandomVariable::GetValue(double min, double max) [member function]
cls.add_method('GetValue',
'double',
[param('double', 'min'), param('double', 'max')])
## random-variable-stream.h (module 'core'): uint32_t ns3::UniformRandomVariable::GetInteger(uint32_t min, uint32_t max) [member function]
cls.add_method('GetInteger',
'uint32_t',
[param('uint32_t', 'min'), param('uint32_t', 'max')])
## random-variable-stream.h (module 'core'): double ns3::UniformRandomVariable::GetValue() [member function]
cls.add_method('GetValue',
'double',
[],
is_virtual=True)
## random-variable-stream.h (module 'core'): uint32_t ns3::UniformRandomVariable::GetInteger() [member function]
cls.add_method('GetInteger',
'uint32_t',
[],
is_virtual=True)
return
def register_Ns3WeibullRandomVariable_methods(root_module, cls):
## random-variable-stream.h (module 'core'): static ns3::TypeId ns3::WeibullRandomVariable::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## random-variable-stream.h (module 'core'): ns3::WeibullRandomVariable::WeibullRandomVariable() [constructor]
cls.add_constructor([])
## random-variable-stream.h (module 'core'): double ns3::WeibullRandomVariable::GetScale() const [member function]
cls.add_method('GetScale',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::WeibullRandomVariable::GetShape() const [member function]
cls.add_method('GetShape',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::WeibullRandomVariable::GetBound() const [member function]
cls.add_method('GetBound',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::WeibullRandomVariable::GetValue(double scale, double shape, double bound) [member function]
cls.add_method('GetValue',
'double',
[param('double', 'scale'), param('double', 'shape'), param('double', 'bound')])
## random-variable-stream.h (module 'core'): uint32_t ns3::WeibullRandomVariable::GetInteger(uint32_t scale, uint32_t shape, uint32_t bound) [member function]
cls.add_method('GetInteger',
'uint32_t',
[param('uint32_t', 'scale'), param('uint32_t', 'shape'), param('uint32_t', 'bound')])
## random-variable-stream.h (module 'core'): double ns3::WeibullRandomVariable::GetValue() [member function]
cls.add_method('GetValue',
'double',
[],
is_virtual=True)
## random-variable-stream.h (module 'core'): uint32_t ns3::WeibullRandomVariable::GetInteger() [member function]
cls.add_method('GetInteger',
'uint32_t',
[],
is_virtual=True)
return
def register_Ns3ZetaRandomVariable_methods(root_module, cls):
## random-variable-stream.h (module 'core'): static ns3::TypeId ns3::ZetaRandomVariable::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## random-variable-stream.h (module 'core'): ns3::ZetaRandomVariable::ZetaRandomVariable() [constructor]
cls.add_constructor([])
## random-variable-stream.h (module 'core'): double ns3::ZetaRandomVariable::GetAlpha() const [member function]
cls.add_method('GetAlpha',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::ZetaRandomVariable::GetValue(double alpha) [member function]
cls.add_method('GetValue',
'double',
[param('double', 'alpha')])
## random-variable-stream.h (module 'core'): uint32_t ns3::ZetaRandomVariable::GetInteger(uint32_t alpha) [member function]
cls.add_method('GetInteger',
'uint32_t',
[param('uint32_t', 'alpha')])
## random-variable-stream.h (module 'core'): double ns3::ZetaRandomVariable::GetValue() [member function]
cls.add_method('GetValue',
'double',
[],
is_virtual=True)
## random-variable-stream.h (module 'core'): uint32_t ns3::ZetaRandomVariable::GetInteger() [member function]
cls.add_method('GetInteger',
'uint32_t',
[],
is_virtual=True)
return
def register_Ns3ZipfRandomVariable_methods(root_module, cls):
## random-variable-stream.h (module 'core'): static ns3::TypeId ns3::ZipfRandomVariable::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## random-variable-stream.h (module 'core'): ns3::ZipfRandomVariable::ZipfRandomVariable() [constructor]
cls.add_constructor([])
## random-variable-stream.h (module 'core'): uint32_t ns3::ZipfRandomVariable::GetN() const [member function]
cls.add_method('GetN',
'uint32_t',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::ZipfRandomVariable::GetAlpha() const [member function]
cls.add_method('GetAlpha',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::ZipfRandomVariable::GetValue(uint32_t n, double alpha) [member function]
cls.add_method('GetValue',
'double',
[param('uint32_t', 'n'), param('double', 'alpha')])
## random-variable-stream.h (module 'core'): uint32_t ns3::ZipfRandomVariable::GetInteger(uint32_t n, uint32_t alpha) [member function]
cls.add_method('GetInteger',
'uint32_t',
[param('uint32_t', 'n'), param('uint32_t', 'alpha')])
## random-variable-stream.h (module 'core'): double ns3::ZipfRandomVariable::GetValue() [member function]
cls.add_method('GetValue',
'double',
[],
is_virtual=True)
## random-variable-stream.h (module 'core'): uint32_t ns3::ZipfRandomVariable::GetInteger() [member function]
cls.add_method('GetInteger',
'uint32_t',
[],
is_virtual=True)
return
def register_Ns3AttributeAccessor_methods(root_module, cls):
## attribute.h (module 'core'): ns3::AttributeAccessor::AttributeAccessor(ns3::AttributeAccessor const & arg0) [copy constructor]
cls.add_constructor([param('ns3::AttributeAccessor const &', 'arg0')])
## attribute.h (module 'core'): ns3::AttributeAccessor::AttributeAccessor() [constructor]
cls.add_constructor([])
## attribute.h (module 'core'): bool ns3::AttributeAccessor::Get(ns3::ObjectBase const * object, ns3::AttributeValue & attribute) const [member function]
cls.add_method('Get',
'bool',
[param('ns3::ObjectBase const *', 'object'), param('ns3::AttributeValue &', 'attribute')],
is_pure_virtual=True, is_const=True, is_virtual=True)
## attribute.h (module 'core'): bool ns3::AttributeAccessor::HasGetter() const [member function]
cls.add_method('HasGetter',
'bool',
[],
is_pure_virtual=True, is_const=True, is_virtual=True)
## attribute.h (module 'core'): bool ns3::AttributeAccessor::HasSetter() const [member function]
cls.add_method('HasSetter',
'bool',
[],
is_pure_virtual=True, is_const=True, is_virtual=True)
## attribute.h (module 'core'): bool ns3::AttributeAccessor::Set(ns3::ObjectBase * object, ns3::AttributeValue const & value) const [member function]
cls.add_method('Set',
'bool',
[param('ns3::ObjectBase *', 'object', transfer_ownership=False), param('ns3::AttributeValue const &', 'value')],
is_pure_virtual=True, is_const=True, is_virtual=True)
return
def register_Ns3AttributeChecker_methods(root_module, cls):
## attribute.h (module 'core'): ns3::AttributeChecker::AttributeChecker(ns3::AttributeChecker const & arg0) [copy constructor]
cls.add_constructor([param('ns3::AttributeChecker const &', 'arg0')])
## attribute.h (module 'core'): ns3::AttributeChecker::AttributeChecker() [constructor]
cls.add_constructor([])
## attribute.h (module 'core'): bool ns3::AttributeChecker::Check(ns3::AttributeValue const & value) const [member function]
cls.add_method('Check',
'bool',
[param('ns3::AttributeValue const &', 'value')],
is_pure_virtual=True, is_const=True, is_virtual=True)
## attribute.h (module 'core'): bool ns3::AttributeChecker::Copy(ns3::AttributeValue const & source, ns3::AttributeValue & destination) const [member function]
cls.add_method('Copy',
'bool',
[param('ns3::AttributeValue const &', 'source'), param('ns3::AttributeValue &', 'destination')],
is_pure_virtual=True, is_const=True, is_virtual=True)
## attribute.h (module 'core'): ns3::Ptr<ns3::AttributeValue> ns3::AttributeChecker::Create() const [member function]
cls.add_method('Create',
'ns3::Ptr< ns3::AttributeValue >',
[],
is_pure_virtual=True, is_const=True, is_virtual=True)
## attribute.h (module 'core'): ns3::Ptr<ns3::AttributeValue> ns3::AttributeChecker::CreateValidValue(ns3::AttributeValue const & value) const [member function]
cls.add_method('CreateValidValue',
'ns3::Ptr< ns3::AttributeValue >',
[param('ns3::AttributeValue const &', 'value')],
is_const=True)
## attribute.h (module 'core'): std::string ns3::AttributeChecker::GetUnderlyingTypeInformation() const [member function]
cls.add_method('GetUnderlyingTypeInformation',
'std::string',
[],
is_pure_virtual=True, is_const=True, is_virtual=True)
## attribute.h (module 'core'): std::string ns3::AttributeChecker::GetValueTypeName() const [member function]
cls.add_method('GetValueTypeName',
'std::string',
[],
is_pure_virtual=True, is_const=True, is_virtual=True)
## attribute.h (module 'core'): bool ns3::AttributeChecker::HasUnderlyingTypeInformation() const [member function]
cls.add_method('HasUnderlyingTypeInformation',
'bool',
[],
is_pure_virtual=True, is_const=True, is_virtual=True)
return
def register_Ns3AttributeValue_methods(root_module, cls):
## attribute.h (module 'core'): ns3::AttributeValue::AttributeValue(ns3::AttributeValue const & arg0) [copy constructor]
cls.add_constructor([param('ns3::AttributeValue const &', 'arg0')])
## attribute.h (module 'core'): ns3::AttributeValue::AttributeValue() [constructor]
cls.add_constructor([])
## attribute.h (module 'core'): ns3::Ptr<ns3::AttributeValue> ns3::AttributeValue::Copy() const [member function]
cls.add_method('Copy',
'ns3::Ptr< ns3::AttributeValue >',
[],
is_pure_virtual=True, is_const=True, is_virtual=True)
## attribute.h (module 'core'): bool ns3::AttributeValue::DeserializeFromString(std::string value, ns3::Ptr<ns3::AttributeChecker const> checker) [member function]
cls.add_method('DeserializeFromString',
'bool',
[param('std::string', 'value'), param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_pure_virtual=True, is_virtual=True)
## attribute.h (module 'core'): std::string ns3::AttributeValue::SerializeToString(ns3::Ptr<ns3::AttributeChecker const> checker) const [member function]
cls.add_method('SerializeToString',
'std::string',
[param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_pure_virtual=True, is_const=True, is_virtual=True)
return
def register_Ns3CallbackChecker_methods(root_module, cls):
## callback.h (module 'core'): ns3::CallbackChecker::CallbackChecker() [constructor]
cls.add_constructor([])
## callback.h (module 'core'): ns3::CallbackChecker::CallbackChecker(ns3::CallbackChecker const & arg0) [copy constructor]
cls.add_constructor([param('ns3::CallbackChecker const &', 'arg0')])
return
def register_Ns3CallbackImplBase_methods(root_module, cls):
## callback.h (module 'core'): ns3::CallbackImplBase::CallbackImplBase() [constructor]
cls.add_constructor([])
## callback.h (module 'core'): ns3::CallbackImplBase::CallbackImplBase(ns3::CallbackImplBase const & arg0) [copy constructor]
cls.add_constructor([param('ns3::CallbackImplBase const &', 'arg0')])
## callback.h (module 'core'): bool ns3::CallbackImplBase::IsEqual(ns3::Ptr<ns3::CallbackImplBase const> other) const [member function]
cls.add_method('IsEqual',
'bool',
[param('ns3::Ptr< ns3::CallbackImplBase const >', 'other')],
is_pure_virtual=True, is_const=True, is_virtual=True)
return
def register_Ns3CallbackValue_methods(root_module, cls):
## callback.h (module 'core'): ns3::CallbackValue::CallbackValue(ns3::CallbackValue const & arg0) [copy constructor]
cls.add_constructor([param('ns3::CallbackValue const &', 'arg0')])
## callback.h (module 'core'): ns3::CallbackValue::CallbackValue() [constructor]
cls.add_constructor([])
## callback.h (module 'core'): ns3::CallbackValue::CallbackValue(ns3::CallbackBase const & base) [constructor]
cls.add_constructor([param('ns3::CallbackBase const &', 'base')])
## callback.h (module 'core'): ns3::Ptr<ns3::AttributeValue> ns3::CallbackValue::Copy() const [member function]
cls.add_method('Copy',
'ns3::Ptr< ns3::AttributeValue >',
[],
is_const=True, is_virtual=True)
## callback.h (module 'core'): bool ns3::CallbackValue::DeserializeFromString(std::string value, ns3::Ptr<ns3::AttributeChecker const> checker) [member function]
cls.add_method('DeserializeFromString',
'bool',
[param('std::string', 'value'), param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_virtual=True)
## callback.h (module 'core'): std::string ns3::CallbackValue::SerializeToString(ns3::Ptr<ns3::AttributeChecker const> checker) const [member function]
cls.add_method('SerializeToString',
'std::string',
[param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_const=True, is_virtual=True)
## callback.h (module 'core'): void ns3::CallbackValue::Set(ns3::CallbackBase base) [member function]
cls.add_method('Set',
'void',
[param('ns3::CallbackBase', 'base')])
return
def register_Ns3Channel_methods(root_module, cls):
## channel.h (module 'network'): ns3::Channel::Channel(ns3::Channel const & arg0) [copy constructor]
cls.add_constructor([param('ns3::Channel const &', 'arg0')])
## channel.h (module 'network'): ns3::Channel::Channel() [constructor]
cls.add_constructor([])
## channel.h (module 'network'): ns3::Ptr<ns3::NetDevice> ns3::Channel::GetDevice(uint32_t i) const [member function]
cls.add_method('GetDevice',
'ns3::Ptr< ns3::NetDevice >',
[param('uint32_t', 'i')],
is_pure_virtual=True, is_const=True, is_virtual=True)
## channel.h (module 'network'): uint32_t ns3::Channel::GetId() const [member function]
cls.add_method('GetId',
'uint32_t',
[],
is_const=True)
## channel.h (module 'network'): uint32_t ns3::Channel::GetNDevices() const [member function]
cls.add_method('GetNDevices',
'uint32_t',
[],
is_pure_virtual=True, is_const=True, is_virtual=True)
## channel.h (module 'network'): static ns3::TypeId ns3::Channel::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
return
def register_Ns3ConstantRandomVariable_methods(root_module, cls):
## random-variable-stream.h (module 'core'): static ns3::TypeId ns3::ConstantRandomVariable::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## random-variable-stream.h (module 'core'): ns3::ConstantRandomVariable::ConstantRandomVariable() [constructor]
cls.add_constructor([])
## random-variable-stream.h (module 'core'): double ns3::ConstantRandomVariable::GetConstant() const [member function]
cls.add_method('GetConstant',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::ConstantRandomVariable::GetValue(double constant) [member function]
cls.add_method('GetValue',
'double',
[param('double', 'constant')])
## random-variable-stream.h (module 'core'): uint32_t ns3::ConstantRandomVariable::GetInteger(uint32_t constant) [member function]
cls.add_method('GetInteger',
'uint32_t',
[param('uint32_t', 'constant')])
## random-variable-stream.h (module 'core'): double ns3::ConstantRandomVariable::GetValue() [member function]
cls.add_method('GetValue',
'double',
[],
is_virtual=True)
## random-variable-stream.h (module 'core'): uint32_t ns3::ConstantRandomVariable::GetInteger() [member function]
cls.add_method('GetInteger',
'uint32_t',
[],
is_virtual=True)
return
def register_Ns3DataRateChecker_methods(root_module, cls):
## data-rate.h (module 'network'): ns3::DataRateChecker::DataRateChecker() [constructor]
cls.add_constructor([])
## data-rate.h (module 'network'): ns3::DataRateChecker::DataRateChecker(ns3::DataRateChecker const & arg0) [copy constructor]
cls.add_constructor([param('ns3::DataRateChecker const &', 'arg0')])
return
def register_Ns3DataRateValue_methods(root_module, cls):
## data-rate.h (module 'network'): ns3::DataRateValue::DataRateValue() [constructor]
cls.add_constructor([])
## data-rate.h (module 'network'): ns3::DataRateValue::DataRateValue(ns3::DataRateValue const & arg0) [copy constructor]
cls.add_constructor([param('ns3::DataRateValue const &', 'arg0')])
## data-rate.h (module 'network'): ns3::DataRateValue::DataRateValue(ns3::DataRate const & value) [constructor]
cls.add_constructor([param('ns3::DataRate const &', 'value')])
## data-rate.h (module 'network'): ns3::Ptr<ns3::AttributeValue> ns3::DataRateValue::Copy() const [member function]
cls.add_method('Copy',
'ns3::Ptr< ns3::AttributeValue >',
[],
is_const=True, is_virtual=True)
## data-rate.h (module 'network'): bool ns3::DataRateValue::DeserializeFromString(std::string value, ns3::Ptr<ns3::AttributeChecker const> checker) [member function]
cls.add_method('DeserializeFromString',
'bool',
[param('std::string', 'value'), param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_virtual=True)
## data-rate.h (module 'network'): ns3::DataRate ns3::DataRateValue::Get() const [member function]
cls.add_method('Get',
'ns3::DataRate',
[],
is_const=True)
## data-rate.h (module 'network'): std::string ns3::DataRateValue::SerializeToString(ns3::Ptr<ns3::AttributeChecker const> checker) const [member function]
cls.add_method('SerializeToString',
'std::string',
[param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_const=True, is_virtual=True)
## data-rate.h (module 'network'): void ns3::DataRateValue::Set(ns3::DataRate const & value) [member function]
cls.add_method('Set',
'void',
[param('ns3::DataRate const &', 'value')])
return
def register_Ns3DeterministicRandomVariable_methods(root_module, cls):
## random-variable-stream.h (module 'core'): static ns3::TypeId ns3::DeterministicRandomVariable::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## random-variable-stream.h (module 'core'): ns3::DeterministicRandomVariable::DeterministicRandomVariable() [constructor]
cls.add_constructor([])<|fim▁hole|> ## random-variable-stream.h (module 'core'): void ns3::DeterministicRandomVariable::SetValueArray(double * values, uint64_t length) [member function]
cls.add_method('SetValueArray',
'void',
[param('double *', 'values'), param('uint64_t', 'length')])
## random-variable-stream.h (module 'core'): double ns3::DeterministicRandomVariable::GetValue() [member function]
cls.add_method('GetValue',
'double',
[],
is_virtual=True)
## random-variable-stream.h (module 'core'): uint32_t ns3::DeterministicRandomVariable::GetInteger() [member function]
cls.add_method('GetInteger',
'uint32_t',
[],
is_virtual=True)
return
def register_Ns3EmpiricalRandomVariable_methods(root_module, cls):
## random-variable-stream.h (module 'core'): ns3::EmpiricalRandomVariable::EmpiricalRandomVariable() [constructor]
cls.add_constructor([])
## random-variable-stream.h (module 'core'): void ns3::EmpiricalRandomVariable::CDF(double v, double c) [member function]
cls.add_method('CDF',
'void',
[param('double', 'v'), param('double', 'c')])
## random-variable-stream.h (module 'core'): uint32_t ns3::EmpiricalRandomVariable::GetInteger() [member function]
cls.add_method('GetInteger',
'uint32_t',
[],
is_virtual=True)
## random-variable-stream.h (module 'core'): static ns3::TypeId ns3::EmpiricalRandomVariable::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## random-variable-stream.h (module 'core'): double ns3::EmpiricalRandomVariable::GetValue() [member function]
cls.add_method('GetValue',
'double',
[],
is_virtual=True)
## random-variable-stream.h (module 'core'): double ns3::EmpiricalRandomVariable::Interpolate(double arg0, double arg1, double arg2, double arg3, double arg4) [member function]
cls.add_method('Interpolate',
'double',
[param('double', 'arg0'), param('double', 'arg1'), param('double', 'arg2'), param('double', 'arg3'), param('double', 'arg4')],
visibility='private', is_virtual=True)
## random-variable-stream.h (module 'core'): void ns3::EmpiricalRandomVariable::Validate() [member function]
cls.add_method('Validate',
'void',
[],
visibility='private', is_virtual=True)
return
def register_Ns3EmptyAttributeValue_methods(root_module, cls):
## attribute.h (module 'core'): ns3::EmptyAttributeValue::EmptyAttributeValue(ns3::EmptyAttributeValue const & arg0) [copy constructor]
cls.add_constructor([param('ns3::EmptyAttributeValue const &', 'arg0')])
## attribute.h (module 'core'): ns3::EmptyAttributeValue::EmptyAttributeValue() [constructor]
cls.add_constructor([])
## attribute.h (module 'core'): ns3::Ptr<ns3::AttributeValue> ns3::EmptyAttributeValue::Copy() const [member function]
cls.add_method('Copy',
'ns3::Ptr< ns3::AttributeValue >',
[],
is_const=True, visibility='private', is_virtual=True)
## attribute.h (module 'core'): bool ns3::EmptyAttributeValue::DeserializeFromString(std::string value, ns3::Ptr<ns3::AttributeChecker const> checker) [member function]
cls.add_method('DeserializeFromString',
'bool',
[param('std::string', 'value'), param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
visibility='private', is_virtual=True)
## attribute.h (module 'core'): std::string ns3::EmptyAttributeValue::SerializeToString(ns3::Ptr<ns3::AttributeChecker const> checker) const [member function]
cls.add_method('SerializeToString',
'std::string',
[param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_const=True, visibility='private', is_virtual=True)
return
def register_Ns3ErlangRandomVariable_methods(root_module, cls):
## random-variable-stream.h (module 'core'): static ns3::TypeId ns3::ErlangRandomVariable::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## random-variable-stream.h (module 'core'): ns3::ErlangRandomVariable::ErlangRandomVariable() [constructor]
cls.add_constructor([])
## random-variable-stream.h (module 'core'): uint32_t ns3::ErlangRandomVariable::GetK() const [member function]
cls.add_method('GetK',
'uint32_t',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::ErlangRandomVariable::GetLambda() const [member function]
cls.add_method('GetLambda',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::ErlangRandomVariable::GetValue(uint32_t k, double lambda) [member function]
cls.add_method('GetValue',
'double',
[param('uint32_t', 'k'), param('double', 'lambda')])
## random-variable-stream.h (module 'core'): uint32_t ns3::ErlangRandomVariable::GetInteger(uint32_t k, uint32_t lambda) [member function]
cls.add_method('GetInteger',
'uint32_t',
[param('uint32_t', 'k'), param('uint32_t', 'lambda')])
## random-variable-stream.h (module 'core'): double ns3::ErlangRandomVariable::GetValue() [member function]
cls.add_method('GetValue',
'double',
[],
is_virtual=True)
## random-variable-stream.h (module 'core'): uint32_t ns3::ErlangRandomVariable::GetInteger() [member function]
cls.add_method('GetInteger',
'uint32_t',
[],
is_virtual=True)
return
def register_Ns3ErrorModel_methods(root_module, cls):
## error-model.h (module 'network'): ns3::ErrorModel::ErrorModel(ns3::ErrorModel const & arg0) [copy constructor]
cls.add_constructor([param('ns3::ErrorModel const &', 'arg0')])
## error-model.h (module 'network'): ns3::ErrorModel::ErrorModel() [constructor]
cls.add_constructor([])
## error-model.h (module 'network'): void ns3::ErrorModel::Disable() [member function]
cls.add_method('Disable',
'void',
[])
## error-model.h (module 'network'): void ns3::ErrorModel::Enable() [member function]
cls.add_method('Enable',
'void',
[])
## error-model.h (module 'network'): static ns3::TypeId ns3::ErrorModel::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## error-model.h (module 'network'): bool ns3::ErrorModel::IsCorrupt(ns3::Ptr<ns3::Packet> pkt) [member function]
cls.add_method('IsCorrupt',
'bool',
[param('ns3::Ptr< ns3::Packet >', 'pkt')])
## error-model.h (module 'network'): bool ns3::ErrorModel::IsEnabled() const [member function]
cls.add_method('IsEnabled',
'bool',
[],
is_const=True)
## error-model.h (module 'network'): void ns3::ErrorModel::Reset() [member function]
cls.add_method('Reset',
'void',
[])
## error-model.h (module 'network'): bool ns3::ErrorModel::DoCorrupt(ns3::Ptr<ns3::Packet> arg0) [member function]
cls.add_method('DoCorrupt',
'bool',
[param('ns3::Ptr< ns3::Packet >', 'arg0')],
is_pure_virtual=True, visibility='private', is_virtual=True)
## error-model.h (module 'network'): void ns3::ErrorModel::DoReset() [member function]
cls.add_method('DoReset',
'void',
[],
is_pure_virtual=True, visibility='private', is_virtual=True)
return
def register_Ns3EventImpl_methods(root_module, cls):
## event-impl.h (module 'core'): ns3::EventImpl::EventImpl(ns3::EventImpl const & arg0) [copy constructor]
cls.add_constructor([param('ns3::EventImpl const &', 'arg0')])
## event-impl.h (module 'core'): ns3::EventImpl::EventImpl() [constructor]
cls.add_constructor([])
## event-impl.h (module 'core'): void ns3::EventImpl::Cancel() [member function]
cls.add_method('Cancel',
'void',
[])
## event-impl.h (module 'core'): void ns3::EventImpl::Invoke() [member function]
cls.add_method('Invoke',
'void',
[])
## event-impl.h (module 'core'): bool ns3::EventImpl::IsCancelled() [member function]
cls.add_method('IsCancelled',
'bool',
[])
## event-impl.h (module 'core'): void ns3::EventImpl::Notify() [member function]
cls.add_method('Notify',
'void',
[],
is_pure_virtual=True, visibility='protected', is_virtual=True)
return
def register_Ns3ExponentialRandomVariable_methods(root_module, cls):
## random-variable-stream.h (module 'core'): static ns3::TypeId ns3::ExponentialRandomVariable::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## random-variable-stream.h (module 'core'): ns3::ExponentialRandomVariable::ExponentialRandomVariable() [constructor]
cls.add_constructor([])
## random-variable-stream.h (module 'core'): double ns3::ExponentialRandomVariable::GetMean() const [member function]
cls.add_method('GetMean',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::ExponentialRandomVariable::GetBound() const [member function]
cls.add_method('GetBound',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::ExponentialRandomVariable::GetValue(double mean, double bound) [member function]
cls.add_method('GetValue',
'double',
[param('double', 'mean'), param('double', 'bound')])
## random-variable-stream.h (module 'core'): uint32_t ns3::ExponentialRandomVariable::GetInteger(uint32_t mean, uint32_t bound) [member function]
cls.add_method('GetInteger',
'uint32_t',
[param('uint32_t', 'mean'), param('uint32_t', 'bound')])
## random-variable-stream.h (module 'core'): double ns3::ExponentialRandomVariable::GetValue() [member function]
cls.add_method('GetValue',
'double',
[],
is_virtual=True)
## random-variable-stream.h (module 'core'): uint32_t ns3::ExponentialRandomVariable::GetInteger() [member function]
cls.add_method('GetInteger',
'uint32_t',
[],
is_virtual=True)
return
def register_Ns3GammaRandomVariable_methods(root_module, cls):
## random-variable-stream.h (module 'core'): static ns3::TypeId ns3::GammaRandomVariable::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## random-variable-stream.h (module 'core'): ns3::GammaRandomVariable::GammaRandomVariable() [constructor]
cls.add_constructor([])
## random-variable-stream.h (module 'core'): double ns3::GammaRandomVariable::GetAlpha() const [member function]
cls.add_method('GetAlpha',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::GammaRandomVariable::GetBeta() const [member function]
cls.add_method('GetBeta',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::GammaRandomVariable::GetValue(double alpha, double beta) [member function]
cls.add_method('GetValue',
'double',
[param('double', 'alpha'), param('double', 'beta')])
## random-variable-stream.h (module 'core'): uint32_t ns3::GammaRandomVariable::GetInteger(uint32_t alpha, uint32_t beta) [member function]
cls.add_method('GetInteger',
'uint32_t',
[param('uint32_t', 'alpha'), param('uint32_t', 'beta')])
## random-variable-stream.h (module 'core'): double ns3::GammaRandomVariable::GetValue() [member function]
cls.add_method('GetValue',
'double',
[],
is_virtual=True)
## random-variable-stream.h (module 'core'): uint32_t ns3::GammaRandomVariable::GetInteger() [member function]
cls.add_method('GetInteger',
'uint32_t',
[],
is_virtual=True)
return
def register_Ns3Ipv4AddressChecker_methods(root_module, cls):
## ipv4-address.h (module 'network'): ns3::Ipv4AddressChecker::Ipv4AddressChecker() [constructor]
cls.add_constructor([])
## ipv4-address.h (module 'network'): ns3::Ipv4AddressChecker::Ipv4AddressChecker(ns3::Ipv4AddressChecker const & arg0) [copy constructor]
cls.add_constructor([param('ns3::Ipv4AddressChecker const &', 'arg0')])
return
def register_Ns3Ipv4AddressValue_methods(root_module, cls):
## ipv4-address.h (module 'network'): ns3::Ipv4AddressValue::Ipv4AddressValue() [constructor]
cls.add_constructor([])
## ipv4-address.h (module 'network'): ns3::Ipv4AddressValue::Ipv4AddressValue(ns3::Ipv4AddressValue const & arg0) [copy constructor]
cls.add_constructor([param('ns3::Ipv4AddressValue const &', 'arg0')])
## ipv4-address.h (module 'network'): ns3::Ipv4AddressValue::Ipv4AddressValue(ns3::Ipv4Address const & value) [constructor]
cls.add_constructor([param('ns3::Ipv4Address const &', 'value')])
## ipv4-address.h (module 'network'): ns3::Ptr<ns3::AttributeValue> ns3::Ipv4AddressValue::Copy() const [member function]
cls.add_method('Copy',
'ns3::Ptr< ns3::AttributeValue >',
[],
is_const=True, is_virtual=True)
## ipv4-address.h (module 'network'): bool ns3::Ipv4AddressValue::DeserializeFromString(std::string value, ns3::Ptr<ns3::AttributeChecker const> checker) [member function]
cls.add_method('DeserializeFromString',
'bool',
[param('std::string', 'value'), param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_virtual=True)
## ipv4-address.h (module 'network'): ns3::Ipv4Address ns3::Ipv4AddressValue::Get() const [member function]
cls.add_method('Get',
'ns3::Ipv4Address',
[],
is_const=True)
## ipv4-address.h (module 'network'): std::string ns3::Ipv4AddressValue::SerializeToString(ns3::Ptr<ns3::AttributeChecker const> checker) const [member function]
cls.add_method('SerializeToString',
'std::string',
[param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_const=True, is_virtual=True)
## ipv4-address.h (module 'network'): void ns3::Ipv4AddressValue::Set(ns3::Ipv4Address const & value) [member function]
cls.add_method('Set',
'void',
[param('ns3::Ipv4Address const &', 'value')])
return
def register_Ns3Ipv4MaskChecker_methods(root_module, cls):
## ipv4-address.h (module 'network'): ns3::Ipv4MaskChecker::Ipv4MaskChecker() [constructor]
cls.add_constructor([])
## ipv4-address.h (module 'network'): ns3::Ipv4MaskChecker::Ipv4MaskChecker(ns3::Ipv4MaskChecker const & arg0) [copy constructor]
cls.add_constructor([param('ns3::Ipv4MaskChecker const &', 'arg0')])
return
def register_Ns3Ipv4MaskValue_methods(root_module, cls):
## ipv4-address.h (module 'network'): ns3::Ipv4MaskValue::Ipv4MaskValue() [constructor]
cls.add_constructor([])
## ipv4-address.h (module 'network'): ns3::Ipv4MaskValue::Ipv4MaskValue(ns3::Ipv4MaskValue const & arg0) [copy constructor]
cls.add_constructor([param('ns3::Ipv4MaskValue const &', 'arg0')])
## ipv4-address.h (module 'network'): ns3::Ipv4MaskValue::Ipv4MaskValue(ns3::Ipv4Mask const & value) [constructor]
cls.add_constructor([param('ns3::Ipv4Mask const &', 'value')])
## ipv4-address.h (module 'network'): ns3::Ptr<ns3::AttributeValue> ns3::Ipv4MaskValue::Copy() const [member function]
cls.add_method('Copy',
'ns3::Ptr< ns3::AttributeValue >',
[],
is_const=True, is_virtual=True)
## ipv4-address.h (module 'network'): bool ns3::Ipv4MaskValue::DeserializeFromString(std::string value, ns3::Ptr<ns3::AttributeChecker const> checker) [member function]
cls.add_method('DeserializeFromString',
'bool',
[param('std::string', 'value'), param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_virtual=True)
## ipv4-address.h (module 'network'): ns3::Ipv4Mask ns3::Ipv4MaskValue::Get() const [member function]
cls.add_method('Get',
'ns3::Ipv4Mask',
[],
is_const=True)
## ipv4-address.h (module 'network'): std::string ns3::Ipv4MaskValue::SerializeToString(ns3::Ptr<ns3::AttributeChecker const> checker) const [member function]
cls.add_method('SerializeToString',
'std::string',
[param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_const=True, is_virtual=True)
## ipv4-address.h (module 'network'): void ns3::Ipv4MaskValue::Set(ns3::Ipv4Mask const & value) [member function]
cls.add_method('Set',
'void',
[param('ns3::Ipv4Mask const &', 'value')])
return
def register_Ns3Ipv6AddressChecker_methods(root_module, cls):
## ipv6-address.h (module 'network'): ns3::Ipv6AddressChecker::Ipv6AddressChecker() [constructor]
cls.add_constructor([])
## ipv6-address.h (module 'network'): ns3::Ipv6AddressChecker::Ipv6AddressChecker(ns3::Ipv6AddressChecker const & arg0) [copy constructor]
cls.add_constructor([param('ns3::Ipv6AddressChecker const &', 'arg0')])
return
def register_Ns3Ipv6AddressValue_methods(root_module, cls):
## ipv6-address.h (module 'network'): ns3::Ipv6AddressValue::Ipv6AddressValue() [constructor]
cls.add_constructor([])
## ipv6-address.h (module 'network'): ns3::Ipv6AddressValue::Ipv6AddressValue(ns3::Ipv6AddressValue const & arg0) [copy constructor]
cls.add_constructor([param('ns3::Ipv6AddressValue const &', 'arg0')])
## ipv6-address.h (module 'network'): ns3::Ipv6AddressValue::Ipv6AddressValue(ns3::Ipv6Address const & value) [constructor]
cls.add_constructor([param('ns3::Ipv6Address const &', 'value')])
## ipv6-address.h (module 'network'): ns3::Ptr<ns3::AttributeValue> ns3::Ipv6AddressValue::Copy() const [member function]
cls.add_method('Copy',
'ns3::Ptr< ns3::AttributeValue >',
[],
is_const=True, is_virtual=True)
## ipv6-address.h (module 'network'): bool ns3::Ipv6AddressValue::DeserializeFromString(std::string value, ns3::Ptr<ns3::AttributeChecker const> checker) [member function]
cls.add_method('DeserializeFromString',
'bool',
[param('std::string', 'value'), param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_virtual=True)
## ipv6-address.h (module 'network'): ns3::Ipv6Address ns3::Ipv6AddressValue::Get() const [member function]
cls.add_method('Get',
'ns3::Ipv6Address',
[],
is_const=True)
## ipv6-address.h (module 'network'): std::string ns3::Ipv6AddressValue::SerializeToString(ns3::Ptr<ns3::AttributeChecker const> checker) const [member function]
cls.add_method('SerializeToString',
'std::string',
[param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_const=True, is_virtual=True)
## ipv6-address.h (module 'network'): void ns3::Ipv6AddressValue::Set(ns3::Ipv6Address const & value) [member function]
cls.add_method('Set',
'void',
[param('ns3::Ipv6Address const &', 'value')])
return
def register_Ns3Ipv6PrefixChecker_methods(root_module, cls):
## ipv6-address.h (module 'network'): ns3::Ipv6PrefixChecker::Ipv6PrefixChecker() [constructor]
cls.add_constructor([])
## ipv6-address.h (module 'network'): ns3::Ipv6PrefixChecker::Ipv6PrefixChecker(ns3::Ipv6PrefixChecker const & arg0) [copy constructor]
cls.add_constructor([param('ns3::Ipv6PrefixChecker const &', 'arg0')])
return
def register_Ns3Ipv6PrefixValue_methods(root_module, cls):
## ipv6-address.h (module 'network'): ns3::Ipv6PrefixValue::Ipv6PrefixValue() [constructor]
cls.add_constructor([])
## ipv6-address.h (module 'network'): ns3::Ipv6PrefixValue::Ipv6PrefixValue(ns3::Ipv6PrefixValue const & arg0) [copy constructor]
cls.add_constructor([param('ns3::Ipv6PrefixValue const &', 'arg0')])
## ipv6-address.h (module 'network'): ns3::Ipv6PrefixValue::Ipv6PrefixValue(ns3::Ipv6Prefix const & value) [constructor]
cls.add_constructor([param('ns3::Ipv6Prefix const &', 'value')])
## ipv6-address.h (module 'network'): ns3::Ptr<ns3::AttributeValue> ns3::Ipv6PrefixValue::Copy() const [member function]
cls.add_method('Copy',
'ns3::Ptr< ns3::AttributeValue >',
[],
is_const=True, is_virtual=True)
## ipv6-address.h (module 'network'): bool ns3::Ipv6PrefixValue::DeserializeFromString(std::string value, ns3::Ptr<ns3::AttributeChecker const> checker) [member function]
cls.add_method('DeserializeFromString',
'bool',
[param('std::string', 'value'), param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_virtual=True)
## ipv6-address.h (module 'network'): ns3::Ipv6Prefix ns3::Ipv6PrefixValue::Get() const [member function]
cls.add_method('Get',
'ns3::Ipv6Prefix',
[],
is_const=True)
## ipv6-address.h (module 'network'): std::string ns3::Ipv6PrefixValue::SerializeToString(ns3::Ptr<ns3::AttributeChecker const> checker) const [member function]
cls.add_method('SerializeToString',
'std::string',
[param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_const=True, is_virtual=True)
## ipv6-address.h (module 'network'): void ns3::Ipv6PrefixValue::Set(ns3::Ipv6Prefix const & value) [member function]
cls.add_method('Set',
'void',
[param('ns3::Ipv6Prefix const &', 'value')])
return
def register_Ns3ListErrorModel_methods(root_module, cls):
## error-model.h (module 'network'): ns3::ListErrorModel::ListErrorModel(ns3::ListErrorModel const & arg0) [copy constructor]
cls.add_constructor([param('ns3::ListErrorModel const &', 'arg0')])
## error-model.h (module 'network'): ns3::ListErrorModel::ListErrorModel() [constructor]
cls.add_constructor([])
## error-model.h (module 'network'): std::list<unsigned int, std::allocator<unsigned int> > ns3::ListErrorModel::GetList() const [member function]
cls.add_method('GetList',
'std::list< unsigned int >',
[],
is_const=True)
## error-model.h (module 'network'): static ns3::TypeId ns3::ListErrorModel::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## error-model.h (module 'network'): void ns3::ListErrorModel::SetList(std::list<unsigned int, std::allocator<unsigned int> > const & packetlist) [member function]
cls.add_method('SetList',
'void',
[param('std::list< unsigned int > const &', 'packetlist')])
## error-model.h (module 'network'): bool ns3::ListErrorModel::DoCorrupt(ns3::Ptr<ns3::Packet> p) [member function]
cls.add_method('DoCorrupt',
'bool',
[param('ns3::Ptr< ns3::Packet >', 'p')],
visibility='private', is_virtual=True)
## error-model.h (module 'network'): void ns3::ListErrorModel::DoReset() [member function]
cls.add_method('DoReset',
'void',
[],
visibility='private', is_virtual=True)
return
def register_Ns3LogNormalRandomVariable_methods(root_module, cls):
## random-variable-stream.h (module 'core'): static ns3::TypeId ns3::LogNormalRandomVariable::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## random-variable-stream.h (module 'core'): ns3::LogNormalRandomVariable::LogNormalRandomVariable() [constructor]
cls.add_constructor([])
## random-variable-stream.h (module 'core'): double ns3::LogNormalRandomVariable::GetMu() const [member function]
cls.add_method('GetMu',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::LogNormalRandomVariable::GetSigma() const [member function]
cls.add_method('GetSigma',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::LogNormalRandomVariable::GetValue(double mu, double sigma) [member function]
cls.add_method('GetValue',
'double',
[param('double', 'mu'), param('double', 'sigma')])
## random-variable-stream.h (module 'core'): uint32_t ns3::LogNormalRandomVariable::GetInteger(uint32_t mu, uint32_t sigma) [member function]
cls.add_method('GetInteger',
'uint32_t',
[param('uint32_t', 'mu'), param('uint32_t', 'sigma')])
## random-variable-stream.h (module 'core'): double ns3::LogNormalRandomVariable::GetValue() [member function]
cls.add_method('GetValue',
'double',
[],
is_virtual=True)
## random-variable-stream.h (module 'core'): uint32_t ns3::LogNormalRandomVariable::GetInteger() [member function]
cls.add_method('GetInteger',
'uint32_t',
[],
is_virtual=True)
return
def register_Ns3Mac48AddressChecker_methods(root_module, cls):
## mac48-address.h (module 'network'): ns3::Mac48AddressChecker::Mac48AddressChecker() [constructor]
cls.add_constructor([])
## mac48-address.h (module 'network'): ns3::Mac48AddressChecker::Mac48AddressChecker(ns3::Mac48AddressChecker const & arg0) [copy constructor]
cls.add_constructor([param('ns3::Mac48AddressChecker const &', 'arg0')])
return
def register_Ns3Mac48AddressValue_methods(root_module, cls):
## mac48-address.h (module 'network'): ns3::Mac48AddressValue::Mac48AddressValue() [constructor]
cls.add_constructor([])
## mac48-address.h (module 'network'): ns3::Mac48AddressValue::Mac48AddressValue(ns3::Mac48AddressValue const & arg0) [copy constructor]
cls.add_constructor([param('ns3::Mac48AddressValue const &', 'arg0')])
## mac48-address.h (module 'network'): ns3::Mac48AddressValue::Mac48AddressValue(ns3::Mac48Address const & value) [constructor]
cls.add_constructor([param('ns3::Mac48Address const &', 'value')])
## mac48-address.h (module 'network'): ns3::Ptr<ns3::AttributeValue> ns3::Mac48AddressValue::Copy() const [member function]
cls.add_method('Copy',
'ns3::Ptr< ns3::AttributeValue >',
[],
is_const=True, is_virtual=True)
## mac48-address.h (module 'network'): bool ns3::Mac48AddressValue::DeserializeFromString(std::string value, ns3::Ptr<ns3::AttributeChecker const> checker) [member function]
cls.add_method('DeserializeFromString',
'bool',
[param('std::string', 'value'), param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_virtual=True)
## mac48-address.h (module 'network'): ns3::Mac48Address ns3::Mac48AddressValue::Get() const [member function]
cls.add_method('Get',
'ns3::Mac48Address',
[],
is_const=True)
## mac48-address.h (module 'network'): std::string ns3::Mac48AddressValue::SerializeToString(ns3::Ptr<ns3::AttributeChecker const> checker) const [member function]
cls.add_method('SerializeToString',
'std::string',
[param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_const=True, is_virtual=True)
## mac48-address.h (module 'network'): void ns3::Mac48AddressValue::Set(ns3::Mac48Address const & value) [member function]
cls.add_method('Set',
'void',
[param('ns3::Mac48Address const &', 'value')])
return
def register_Ns3NetDevice_methods(root_module, cls):
## net-device.h (module 'network'): ns3::NetDevice::NetDevice() [constructor]
cls.add_constructor([])
## net-device.h (module 'network'): ns3::NetDevice::NetDevice(ns3::NetDevice const & arg0) [copy constructor]
cls.add_constructor([param('ns3::NetDevice const &', 'arg0')])
## net-device.h (module 'network'): void ns3::NetDevice::AddLinkChangeCallback(ns3::Callback<void,ns3::empty,ns3::empty,ns3::empty,ns3::empty,ns3::empty,ns3::empty,ns3::empty,ns3::empty,ns3::empty> callback) [member function]
cls.add_method('AddLinkChangeCallback',
'void',
[param('ns3::Callback< void, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty >', 'callback')],
is_pure_virtual=True, is_virtual=True)
## net-device.h (module 'network'): ns3::Address ns3::NetDevice::GetAddress() const [member function]
cls.add_method('GetAddress',
'ns3::Address',
[],
is_pure_virtual=True, is_const=True, is_virtual=True)
## net-device.h (module 'network'): ns3::Address ns3::NetDevice::GetBroadcast() const [member function]
cls.add_method('GetBroadcast',
'ns3::Address',
[],
is_pure_virtual=True, is_const=True, is_virtual=True)
## net-device.h (module 'network'): ns3::Ptr<ns3::Channel> ns3::NetDevice::GetChannel() const [member function]
cls.add_method('GetChannel',
'ns3::Ptr< ns3::Channel >',
[],
is_pure_virtual=True, is_const=True, is_virtual=True)
## net-device.h (module 'network'): uint32_t ns3::NetDevice::GetIfIndex() const [member function]
cls.add_method('GetIfIndex',
'uint32_t',
[],
is_pure_virtual=True, is_const=True, is_virtual=True)
## net-device.h (module 'network'): uint16_t ns3::NetDevice::GetMtu() const [member function]
cls.add_method('GetMtu',
'uint16_t',
[],
is_pure_virtual=True, is_const=True, is_virtual=True)
## net-device.h (module 'network'): ns3::Address ns3::NetDevice::GetMulticast(ns3::Ipv4Address multicastGroup) const [member function]
cls.add_method('GetMulticast',
'ns3::Address',
[param('ns3::Ipv4Address', 'multicastGroup')],
is_pure_virtual=True, is_const=True, is_virtual=True)
## net-device.h (module 'network'): ns3::Address ns3::NetDevice::GetMulticast(ns3::Ipv6Address addr) const [member function]
cls.add_method('GetMulticast',
'ns3::Address',
[param('ns3::Ipv6Address', 'addr')],
is_pure_virtual=True, is_const=True, is_virtual=True)
## net-device.h (module 'network'): ns3::Ptr<ns3::Node> ns3::NetDevice::GetNode() const [member function]
cls.add_method('GetNode',
'ns3::Ptr< ns3::Node >',
[],
is_pure_virtual=True, is_const=True, is_virtual=True)
## net-device.h (module 'network'): static ns3::TypeId ns3::NetDevice::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## net-device.h (module 'network'): bool ns3::NetDevice::IsBridge() const [member function]
cls.add_method('IsBridge',
'bool',
[],
is_pure_virtual=True, is_const=True, is_virtual=True)
## net-device.h (module 'network'): bool ns3::NetDevice::IsBroadcast() const [member function]
cls.add_method('IsBroadcast',
'bool',
[],
is_pure_virtual=True, is_const=True, is_virtual=True)
## net-device.h (module 'network'): bool ns3::NetDevice::IsLinkUp() const [member function]
cls.add_method('IsLinkUp',
'bool',
[],
is_pure_virtual=True, is_const=True, is_virtual=True)
## net-device.h (module 'network'): bool ns3::NetDevice::IsMulticast() const [member function]
cls.add_method('IsMulticast',
'bool',
[],
is_pure_virtual=True, is_const=True, is_virtual=True)
## net-device.h (module 'network'): bool ns3::NetDevice::IsPointToPoint() const [member function]
cls.add_method('IsPointToPoint',
'bool',
[],
is_pure_virtual=True, is_const=True, is_virtual=True)
## net-device.h (module 'network'): bool ns3::NetDevice::NeedsArp() const [member function]
cls.add_method('NeedsArp',
'bool',
[],
is_pure_virtual=True, is_const=True, is_virtual=True)
## net-device.h (module 'network'): bool ns3::NetDevice::Send(ns3::Ptr<ns3::Packet> packet, ns3::Address const & dest, uint16_t protocolNumber) [member function]
cls.add_method('Send',
'bool',
[param('ns3::Ptr< ns3::Packet >', 'packet'), param('ns3::Address const &', 'dest'), param('uint16_t', 'protocolNumber')],
is_pure_virtual=True, is_virtual=True)
## net-device.h (module 'network'): bool ns3::NetDevice::SendFrom(ns3::Ptr<ns3::Packet> packet, ns3::Address const & source, ns3::Address const & dest, uint16_t protocolNumber) [member function]
cls.add_method('SendFrom',
'bool',
[param('ns3::Ptr< ns3::Packet >', 'packet'), param('ns3::Address const &', 'source'), param('ns3::Address const &', 'dest'), param('uint16_t', 'protocolNumber')],
is_pure_virtual=True, is_virtual=True)
## net-device.h (module 'network'): void ns3::NetDevice::SetAddress(ns3::Address address) [member function]
cls.add_method('SetAddress',
'void',
[param('ns3::Address', 'address')],
is_pure_virtual=True, is_virtual=True)
## net-device.h (module 'network'): void ns3::NetDevice::SetIfIndex(uint32_t const index) [member function]
cls.add_method('SetIfIndex',
'void',
[param('uint32_t const', 'index')],
is_pure_virtual=True, is_virtual=True)
## net-device.h (module 'network'): bool ns3::NetDevice::SetMtu(uint16_t const mtu) [member function]
cls.add_method('SetMtu',
'bool',
[param('uint16_t const', 'mtu')],
is_pure_virtual=True, is_virtual=True)
## net-device.h (module 'network'): void ns3::NetDevice::SetNode(ns3::Ptr<ns3::Node> node) [member function]
cls.add_method('SetNode',
'void',
[param('ns3::Ptr< ns3::Node >', 'node')],
is_pure_virtual=True, is_virtual=True)
## net-device.h (module 'network'): void ns3::NetDevice::SetPromiscReceiveCallback(ns3::Callback<bool, ns3::Ptr<ns3::NetDevice>, ns3::Ptr<ns3::Packet const>, unsigned short, ns3::Address const&, ns3::Address const&, ns3::NetDevice::PacketType, ns3::empty, ns3::empty, ns3::empty> cb) [member function]
cls.add_method('SetPromiscReceiveCallback',
'void',
[param('ns3::Callback< bool, ns3::Ptr< ns3::NetDevice >, ns3::Ptr< ns3::Packet const >, unsigned short, ns3::Address const &, ns3::Address const &, ns3::NetDevice::PacketType, ns3::empty, ns3::empty, ns3::empty >', 'cb')],
is_pure_virtual=True, is_virtual=True)
## net-device.h (module 'network'): void ns3::NetDevice::SetReceiveCallback(ns3::Callback<bool, ns3::Ptr<ns3::NetDevice>, ns3::Ptr<ns3::Packet const>, unsigned short, ns3::Address const&, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty> cb) [member function]
cls.add_method('SetReceiveCallback',
'void',
[param('ns3::Callback< bool, ns3::Ptr< ns3::NetDevice >, ns3::Ptr< ns3::Packet const >, unsigned short, ns3::Address const &, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty >', 'cb')],
is_pure_virtual=True, is_virtual=True)
## net-device.h (module 'network'): bool ns3::NetDevice::SupportsSendFrom() const [member function]
cls.add_method('SupportsSendFrom',
'bool',
[],
is_pure_virtual=True, is_const=True, is_virtual=True)
return
def register_Ns3NixVector_methods(root_module, cls):
cls.add_output_stream_operator()
## nix-vector.h (module 'network'): ns3::NixVector::NixVector() [constructor]
cls.add_constructor([])
## nix-vector.h (module 'network'): ns3::NixVector::NixVector(ns3::NixVector const & o) [copy constructor]
cls.add_constructor([param('ns3::NixVector const &', 'o')])
## nix-vector.h (module 'network'): void ns3::NixVector::AddNeighborIndex(uint32_t newBits, uint32_t numberOfBits) [member function]
cls.add_method('AddNeighborIndex',
'void',
[param('uint32_t', 'newBits'), param('uint32_t', 'numberOfBits')])
## nix-vector.h (module 'network'): uint32_t ns3::NixVector::BitCount(uint32_t numberOfNeighbors) const [member function]
cls.add_method('BitCount',
'uint32_t',
[param('uint32_t', 'numberOfNeighbors')],
is_const=True)
## nix-vector.h (module 'network'): ns3::Ptr<ns3::NixVector> ns3::NixVector::Copy() const [member function]
cls.add_method('Copy',
'ns3::Ptr< ns3::NixVector >',
[],
is_const=True)
## nix-vector.h (module 'network'): uint32_t ns3::NixVector::Deserialize(uint32_t const * buffer, uint32_t size) [member function]
cls.add_method('Deserialize',
'uint32_t',
[param('uint32_t const *', 'buffer'), param('uint32_t', 'size')])
## nix-vector.h (module 'network'): uint32_t ns3::NixVector::ExtractNeighborIndex(uint32_t numberOfBits) [member function]
cls.add_method('ExtractNeighborIndex',
'uint32_t',
[param('uint32_t', 'numberOfBits')])
## nix-vector.h (module 'network'): uint32_t ns3::NixVector::GetRemainingBits() [member function]
cls.add_method('GetRemainingBits',
'uint32_t',
[])
## nix-vector.h (module 'network'): uint32_t ns3::NixVector::GetSerializedSize() const [member function]
cls.add_method('GetSerializedSize',
'uint32_t',
[],
is_const=True)
## nix-vector.h (module 'network'): uint32_t ns3::NixVector::Serialize(uint32_t * buffer, uint32_t maxSize) const [member function]
cls.add_method('Serialize',
'uint32_t',
[param('uint32_t *', 'buffer'), param('uint32_t', 'maxSize')],
is_const=True)
return
def register_Ns3Node_methods(root_module, cls):
## node.h (module 'network'): ns3::Node::Node(ns3::Node const & arg0) [copy constructor]
cls.add_constructor([param('ns3::Node const &', 'arg0')])
## node.h (module 'network'): ns3::Node::Node() [constructor]
cls.add_constructor([])
## node.h (module 'network'): ns3::Node::Node(uint32_t systemId) [constructor]
cls.add_constructor([param('uint32_t', 'systemId')])
## node.h (module 'network'): uint32_t ns3::Node::AddApplication(ns3::Ptr<ns3::Application> application) [member function]
cls.add_method('AddApplication',
'uint32_t',
[param('ns3::Ptr< ns3::Application >', 'application')])
## node.h (module 'network'): uint32_t ns3::Node::AddDevice(ns3::Ptr<ns3::NetDevice> device) [member function]
cls.add_method('AddDevice',
'uint32_t',
[param('ns3::Ptr< ns3::NetDevice >', 'device')])
## node.h (module 'network'): static bool ns3::Node::ChecksumEnabled() [member function]
cls.add_method('ChecksumEnabled',
'bool',
[],
is_static=True)
## node.h (module 'network'): ns3::Ptr<ns3::Application> ns3::Node::GetApplication(uint32_t index) const [member function]
cls.add_method('GetApplication',
'ns3::Ptr< ns3::Application >',
[param('uint32_t', 'index')],
is_const=True)
## node.h (module 'network'): ns3::Ptr<ns3::NetDevice> ns3::Node::GetDevice(uint32_t index) const [member function]
cls.add_method('GetDevice',
'ns3::Ptr< ns3::NetDevice >',
[param('uint32_t', 'index')],
is_const=True)
## node.h (module 'network'): uint32_t ns3::Node::GetId() const [member function]
cls.add_method('GetId',
'uint32_t',
[],
is_const=True)
## node.h (module 'network'): uint32_t ns3::Node::GetNApplications() const [member function]
cls.add_method('GetNApplications',
'uint32_t',
[],
is_const=True)
## node.h (module 'network'): uint32_t ns3::Node::GetNDevices() const [member function]
cls.add_method('GetNDevices',
'uint32_t',
[],
is_const=True)
## node.h (module 'network'): uint32_t ns3::Node::GetSystemId() const [member function]
cls.add_method('GetSystemId',
'uint32_t',
[],
is_const=True)
## node.h (module 'network'): static ns3::TypeId ns3::Node::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## node.h (module 'network'): void ns3::Node::RegisterDeviceAdditionListener(ns3::Callback<void,ns3::Ptr<ns3::NetDevice>,ns3::empty,ns3::empty,ns3::empty,ns3::empty,ns3::empty,ns3::empty,ns3::empty,ns3::empty> listener) [member function]
cls.add_method('RegisterDeviceAdditionListener',
'void',
[param('ns3::Callback< void, ns3::Ptr< ns3::NetDevice >, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty >', 'listener')])
## node.h (module 'network'): void ns3::Node::RegisterProtocolHandler(ns3::Callback<void, ns3::Ptr<ns3::NetDevice>, ns3::Ptr<ns3::Packet const>, unsigned short, ns3::Address const&, ns3::Address const&, ns3::NetDevice::PacketType, ns3::empty, ns3::empty, ns3::empty> handler, uint16_t protocolType, ns3::Ptr<ns3::NetDevice> device, bool promiscuous=false) [member function]
cls.add_method('RegisterProtocolHandler',
'void',
[param('ns3::Callback< void, ns3::Ptr< ns3::NetDevice >, ns3::Ptr< ns3::Packet const >, unsigned short, ns3::Address const &, ns3::Address const &, ns3::NetDevice::PacketType, ns3::empty, ns3::empty, ns3::empty >', 'handler'), param('uint16_t', 'protocolType'), param('ns3::Ptr< ns3::NetDevice >', 'device'), param('bool', 'promiscuous', default_value='false')])
## node.h (module 'network'): void ns3::Node::UnregisterDeviceAdditionListener(ns3::Callback<void,ns3::Ptr<ns3::NetDevice>,ns3::empty,ns3::empty,ns3::empty,ns3::empty,ns3::empty,ns3::empty,ns3::empty,ns3::empty> listener) [member function]
cls.add_method('UnregisterDeviceAdditionListener',
'void',
[param('ns3::Callback< void, ns3::Ptr< ns3::NetDevice >, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty >', 'listener')])
## node.h (module 'network'): void ns3::Node::UnregisterProtocolHandler(ns3::Callback<void, ns3::Ptr<ns3::NetDevice>, ns3::Ptr<ns3::Packet const>, unsigned short, ns3::Address const&, ns3::Address const&, ns3::NetDevice::PacketType, ns3::empty, ns3::empty, ns3::empty> handler) [member function]
cls.add_method('UnregisterProtocolHandler',
'void',
[param('ns3::Callback< void, ns3::Ptr< ns3::NetDevice >, ns3::Ptr< ns3::Packet const >, unsigned short, ns3::Address const &, ns3::Address const &, ns3::NetDevice::PacketType, ns3::empty, ns3::empty, ns3::empty >', 'handler')])
## node.h (module 'network'): void ns3::Node::DoDispose() [member function]
cls.add_method('DoDispose',
'void',
[],
visibility='protected', is_virtual=True)
## node.h (module 'network'): void ns3::Node::DoInitialize() [member function]
cls.add_method('DoInitialize',
'void',
[],
visibility='protected', is_virtual=True)
return
def register_Ns3NormalRandomVariable_methods(root_module, cls):
## random-variable-stream.h (module 'core'): ns3::NormalRandomVariable::INFINITE_VALUE [variable]
cls.add_static_attribute('INFINITE_VALUE', 'double const', is_const=True)
## random-variable-stream.h (module 'core'): static ns3::TypeId ns3::NormalRandomVariable::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## random-variable-stream.h (module 'core'): ns3::NormalRandomVariable::NormalRandomVariable() [constructor]
cls.add_constructor([])
## random-variable-stream.h (module 'core'): double ns3::NormalRandomVariable::GetMean() const [member function]
cls.add_method('GetMean',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::NormalRandomVariable::GetVariance() const [member function]
cls.add_method('GetVariance',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::NormalRandomVariable::GetBound() const [member function]
cls.add_method('GetBound',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::NormalRandomVariable::GetValue(double mean, double variance, double bound=ns3::NormalRandomVariable::INFINITE_VALUE) [member function]
cls.add_method('GetValue',
'double',
[param('double', 'mean'), param('double', 'variance'), param('double', 'bound', default_value='ns3::NormalRandomVariable::INFINITE_VALUE')])
## random-variable-stream.h (module 'core'): uint32_t ns3::NormalRandomVariable::GetInteger(uint32_t mean, uint32_t variance, uint32_t bound) [member function]
cls.add_method('GetInteger',
'uint32_t',
[param('uint32_t', 'mean'), param('uint32_t', 'variance'), param('uint32_t', 'bound')])
## random-variable-stream.h (module 'core'): double ns3::NormalRandomVariable::GetValue() [member function]
cls.add_method('GetValue',
'double',
[],
is_virtual=True)
## random-variable-stream.h (module 'core'): uint32_t ns3::NormalRandomVariable::GetInteger() [member function]
cls.add_method('GetInteger',
'uint32_t',
[],
is_virtual=True)
return
def register_Ns3ObjectFactoryChecker_methods(root_module, cls):
## object-factory.h (module 'core'): ns3::ObjectFactoryChecker::ObjectFactoryChecker() [constructor]
cls.add_constructor([])
## object-factory.h (module 'core'): ns3::ObjectFactoryChecker::ObjectFactoryChecker(ns3::ObjectFactoryChecker const & arg0) [copy constructor]
cls.add_constructor([param('ns3::ObjectFactoryChecker const &', 'arg0')])
return
def register_Ns3ObjectFactoryValue_methods(root_module, cls):
## object-factory.h (module 'core'): ns3::ObjectFactoryValue::ObjectFactoryValue() [constructor]
cls.add_constructor([])
## object-factory.h (module 'core'): ns3::ObjectFactoryValue::ObjectFactoryValue(ns3::ObjectFactoryValue const & arg0) [copy constructor]
cls.add_constructor([param('ns3::ObjectFactoryValue const &', 'arg0')])
## object-factory.h (module 'core'): ns3::ObjectFactoryValue::ObjectFactoryValue(ns3::ObjectFactory const & value) [constructor]
cls.add_constructor([param('ns3::ObjectFactory const &', 'value')])
## object-factory.h (module 'core'): ns3::Ptr<ns3::AttributeValue> ns3::ObjectFactoryValue::Copy() const [member function]
cls.add_method('Copy',
'ns3::Ptr< ns3::AttributeValue >',
[],
is_const=True, is_virtual=True)
## object-factory.h (module 'core'): bool ns3::ObjectFactoryValue::DeserializeFromString(std::string value, ns3::Ptr<ns3::AttributeChecker const> checker) [member function]
cls.add_method('DeserializeFromString',
'bool',
[param('std::string', 'value'), param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_virtual=True)
## object-factory.h (module 'core'): ns3::ObjectFactory ns3::ObjectFactoryValue::Get() const [member function]
cls.add_method('Get',
'ns3::ObjectFactory',
[],
is_const=True)
## object-factory.h (module 'core'): std::string ns3::ObjectFactoryValue::SerializeToString(ns3::Ptr<ns3::AttributeChecker const> checker) const [member function]
cls.add_method('SerializeToString',
'std::string',
[param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_const=True, is_virtual=True)
## object-factory.h (module 'core'): void ns3::ObjectFactoryValue::Set(ns3::ObjectFactory const & value) [member function]
cls.add_method('Set',
'void',
[param('ns3::ObjectFactory const &', 'value')])
return
def register_Ns3OutputStreamWrapper_methods(root_module, cls):
## output-stream-wrapper.h (module 'network'): ns3::OutputStreamWrapper::OutputStreamWrapper(ns3::OutputStreamWrapper const & arg0) [copy constructor]
cls.add_constructor([param('ns3::OutputStreamWrapper const &', 'arg0')])
## output-stream-wrapper.h (module 'network'): ns3::OutputStreamWrapper::OutputStreamWrapper(std::string filename, std::_Ios_Openmode filemode) [constructor]
cls.add_constructor([param('std::string', 'filename'), param('std::_Ios_Openmode', 'filemode')])
## output-stream-wrapper.h (module 'network'): ns3::OutputStreamWrapper::OutputStreamWrapper(std::ostream * os) [constructor]
cls.add_constructor([param('std::ostream *', 'os')])
## output-stream-wrapper.h (module 'network'): std::ostream * ns3::OutputStreamWrapper::GetStream() [member function]
cls.add_method('GetStream',
'std::ostream *',
[])
return
def register_Ns3Packet_methods(root_module, cls):
cls.add_output_stream_operator()
## packet.h (module 'network'): ns3::Packet::Packet() [constructor]
cls.add_constructor([])
## packet.h (module 'network'): ns3::Packet::Packet(ns3::Packet const & o) [copy constructor]
cls.add_constructor([param('ns3::Packet const &', 'o')])
## packet.h (module 'network'): ns3::Packet::Packet(uint32_t size) [constructor]
cls.add_constructor([param('uint32_t', 'size')])
## packet.h (module 'network'): ns3::Packet::Packet(uint8_t const * buffer, uint32_t size, bool magic) [constructor]
cls.add_constructor([param('uint8_t const *', 'buffer'), param('uint32_t', 'size'), param('bool', 'magic')])
## packet.h (module 'network'): ns3::Packet::Packet(uint8_t const * buffer, uint32_t size) [constructor]
cls.add_constructor([param('uint8_t const *', 'buffer'), param('uint32_t', 'size')])
## packet.h (module 'network'): void ns3::Packet::AddAtEnd(ns3::Ptr<const ns3::Packet> packet) [member function]
cls.add_method('AddAtEnd',
'void',
[param('ns3::Ptr< ns3::Packet const >', 'packet')])
## packet.h (module 'network'): void ns3::Packet::AddByteTag(ns3::Tag const & tag) const [member function]
cls.add_method('AddByteTag',
'void',
[param('ns3::Tag const &', 'tag')],
is_const=True)
## packet.h (module 'network'): void ns3::Packet::AddHeader(ns3::Header const & header) [member function]
cls.add_method('AddHeader',
'void',
[param('ns3::Header const &', 'header')])
## packet.h (module 'network'): void ns3::Packet::AddPacketTag(ns3::Tag const & tag) const [member function]
cls.add_method('AddPacketTag',
'void',
[param('ns3::Tag const &', 'tag')],
is_const=True)
## packet.h (module 'network'): void ns3::Packet::AddPaddingAtEnd(uint32_t size) [member function]
cls.add_method('AddPaddingAtEnd',
'void',
[param('uint32_t', 'size')])
## packet.h (module 'network'): void ns3::Packet::AddTrailer(ns3::Trailer const & trailer) [member function]
cls.add_method('AddTrailer',
'void',
[param('ns3::Trailer const &', 'trailer')])
## packet.h (module 'network'): ns3::PacketMetadata::ItemIterator ns3::Packet::BeginItem() const [member function]
cls.add_method('BeginItem',
'ns3::PacketMetadata::ItemIterator',
[],
is_const=True)
## packet.h (module 'network'): ns3::Ptr<ns3::Packet> ns3::Packet::Copy() const [member function]
cls.add_method('Copy',
'ns3::Ptr< ns3::Packet >',
[],
is_const=True)
## packet.h (module 'network'): uint32_t ns3::Packet::CopyData(uint8_t * buffer, uint32_t size) const [member function]
cls.add_method('CopyData',
'uint32_t',
[param('uint8_t *', 'buffer'), param('uint32_t', 'size')],
is_const=True)
## packet.h (module 'network'): void ns3::Packet::CopyData(std::ostream * os, uint32_t size) const [member function]
cls.add_method('CopyData',
'void',
[param('std::ostream *', 'os'), param('uint32_t', 'size')],
is_const=True)
## packet.h (module 'network'): ns3::Ptr<ns3::Packet> ns3::Packet::CreateFragment(uint32_t start, uint32_t length) const [member function]
cls.add_method('CreateFragment',
'ns3::Ptr< ns3::Packet >',
[param('uint32_t', 'start'), param('uint32_t', 'length')],
is_const=True)
## packet.h (module 'network'): static void ns3::Packet::EnableChecking() [member function]
cls.add_method('EnableChecking',
'void',
[],
is_static=True)
## packet.h (module 'network'): static void ns3::Packet::EnablePrinting() [member function]
cls.add_method('EnablePrinting',
'void',
[],
is_static=True)
## packet.h (module 'network'): bool ns3::Packet::FindFirstMatchingByteTag(ns3::Tag & tag) const [member function]
cls.add_method('FindFirstMatchingByteTag',
'bool',
[param('ns3::Tag &', 'tag')],
is_const=True)
## packet.h (module 'network'): ns3::ByteTagIterator ns3::Packet::GetByteTagIterator() const [member function]
cls.add_method('GetByteTagIterator',
'ns3::ByteTagIterator',
[],
is_const=True)
## packet.h (module 'network'): ns3::Ptr<ns3::NixVector> ns3::Packet::GetNixVector() const [member function]
cls.add_method('GetNixVector',
'ns3::Ptr< ns3::NixVector >',
[],
is_const=True)
## packet.h (module 'network'): ns3::PacketTagIterator ns3::Packet::GetPacketTagIterator() const [member function]
cls.add_method('GetPacketTagIterator',
'ns3::PacketTagIterator',
[],
is_const=True)
## packet.h (module 'network'): uint32_t ns3::Packet::GetSerializedSize() const [member function]
cls.add_method('GetSerializedSize',
'uint32_t',
[],
is_const=True)
## packet.h (module 'network'): uint32_t ns3::Packet::GetSize() const [member function]
cls.add_method('GetSize',
'uint32_t',
[],
is_const=True)
## packet.h (module 'network'): uint64_t ns3::Packet::GetUid() const [member function]
cls.add_method('GetUid',
'uint64_t',
[],
is_const=True)
## packet.h (module 'network'): uint8_t const * ns3::Packet::PeekData() const [member function]
cls.add_method('PeekData',
'uint8_t const *',
[],
deprecated=True, is_const=True)
## packet.h (module 'network'): uint32_t ns3::Packet::PeekHeader(ns3::Header & header) const [member function]
cls.add_method('PeekHeader',
'uint32_t',
[param('ns3::Header &', 'header')],
is_const=True)
## packet.h (module 'network'): bool ns3::Packet::PeekPacketTag(ns3::Tag & tag) const [member function]
cls.add_method('PeekPacketTag',
'bool',
[param('ns3::Tag &', 'tag')],
is_const=True)
## packet.h (module 'network'): uint32_t ns3::Packet::PeekTrailer(ns3::Trailer & trailer) [member function]
cls.add_method('PeekTrailer',
'uint32_t',
[param('ns3::Trailer &', 'trailer')])
## packet.h (module 'network'): void ns3::Packet::Print(std::ostream & os) const [member function]
cls.add_method('Print',
'void',
[param('std::ostream &', 'os')],
is_const=True)
## packet.h (module 'network'): void ns3::Packet::PrintByteTags(std::ostream & os) const [member function]
cls.add_method('PrintByteTags',
'void',
[param('std::ostream &', 'os')],
is_const=True)
## packet.h (module 'network'): void ns3::Packet::PrintPacketTags(std::ostream & os) const [member function]
cls.add_method('PrintPacketTags',
'void',
[param('std::ostream &', 'os')],
is_const=True)
## packet.h (module 'network'): void ns3::Packet::RemoveAllByteTags() [member function]
cls.add_method('RemoveAllByteTags',
'void',
[])
## packet.h (module 'network'): void ns3::Packet::RemoveAllPacketTags() [member function]
cls.add_method('RemoveAllPacketTags',
'void',
[])
## packet.h (module 'network'): void ns3::Packet::RemoveAtEnd(uint32_t size) [member function]
cls.add_method('RemoveAtEnd',
'void',
[param('uint32_t', 'size')])
## packet.h (module 'network'): void ns3::Packet::RemoveAtStart(uint32_t size) [member function]
cls.add_method('RemoveAtStart',
'void',
[param('uint32_t', 'size')])
## packet.h (module 'network'): uint32_t ns3::Packet::RemoveHeader(ns3::Header & header) [member function]
cls.add_method('RemoveHeader',
'uint32_t',
[param('ns3::Header &', 'header')])
## packet.h (module 'network'): bool ns3::Packet::RemovePacketTag(ns3::Tag & tag) [member function]
cls.add_method('RemovePacketTag',
'bool',
[param('ns3::Tag &', 'tag')])
## packet.h (module 'network'): uint32_t ns3::Packet::RemoveTrailer(ns3::Trailer & trailer) [member function]
cls.add_method('RemoveTrailer',
'uint32_t',
[param('ns3::Trailer &', 'trailer')])
## packet.h (module 'network'): bool ns3::Packet::ReplacePacketTag(ns3::Tag & tag) [member function]
cls.add_method('ReplacePacketTag',
'bool',
[param('ns3::Tag &', 'tag')])
## packet.h (module 'network'): uint32_t ns3::Packet::Serialize(uint8_t * buffer, uint32_t maxSize) const [member function]
cls.add_method('Serialize',
'uint32_t',
[param('uint8_t *', 'buffer'), param('uint32_t', 'maxSize')],
is_const=True)
## packet.h (module 'network'): void ns3::Packet::SetNixVector(ns3::Ptr<ns3::NixVector> arg0) [member function]
cls.add_method('SetNixVector',
'void',
[param('ns3::Ptr< ns3::NixVector >', 'arg0')])
return
def register_Ns3ParetoRandomVariable_methods(root_module, cls):
## random-variable-stream.h (module 'core'): static ns3::TypeId ns3::ParetoRandomVariable::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## random-variable-stream.h (module 'core'): ns3::ParetoRandomVariable::ParetoRandomVariable() [constructor]
cls.add_constructor([])
## random-variable-stream.h (module 'core'): double ns3::ParetoRandomVariable::GetMean() const [member function]
cls.add_method('GetMean',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::ParetoRandomVariable::GetShape() const [member function]
cls.add_method('GetShape',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::ParetoRandomVariable::GetBound() const [member function]
cls.add_method('GetBound',
'double',
[],
is_const=True)
## random-variable-stream.h (module 'core'): double ns3::ParetoRandomVariable::GetValue(double mean, double shape, double bound) [member function]
cls.add_method('GetValue',
'double',
[param('double', 'mean'), param('double', 'shape'), param('double', 'bound')])
## random-variable-stream.h (module 'core'): uint32_t ns3::ParetoRandomVariable::GetInteger(uint32_t mean, uint32_t shape, uint32_t bound) [member function]
cls.add_method('GetInteger',
'uint32_t',
[param('uint32_t', 'mean'), param('uint32_t', 'shape'), param('uint32_t', 'bound')])
## random-variable-stream.h (module 'core'): double ns3::ParetoRandomVariable::GetValue() [member function]
cls.add_method('GetValue',
'double',
[],
is_virtual=True)
## random-variable-stream.h (module 'core'): uint32_t ns3::ParetoRandomVariable::GetInteger() [member function]
cls.add_method('GetInteger',
'uint32_t',
[],
is_virtual=True)
return
def register_Ns3PointToPointChannel_methods(root_module, cls):
## point-to-point-channel.h (module 'point-to-point'): ns3::PointToPointChannel::PointToPointChannel(ns3::PointToPointChannel const & arg0) [copy constructor]
cls.add_constructor([param('ns3::PointToPointChannel const &', 'arg0')])
## point-to-point-channel.h (module 'point-to-point'): ns3::PointToPointChannel::PointToPointChannel() [constructor]
cls.add_constructor([])
## point-to-point-channel.h (module 'point-to-point'): void ns3::PointToPointChannel::Attach(ns3::Ptr<ns3::PointToPointNetDevice> device) [member function]
cls.add_method('Attach',
'void',
[param('ns3::Ptr< ns3::PointToPointNetDevice >', 'device')])
## point-to-point-channel.h (module 'point-to-point'): ns3::Ptr<ns3::NetDevice> ns3::PointToPointChannel::GetDevice(uint32_t i) const [member function]
cls.add_method('GetDevice',
'ns3::Ptr< ns3::NetDevice >',
[param('uint32_t', 'i')],
is_const=True, is_virtual=True)
## point-to-point-channel.h (module 'point-to-point'): uint32_t ns3::PointToPointChannel::GetNDevices() const [member function]
cls.add_method('GetNDevices',
'uint32_t',
[],
is_const=True, is_virtual=True)
## point-to-point-channel.h (module 'point-to-point'): ns3::Ptr<ns3::PointToPointNetDevice> ns3::PointToPointChannel::GetPointToPointDevice(uint32_t i) const [member function]
cls.add_method('GetPointToPointDevice',
'ns3::Ptr< ns3::PointToPointNetDevice >',
[param('uint32_t', 'i')],
is_const=True)
## point-to-point-channel.h (module 'point-to-point'): static ns3::TypeId ns3::PointToPointChannel::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## point-to-point-channel.h (module 'point-to-point'): bool ns3::PointToPointChannel::TransmitStart(ns3::Ptr<ns3::Packet> p, ns3::Ptr<ns3::PointToPointNetDevice> src, ns3::Time txTime) [member function]
cls.add_method('TransmitStart',
'bool',
[param('ns3::Ptr< ns3::Packet >', 'p'), param('ns3::Ptr< ns3::PointToPointNetDevice >', 'src'), param('ns3::Time', 'txTime')],
is_virtual=True)
## point-to-point-channel.h (module 'point-to-point'): ns3::Time ns3::PointToPointChannel::GetDelay() const [member function]
cls.add_method('GetDelay',
'ns3::Time',
[],
is_const=True, visibility='protected')
## point-to-point-channel.h (module 'point-to-point'): ns3::Ptr<ns3::PointToPointNetDevice> ns3::PointToPointChannel::GetDestination(uint32_t i) const [member function]
cls.add_method('GetDestination',
'ns3::Ptr< ns3::PointToPointNetDevice >',
[param('uint32_t', 'i')],
is_const=True, visibility='protected')
## point-to-point-channel.h (module 'point-to-point'): ns3::Ptr<ns3::PointToPointNetDevice> ns3::PointToPointChannel::GetSource(uint32_t i) const [member function]
cls.add_method('GetSource',
'ns3::Ptr< ns3::PointToPointNetDevice >',
[param('uint32_t', 'i')],
is_const=True, visibility='protected')
## point-to-point-channel.h (module 'point-to-point'): bool ns3::PointToPointChannel::IsInitialized() const [member function]
cls.add_method('IsInitialized',
'bool',
[],
is_const=True, visibility='protected')
return
def register_Ns3PointToPointNetDevice_methods(root_module, cls):
## point-to-point-net-device.h (module 'point-to-point'): static ns3::TypeId ns3::PointToPointNetDevice::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## point-to-point-net-device.h (module 'point-to-point'): ns3::PointToPointNetDevice::PointToPointNetDevice() [constructor]
cls.add_constructor([])
## point-to-point-net-device.h (module 'point-to-point'): void ns3::PointToPointNetDevice::SetDataRate(ns3::DataRate bps) [member function]
cls.add_method('SetDataRate',
'void',
[param('ns3::DataRate', 'bps')])
## point-to-point-net-device.h (module 'point-to-point'): void ns3::PointToPointNetDevice::SetInterframeGap(ns3::Time t) [member function]
cls.add_method('SetInterframeGap',
'void',
[param('ns3::Time', 't')])
## point-to-point-net-device.h (module 'point-to-point'): bool ns3::PointToPointNetDevice::Attach(ns3::Ptr<ns3::PointToPointChannel> ch) [member function]
cls.add_method('Attach',
'bool',
[param('ns3::Ptr< ns3::PointToPointChannel >', 'ch')])
## point-to-point-net-device.h (module 'point-to-point'): void ns3::PointToPointNetDevice::SetQueue(ns3::Ptr<ns3::Queue> queue) [member function]
cls.add_method('SetQueue',
'void',
[param('ns3::Ptr< ns3::Queue >', 'queue')])
## point-to-point-net-device.h (module 'point-to-point'): ns3::Ptr<ns3::Queue> ns3::PointToPointNetDevice::GetQueue() const [member function]
cls.add_method('GetQueue',
'ns3::Ptr< ns3::Queue >',
[],
is_const=True)
## point-to-point-net-device.h (module 'point-to-point'): void ns3::PointToPointNetDevice::SetReceiveErrorModel(ns3::Ptr<ns3::ErrorModel> em) [member function]
cls.add_method('SetReceiveErrorModel',
'void',
[param('ns3::Ptr< ns3::ErrorModel >', 'em')])
## point-to-point-net-device.h (module 'point-to-point'): void ns3::PointToPointNetDevice::Receive(ns3::Ptr<ns3::Packet> p) [member function]
cls.add_method('Receive',
'void',
[param('ns3::Ptr< ns3::Packet >', 'p')])
## point-to-point-net-device.h (module 'point-to-point'): void ns3::PointToPointNetDevice::SetIfIndex(uint32_t const index) [member function]
cls.add_method('SetIfIndex',
'void',
[param('uint32_t const', 'index')],
is_virtual=True)
## point-to-point-net-device.h (module 'point-to-point'): uint32_t ns3::PointToPointNetDevice::GetIfIndex() const [member function]
cls.add_method('GetIfIndex',
'uint32_t',
[],
is_const=True, is_virtual=True)
## point-to-point-net-device.h (module 'point-to-point'): ns3::Ptr<ns3::Channel> ns3::PointToPointNetDevice::GetChannel() const [member function]
cls.add_method('GetChannel',
'ns3::Ptr< ns3::Channel >',
[],
is_const=True, is_virtual=True)
## point-to-point-net-device.h (module 'point-to-point'): void ns3::PointToPointNetDevice::SetAddress(ns3::Address address) [member function]
cls.add_method('SetAddress',
'void',
[param('ns3::Address', 'address')],
is_virtual=True)
## point-to-point-net-device.h (module 'point-to-point'): ns3::Address ns3::PointToPointNetDevice::GetAddress() const [member function]
cls.add_method('GetAddress',
'ns3::Address',
[],
is_const=True, is_virtual=True)
## point-to-point-net-device.h (module 'point-to-point'): bool ns3::PointToPointNetDevice::SetMtu(uint16_t const mtu) [member function]
cls.add_method('SetMtu',
'bool',
[param('uint16_t const', 'mtu')],
is_virtual=True)
## point-to-point-net-device.h (module 'point-to-point'): uint16_t ns3::PointToPointNetDevice::GetMtu() const [member function]
cls.add_method('GetMtu',
'uint16_t',
[],
is_const=True, is_virtual=True)
## point-to-point-net-device.h (module 'point-to-point'): bool ns3::PointToPointNetDevice::IsLinkUp() const [member function]
cls.add_method('IsLinkUp',
'bool',
[],
is_const=True, is_virtual=True)
## point-to-point-net-device.h (module 'point-to-point'): void ns3::PointToPointNetDevice::AddLinkChangeCallback(ns3::Callback<void,ns3::empty,ns3::empty,ns3::empty,ns3::empty,ns3::empty,ns3::empty,ns3::empty,ns3::empty,ns3::empty> callback) [member function]
cls.add_method('AddLinkChangeCallback',
'void',
[param('ns3::Callback< void, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty >', 'callback')],
is_virtual=True)
## point-to-point-net-device.h (module 'point-to-point'): bool ns3::PointToPointNetDevice::IsBroadcast() const [member function]
cls.add_method('IsBroadcast',
'bool',
[],
is_const=True, is_virtual=True)
## point-to-point-net-device.h (module 'point-to-point'): ns3::Address ns3::PointToPointNetDevice::GetBroadcast() const [member function]
cls.add_method('GetBroadcast',
'ns3::Address',
[],
is_const=True, is_virtual=True)
## point-to-point-net-device.h (module 'point-to-point'): bool ns3::PointToPointNetDevice::IsMulticast() const [member function]
cls.add_method('IsMulticast',
'bool',
[],
is_const=True, is_virtual=True)
## point-to-point-net-device.h (module 'point-to-point'): ns3::Address ns3::PointToPointNetDevice::GetMulticast(ns3::Ipv4Address multicastGroup) const [member function]
cls.add_method('GetMulticast',
'ns3::Address',
[param('ns3::Ipv4Address', 'multicastGroup')],
is_const=True, is_virtual=True)
## point-to-point-net-device.h (module 'point-to-point'): bool ns3::PointToPointNetDevice::IsPointToPoint() const [member function]
cls.add_method('IsPointToPoint',
'bool',
[],
is_const=True, is_virtual=True)
## point-to-point-net-device.h (module 'point-to-point'): bool ns3::PointToPointNetDevice::IsBridge() const [member function]
cls.add_method('IsBridge',
'bool',
[],
is_const=True, is_virtual=True)
## point-to-point-net-device.h (module 'point-to-point'): bool ns3::PointToPointNetDevice::Send(ns3::Ptr<ns3::Packet> packet, ns3::Address const & dest, uint16_t protocolNumber) [member function]
cls.add_method('Send',
'bool',
[param('ns3::Ptr< ns3::Packet >', 'packet'), param('ns3::Address const &', 'dest'), param('uint16_t', 'protocolNumber')],
is_virtual=True)
## point-to-point-net-device.h (module 'point-to-point'): bool ns3::PointToPointNetDevice::SendFrom(ns3::Ptr<ns3::Packet> packet, ns3::Address const & source, ns3::Address const & dest, uint16_t protocolNumber) [member function]
cls.add_method('SendFrom',
'bool',
[param('ns3::Ptr< ns3::Packet >', 'packet'), param('ns3::Address const &', 'source'), param('ns3::Address const &', 'dest'), param('uint16_t', 'protocolNumber')],
is_virtual=True)
## point-to-point-net-device.h (module 'point-to-point'): ns3::Ptr<ns3::Node> ns3::PointToPointNetDevice::GetNode() const [member function]
cls.add_method('GetNode',
'ns3::Ptr< ns3::Node >',
[],
is_const=True, is_virtual=True)
## point-to-point-net-device.h (module 'point-to-point'): void ns3::PointToPointNetDevice::SetNode(ns3::Ptr<ns3::Node> node) [member function]
cls.add_method('SetNode',
'void',
[param('ns3::Ptr< ns3::Node >', 'node')],
is_virtual=True)
## point-to-point-net-device.h (module 'point-to-point'): bool ns3::PointToPointNetDevice::NeedsArp() const [member function]
cls.add_method('NeedsArp',
'bool',
[],
is_const=True, is_virtual=True)
## point-to-point-net-device.h (module 'point-to-point'): void ns3::PointToPointNetDevice::SetReceiveCallback(ns3::Callback<bool, ns3::Ptr<ns3::NetDevice>, ns3::Ptr<ns3::Packet const>, unsigned short, ns3::Address const&, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty> cb) [member function]
cls.add_method('SetReceiveCallback',
'void',
[param('ns3::Callback< bool, ns3::Ptr< ns3::NetDevice >, ns3::Ptr< ns3::Packet const >, unsigned short, ns3::Address const &, ns3::empty, ns3::empty, ns3::empty, ns3::empty, ns3::empty >', 'cb')],
is_virtual=True)
## point-to-point-net-device.h (module 'point-to-point'): ns3::Address ns3::PointToPointNetDevice::GetMulticast(ns3::Ipv6Address addr) const [member function]
cls.add_method('GetMulticast',
'ns3::Address',
[param('ns3::Ipv6Address', 'addr')],
is_const=True, is_virtual=True)
## point-to-point-net-device.h (module 'point-to-point'): void ns3::PointToPointNetDevice::SetPromiscReceiveCallback(ns3::Callback<bool, ns3::Ptr<ns3::NetDevice>, ns3::Ptr<ns3::Packet const>, unsigned short, ns3::Address const&, ns3::Address const&, ns3::NetDevice::PacketType, ns3::empty, ns3::empty, ns3::empty> cb) [member function]
cls.add_method('SetPromiscReceiveCallback',
'void',
[param('ns3::Callback< bool, ns3::Ptr< ns3::NetDevice >, ns3::Ptr< ns3::Packet const >, unsigned short, ns3::Address const &, ns3::Address const &, ns3::NetDevice::PacketType, ns3::empty, ns3::empty, ns3::empty >', 'cb')],
is_virtual=True)
## point-to-point-net-device.h (module 'point-to-point'): bool ns3::PointToPointNetDevice::SupportsSendFrom() const [member function]
cls.add_method('SupportsSendFrom',
'bool',
[],
is_const=True, is_virtual=True)
## point-to-point-net-device.h (module 'point-to-point'): void ns3::PointToPointNetDevice::DoMpiReceive(ns3::Ptr<ns3::Packet> p) [member function]
cls.add_method('DoMpiReceive',
'void',
[param('ns3::Ptr< ns3::Packet >', 'p')],
visibility='protected')
## point-to-point-net-device.h (module 'point-to-point'): void ns3::PointToPointNetDevice::DoDispose() [member function]
cls.add_method('DoDispose',
'void',
[],
visibility='private', is_virtual=True)
return
def register_Ns3PointToPointRemoteChannel_methods(root_module, cls):
## point-to-point-remote-channel.h (module 'point-to-point'): ns3::PointToPointRemoteChannel::PointToPointRemoteChannel(ns3::PointToPointRemoteChannel const & arg0) [copy constructor]
cls.add_constructor([param('ns3::PointToPointRemoteChannel const &', 'arg0')])
## point-to-point-remote-channel.h (module 'point-to-point'): ns3::PointToPointRemoteChannel::PointToPointRemoteChannel() [constructor]
cls.add_constructor([])
## point-to-point-remote-channel.h (module 'point-to-point'): static ns3::TypeId ns3::PointToPointRemoteChannel::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## point-to-point-remote-channel.h (module 'point-to-point'): bool ns3::PointToPointRemoteChannel::TransmitStart(ns3::Ptr<ns3::Packet> p, ns3::Ptr<ns3::PointToPointNetDevice> src, ns3::Time txTime) [member function]
cls.add_method('TransmitStart',
'bool',
[param('ns3::Ptr< ns3::Packet >', 'p'), param('ns3::Ptr< ns3::PointToPointNetDevice >', 'src'), param('ns3::Time', 'txTime')],
is_virtual=True)
return
def register_Ns3RateErrorModel_methods(root_module, cls):
## error-model.h (module 'network'): ns3::RateErrorModel::RateErrorModel(ns3::RateErrorModel const & arg0) [copy constructor]
cls.add_constructor([param('ns3::RateErrorModel const &', 'arg0')])
## error-model.h (module 'network'): ns3::RateErrorModel::RateErrorModel() [constructor]
cls.add_constructor([])
## error-model.h (module 'network'): int64_t ns3::RateErrorModel::AssignStreams(int64_t stream) [member function]
cls.add_method('AssignStreams',
'int64_t',
[param('int64_t', 'stream')])
## error-model.h (module 'network'): double ns3::RateErrorModel::GetRate() const [member function]
cls.add_method('GetRate',
'double',
[],
is_const=True)
## error-model.h (module 'network'): static ns3::TypeId ns3::RateErrorModel::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## error-model.h (module 'network'): ns3::RateErrorModel::ErrorUnit ns3::RateErrorModel::GetUnit() const [member function]
cls.add_method('GetUnit',
'ns3::RateErrorModel::ErrorUnit',
[],
is_const=True)
## error-model.h (module 'network'): void ns3::RateErrorModel::SetRandomVariable(ns3::Ptr<ns3::RandomVariableStream> arg0) [member function]
cls.add_method('SetRandomVariable',
'void',
[param('ns3::Ptr< ns3::RandomVariableStream >', 'arg0')])
## error-model.h (module 'network'): void ns3::RateErrorModel::SetRate(double rate) [member function]
cls.add_method('SetRate',
'void',
[param('double', 'rate')])
## error-model.h (module 'network'): void ns3::RateErrorModel::SetUnit(ns3::RateErrorModel::ErrorUnit error_unit) [member function]
cls.add_method('SetUnit',
'void',
[param('ns3::RateErrorModel::ErrorUnit', 'error_unit')])
## error-model.h (module 'network'): bool ns3::RateErrorModel::DoCorrupt(ns3::Ptr<ns3::Packet> p) [member function]
cls.add_method('DoCorrupt',
'bool',
[param('ns3::Ptr< ns3::Packet >', 'p')],
visibility='private', is_virtual=True)
## error-model.h (module 'network'): bool ns3::RateErrorModel::DoCorruptBit(ns3::Ptr<ns3::Packet> p) [member function]
cls.add_method('DoCorruptBit',
'bool',
[param('ns3::Ptr< ns3::Packet >', 'p')],
visibility='private', is_virtual=True)
## error-model.h (module 'network'): bool ns3::RateErrorModel::DoCorruptByte(ns3::Ptr<ns3::Packet> p) [member function]
cls.add_method('DoCorruptByte',
'bool',
[param('ns3::Ptr< ns3::Packet >', 'p')],
visibility='private', is_virtual=True)
## error-model.h (module 'network'): bool ns3::RateErrorModel::DoCorruptPkt(ns3::Ptr<ns3::Packet> p) [member function]
cls.add_method('DoCorruptPkt',
'bool',
[param('ns3::Ptr< ns3::Packet >', 'p')],
visibility='private', is_virtual=True)
## error-model.h (module 'network'): void ns3::RateErrorModel::DoReset() [member function]
cls.add_method('DoReset',
'void',
[],
visibility='private', is_virtual=True)
return
def register_Ns3ReceiveListErrorModel_methods(root_module, cls):
## error-model.h (module 'network'): ns3::ReceiveListErrorModel::ReceiveListErrorModel(ns3::ReceiveListErrorModel const & arg0) [copy constructor]
cls.add_constructor([param('ns3::ReceiveListErrorModel const &', 'arg0')])
## error-model.h (module 'network'): ns3::ReceiveListErrorModel::ReceiveListErrorModel() [constructor]
cls.add_constructor([])
## error-model.h (module 'network'): std::list<unsigned int, std::allocator<unsigned int> > ns3::ReceiveListErrorModel::GetList() const [member function]
cls.add_method('GetList',
'std::list< unsigned int >',
[],
is_const=True)
## error-model.h (module 'network'): static ns3::TypeId ns3::ReceiveListErrorModel::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## error-model.h (module 'network'): void ns3::ReceiveListErrorModel::SetList(std::list<unsigned int, std::allocator<unsigned int> > const & packetlist) [member function]
cls.add_method('SetList',
'void',
[param('std::list< unsigned int > const &', 'packetlist')])
## error-model.h (module 'network'): bool ns3::ReceiveListErrorModel::DoCorrupt(ns3::Ptr<ns3::Packet> p) [member function]
cls.add_method('DoCorrupt',
'bool',
[param('ns3::Ptr< ns3::Packet >', 'p')],
visibility='private', is_virtual=True)
## error-model.h (module 'network'): void ns3::ReceiveListErrorModel::DoReset() [member function]
cls.add_method('DoReset',
'void',
[],
visibility='private', is_virtual=True)
return
def register_Ns3TimeValue_methods(root_module, cls):
## nstime.h (module 'core'): ns3::TimeValue::TimeValue() [constructor]
cls.add_constructor([])
## nstime.h (module 'core'): ns3::TimeValue::TimeValue(ns3::TimeValue const & arg0) [copy constructor]
cls.add_constructor([param('ns3::TimeValue const &', 'arg0')])
## nstime.h (module 'core'): ns3::TimeValue::TimeValue(ns3::Time const & value) [constructor]
cls.add_constructor([param('ns3::Time const &', 'value')])
## nstime.h (module 'core'): ns3::Ptr<ns3::AttributeValue> ns3::TimeValue::Copy() const [member function]
cls.add_method('Copy',
'ns3::Ptr< ns3::AttributeValue >',
[],
is_const=True, is_virtual=True)
## nstime.h (module 'core'): bool ns3::TimeValue::DeserializeFromString(std::string value, ns3::Ptr<ns3::AttributeChecker const> checker) [member function]
cls.add_method('DeserializeFromString',
'bool',
[param('std::string', 'value'), param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_virtual=True)
## nstime.h (module 'core'): ns3::Time ns3::TimeValue::Get() const [member function]
cls.add_method('Get',
'ns3::Time',
[],
is_const=True)
## nstime.h (module 'core'): std::string ns3::TimeValue::SerializeToString(ns3::Ptr<ns3::AttributeChecker const> checker) const [member function]
cls.add_method('SerializeToString',
'std::string',
[param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_const=True, is_virtual=True)
## nstime.h (module 'core'): void ns3::TimeValue::Set(ns3::Time const & value) [member function]
cls.add_method('Set',
'void',
[param('ns3::Time const &', 'value')])
return
def register_Ns3TypeIdChecker_methods(root_module, cls):
## type-id.h (module 'core'): ns3::TypeIdChecker::TypeIdChecker() [constructor]
cls.add_constructor([])
## type-id.h (module 'core'): ns3::TypeIdChecker::TypeIdChecker(ns3::TypeIdChecker const & arg0) [copy constructor]
cls.add_constructor([param('ns3::TypeIdChecker const &', 'arg0')])
return
def register_Ns3TypeIdValue_methods(root_module, cls):
## type-id.h (module 'core'): ns3::TypeIdValue::TypeIdValue() [constructor]
cls.add_constructor([])
## type-id.h (module 'core'): ns3::TypeIdValue::TypeIdValue(ns3::TypeIdValue const & arg0) [copy constructor]
cls.add_constructor([param('ns3::TypeIdValue const &', 'arg0')])
## type-id.h (module 'core'): ns3::TypeIdValue::TypeIdValue(ns3::TypeId const & value) [constructor]
cls.add_constructor([param('ns3::TypeId const &', 'value')])
## type-id.h (module 'core'): ns3::Ptr<ns3::AttributeValue> ns3::TypeIdValue::Copy() const [member function]
cls.add_method('Copy',
'ns3::Ptr< ns3::AttributeValue >',
[],
is_const=True, is_virtual=True)
## type-id.h (module 'core'): bool ns3::TypeIdValue::DeserializeFromString(std::string value, ns3::Ptr<ns3::AttributeChecker const> checker) [member function]
cls.add_method('DeserializeFromString',
'bool',
[param('std::string', 'value'), param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_virtual=True)
## type-id.h (module 'core'): ns3::TypeId ns3::TypeIdValue::Get() const [member function]
cls.add_method('Get',
'ns3::TypeId',
[],
is_const=True)
## type-id.h (module 'core'): std::string ns3::TypeIdValue::SerializeToString(ns3::Ptr<ns3::AttributeChecker const> checker) const [member function]
cls.add_method('SerializeToString',
'std::string',
[param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_const=True, is_virtual=True)
## type-id.h (module 'core'): void ns3::TypeIdValue::Set(ns3::TypeId const & value) [member function]
cls.add_method('Set',
'void',
[param('ns3::TypeId const &', 'value')])
return
def register_Ns3AddressChecker_methods(root_module, cls):
## address.h (module 'network'): ns3::AddressChecker::AddressChecker() [constructor]
cls.add_constructor([])
## address.h (module 'network'): ns3::AddressChecker::AddressChecker(ns3::AddressChecker const & arg0) [copy constructor]
cls.add_constructor([param('ns3::AddressChecker const &', 'arg0')])
return
def register_Ns3AddressValue_methods(root_module, cls):
## address.h (module 'network'): ns3::AddressValue::AddressValue() [constructor]
cls.add_constructor([])
## address.h (module 'network'): ns3::AddressValue::AddressValue(ns3::AddressValue const & arg0) [copy constructor]
cls.add_constructor([param('ns3::AddressValue const &', 'arg0')])
## address.h (module 'network'): ns3::AddressValue::AddressValue(ns3::Address const & value) [constructor]
cls.add_constructor([param('ns3::Address const &', 'value')])
## address.h (module 'network'): ns3::Ptr<ns3::AttributeValue> ns3::AddressValue::Copy() const [member function]
cls.add_method('Copy',
'ns3::Ptr< ns3::AttributeValue >',
[],
is_const=True, is_virtual=True)
## address.h (module 'network'): bool ns3::AddressValue::DeserializeFromString(std::string value, ns3::Ptr<ns3::AttributeChecker const> checker) [member function]
cls.add_method('DeserializeFromString',
'bool',
[param('std::string', 'value'), param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_virtual=True)
## address.h (module 'network'): ns3::Address ns3::AddressValue::Get() const [member function]
cls.add_method('Get',
'ns3::Address',
[],
is_const=True)
## address.h (module 'network'): std::string ns3::AddressValue::SerializeToString(ns3::Ptr<ns3::AttributeChecker const> checker) const [member function]
cls.add_method('SerializeToString',
'std::string',
[param('ns3::Ptr< ns3::AttributeChecker const >', 'checker')],
is_const=True, is_virtual=True)
## address.h (module 'network'): void ns3::AddressValue::Set(ns3::Address const & value) [member function]
cls.add_method('Set',
'void',
[param('ns3::Address const &', 'value')])
return
def register_Ns3BurstErrorModel_methods(root_module, cls):
## error-model.h (module 'network'): ns3::BurstErrorModel::BurstErrorModel(ns3::BurstErrorModel const & arg0) [copy constructor]
cls.add_constructor([param('ns3::BurstErrorModel const &', 'arg0')])
## error-model.h (module 'network'): ns3::BurstErrorModel::BurstErrorModel() [constructor]
cls.add_constructor([])
## error-model.h (module 'network'): int64_t ns3::BurstErrorModel::AssignStreams(int64_t stream) [member function]
cls.add_method('AssignStreams',
'int64_t',
[param('int64_t', 'stream')])
## error-model.h (module 'network'): double ns3::BurstErrorModel::GetBurstRate() const [member function]
cls.add_method('GetBurstRate',
'double',
[],
is_const=True)
## error-model.h (module 'network'): static ns3::TypeId ns3::BurstErrorModel::GetTypeId() [member function]
cls.add_method('GetTypeId',
'ns3::TypeId',
[],
is_static=True)
## error-model.h (module 'network'): void ns3::BurstErrorModel::SetBurstRate(double rate) [member function]
cls.add_method('SetBurstRate',
'void',
[param('double', 'rate')])
## error-model.h (module 'network'): void ns3::BurstErrorModel::SetRandomBurstSize(ns3::Ptr<ns3::RandomVariableStream> arg0) [member function]
cls.add_method('SetRandomBurstSize',
'void',
[param('ns3::Ptr< ns3::RandomVariableStream >', 'arg0')])
## error-model.h (module 'network'): void ns3::BurstErrorModel::SetRandomVariable(ns3::Ptr<ns3::RandomVariableStream> arg0) [member function]
cls.add_method('SetRandomVariable',
'void',
[param('ns3::Ptr< ns3::RandomVariableStream >', 'arg0')])
## error-model.h (module 'network'): bool ns3::BurstErrorModel::DoCorrupt(ns3::Ptr<ns3::Packet> p) [member function]
cls.add_method('DoCorrupt',
'bool',
[param('ns3::Ptr< ns3::Packet >', 'p')],
visibility='private', is_virtual=True)
## error-model.h (module 'network'): void ns3::BurstErrorModel::DoReset() [member function]
cls.add_method('DoReset',
'void',
[],
visibility='private', is_virtual=True)
return
def register_functions(root_module):
module = root_module
register_functions_ns3_FatalImpl(module.get_submodule('FatalImpl'), root_module)
return
def register_functions_ns3_FatalImpl(module, root_module):
return
def main():
out = FileCodeSink(sys.stdout)
root_module = module_init()
register_types(root_module)
register_methods(root_module)
register_functions(root_module)
root_module.generate(out)
if __name__ == '__main__':
main()<|fim▁end|> | |
<|file_name|>test_filter.py<|end_file_name|><|fim▁begin|>cases = [
('pmt.py -s 1 -n 20 populations, first without state filter',
'pmt.py -s 1 -n 20 populations'),<|fim▁hole|> ('pmt.py -s 2 -n 20 populations filter3, state filter limits population to 3',
'pmt.py -s 2 -n 20 populations filter3')
]<|fim▁end|> | |
<|file_name|>mode.js<|end_file_name|><|fim▁begin|>/*jslint node: true*/
/*jslint expr: true*/
/*global describe, it*/
"use strict";
var irc = require('../..');
var Stream = require('stream').PassThrough;
describe('mode.js', function () {
describe('on MODE', function () {
it('should parse usermode', function (done) {
var stream = new Stream(),
client = irc(stream, false);
client.on('mode', function (err, event) {
event.by.getNick().should.equal('foo');
event.adding.should.equal(true);
event.mode.should.equal('x');
done();
});
stream.write(':[email protected] MODE test +x\r\n');
});
it('should parse usermode aswell', function (done) {
var stream = new Stream(),
client = irc(stream, false);
client.once('mode', function (err, event) {
event.by.should.equal('foo');
event.adding.should.equal(true);
event.mode.should.equal('Z');
client.once('mode', function (err, event) {
event.by.should.equal('foo');
event.adding.should.equal(true);
event.mode.should.equal('i');
done();
});
});
stream.write(':foo MODE foo :+Zi\r\n');
});
it('should parse channelmode', function (done) {
var stream = new Stream(),
client = irc(stream, false);
client.once('mode', function (err, event) {
event.channel.getName().should.equal('#foo');
event.by.getNick().should.equal('foo');
event.argument.should.equal('bar');
event.adding.should.equal(false);
event.mode.should.equal('o');
client.once('mode', function (err, event) {
event.channel.getName().should.equal('#foo');
event.by.getNick().should.equal('foo');
event.argument.should.equal('baz');
event.adding.should.equal(true);
event.mode.should.equal('v');
client.once('mode', function (err, event) {
event.channel.getName().should.equal('#foo');
event.by.getNick().should.equal('op');
event.argument.should.equal('badguy');
event.adding.should.equal(true);
event.mode.should.equal('b');
done();
});
});
});
stream.write(':[email protected] MODE #foo -o+v bar baz\r\n');
stream.write(':[email protected] MODE #foo +b badguy\r\n');
});
});<|fim▁hole|><|fim▁end|> | }); |
<|file_name|>gift_card_adjustment.py<|end_file_name|><|fim▁begin|>from ..base import ShopifyResource<|fim▁hole|>
class GiftCardAdjustment(ShopifyResource):
_prefix_source = "/admin/gift_cards/$gift_card_id/"
_plural = "adjustments"
_singular = "adjustment"<|fim▁end|> | |
<|file_name|>properties_5.js<|end_file_name|><|fim▁begin|>var searchData=<|fim▁hole|><|fim▁end|> | [
['uniquecount',['UniqueCount',['../class_standard_trie_1_1cs_1_1_prefix_trie.html#a82986e28b3191486a98cf874a1ae1b06',1,'StandardTrie::cs::PrefixTrie']]]
]; |
<|file_name|>test_qos_driver.py<|end_file_name|><|fim▁begin|># Copyright 2015 Mellanox Technologies, Ltd
#
# 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
#<|fim▁hole|># 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.
import mock
from oslo_utils import uuidutils
from neutron import context
from neutron.objects.qos import policy
from neutron.objects.qos import rule
from neutron.plugins.ml2.drivers.mech_sriov.agent.common import exceptions
from neutron.plugins.ml2.drivers.mech_sriov.agent.extension_drivers import (
qos_driver)
from neutron.tests import base
class QosSRIOVAgentDriverTestCase(base.BaseTestCase):
ASSIGNED_MAC = '00:00:00:00:00:66'
PCI_SLOT = '0000:06:00.1'
def setUp(self):
super(QosSRIOVAgentDriverTestCase, self).setUp()
self.context = context.get_admin_context()
self.qos_driver = qos_driver.QosSRIOVAgentDriver()
self.qos_driver.initialize()
self.qos_driver.eswitch_mgr = mock.Mock()
self.qos_driver.eswitch_mgr.set_device_max_rate = mock.Mock()
self.max_rate_mock = self.qos_driver.eswitch_mgr.set_device_max_rate
self.rule = self._create_bw_limit_rule_obj()
self.qos_policy = self._create_qos_policy_obj([self.rule])
self.port = self._create_fake_port()
def _create_bw_limit_rule_obj(self):
rule_obj = rule.QosBandwidthLimitRule()
rule_obj.id = uuidutils.generate_uuid()
rule_obj.max_kbps = 2
rule_obj.max_burst_kbps = 200
rule_obj.obj_reset_changes()
return rule_obj
def _create_qos_policy_obj(self, rules):
policy_dict = {'id': uuidutils.generate_uuid(),
'tenant_id': uuidutils.generate_uuid(),
'name': 'test',
'description': 'test',
'shared': False,
'rules': rules}
policy_obj = policy.QosPolicy(self.context, **policy_dict)
policy_obj.obj_reset_changes()
return policy_obj
def _create_fake_port(self):
return {'port_id': uuidutils.generate_uuid(),
'profile': {'pci_slot': self.PCI_SLOT},
'device': self.ASSIGNED_MAC}
def test_create_rule(self):
self.qos_driver.create(self.port, self.qos_policy)
self.max_rate_mock.assert_called_once_with(
self.ASSIGNED_MAC, self.PCI_SLOT, self.rule.max_kbps)
def test_update_rule(self):
self.qos_driver.update(self.port, self.qos_policy)
self.max_rate_mock.assert_called_once_with(
self.ASSIGNED_MAC, self.PCI_SLOT, self.rule.max_kbps)
def test_delete_rules(self):
self.qos_driver.delete(self.port, self.qos_policy)
self.max_rate_mock.assert_called_once_with(
self.ASSIGNED_MAC, self.PCI_SLOT, 0)
def test__set_vf_max_rate_captures_sriov_failure(self):
self.max_rate_mock.side_effect = exceptions.SriovNicError()
self.qos_driver._set_vf_max_rate(self.ASSIGNED_MAC, self.PCI_SLOT)
def test__set_vf_max_rate_unknown_device(self):
with mock.patch.object(self.qos_driver.eswitch_mgr, 'device_exists',
return_value=False):
self.qos_driver._set_vf_max_rate(self.ASSIGNED_MAC, self.PCI_SLOT)
self.assertFalse(self.max_rate_mock.called)<|fim▁end|> | |
<|file_name|>settings.py<|end_file_name|><|fim▁begin|>"""
Django settings for sample_project project.
For more information on this file, see
https://docs.djangoproject.com/en/1.7/topics/settings/
For the full list of settings and their values, see
https://docs.djangoproject.com/en/1.7/ref/settings/
"""
# Build paths inside the project like this: os.path.join(BASE_DIR, ...)
import os
BASE_DIR = os.path.dirname(os.path.dirname(__file__))
# Quick-start development settings - unsuitable for production
# See https://docs.djangoproject.com/en/1.7/howto/deployment/checklist/
# SECURITY WARNING: keep the secret key used in production secret!
SECRET_KEY = 'hj6+-%d0cv@&x%bbb1_t%^+#lkuk2+-5@uci#zrt&xdw2ki&y*'
# SECURITY WARNING: don't run with debug turned on in production!
DEBUG = True
ALLOWED_HOSTS = []
# Application definition
INSTALLED_APPS = (
'django.contrib.admin',
'django.contrib.auth',
'django.contrib.contenttypes',
'django.contrib.sessions',
'django.contrib.messages',
'django.contrib.staticfiles',
'easy',
'test_app',
)
MIDDLEWARE = (
'django.middleware.security.SecurityMiddleware',
'django.contrib.sessions.middleware.SessionMiddleware',
'django.middleware.common.CommonMiddleware',
'django.middleware.csrf.CsrfViewMiddleware',
'django.contrib.auth.middleware.AuthenticationMiddleware',
'django.contrib.messages.middleware.MessageMiddleware',
'django.middleware.clickjacking.XFrameOptionsMiddleware',
)
CACHES = {
'default': {
'BACKEND': 'django.core.cache.backends.locmem.LocMemCache',
'LOCATION': 'unique-snowflake',
}
}
ROOT_URLCONF = 'test_project.urls'
WSGI_APPLICATION = 'test_project.wsgi.application'
# Database
# https://docs.djangoproject.com/en/1.7/ref/settings/#databases
DATABASES = {
'default': {
'ENGINE': 'django.db.backends.sqlite3',
'NAME': os.path.join(BASE_DIR, 'db.sqlite3'),
}
}
# Internationalization
# https://docs.djangoproject.com/en/1.7/topics/i18n/
LANGUAGE_CODE = 'pt-br'
TIME_ZONE = 'America/Sao_Paulo'
USE_I18N = True
USE_L10N = True
USE_TZ = True<|fim▁hole|># https://docs.djangoproject.com/en/1.7/howto/static-files/
STATIC_URL = '/static/'
STATIC_PATH = os.path.join(BASE_DIR, '/static')
TEMPLATES = [
{
'BACKEND': 'django.template.backends.django.DjangoTemplates',
'DIRS': [
os.path.join(BASE_DIR, 'templates'),
],
'APP_DIRS': True,
'OPTIONS': {
'context_processors': [
'django.template.context_processors.debug',
'django.template.context_processors.request',
'django.contrib.auth.context_processors.auth',
'django.contrib.messages.context_processors.messages',
],
},
},
]<|fim▁end|> |
# Static files (CSS, JavaScript, Images) |
<|file_name|>broken-images.js<|end_file_name|><|fim▁begin|>//
// Copyright (C) 2017 - present Instructure, Inc.
//
// This file is part of Canvas.
//
// Canvas is free software: you can redistribute it and/or modify it under<|fim▁hole|>// 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 this program. If not, see <http://www.gnu.org/licenses/>.
import $ from 'jquery'
import I18n from 'i18n!broken_images'
export function attachErrorHandler(imgElement) {
$(imgElement).on('error', e => {
if (e.currentTarget.src) {
$.get(e.currentTarget.src).fail(response => {
if (response.status === 403) {
// Replace the image with a lock image
$(e.currentTarget).attr({
src: '/images/svg-icons/icon_lock.svg',
alt: I18n.t('Locked image'),
width: 100,
height: 100
})
} else {
// Add the broken-image class
$(e.currentTarget).addClass('broken-image')
}
})
} else {
// Add the broken-image class (if there is no source)
$(e.currentTarget).addClass('broken-image')
}
})
}
export function getImagesAndAttach() {
Array.from(document.querySelectorAll('img:not([src=""])')).forEach(attachErrorHandler)
}
// this behavior will set up all broken images on the page with an error handler that
// can apply the broken-image class if there is an error loading the image.
$(document).ready(() => getImagesAndAttach())<|fim▁end|> | // the terms of the GNU Affero General Public License as published by the Free
// Software Foundation, version 3 of the License.
//
// Canvas is distributed in the hope that it will be useful, but WITHOUT ANY |
<|file_name|>PersistentInformationXML.java<|end_file_name|><|fim▁begin|>/*
* Copyright 2003-2005 The Apache Software Foundation.
*
* 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.
*/
package org.apache.wsrp4j.persistence.xml;
import org.apache.wsrp4j.commons.persistence.PersistentInformation;
/**
* This class defines the interface for persistent information needed
* to store and retrieve PersistentDataObjects with castor XML support.
*
* @version $Id: PersistentInformationXML.java 374672 2006-02-03 14:10:58Z cziegeler $
*/
public interface PersistentInformationXML extends PersistentInformation {
/**
* Set the Store directory for the persistent XML files
*
* @param storeDirectory String name of the store
*/
void setStoreDirectory(String storeDirectory);
/**
* Returns the directory for the persistent XML files
*
* @return String nanme of the store
*/
String getStoreDirectory();
/**
* Set the Castor XML mapping file name, fully qualified
*
* @param mappingFileName String fully qualified filename
*/
void setMappingFileName(String mappingFileName);
/**
* Returns the XML mapping file name, fully qualified
*
* @return String fully qualified filename
*/
String getMappingFileName();
/**
* Set the file name stub for persistent XML files. The name contains the
* store directory followed by a file separator and the class name of the
* object to be restored.
*
* @param stub String file name stub
*/
void setFilenameStub(String stub);
/**
* Returns the file name stub for persistent XML files. @see setFilenameStub
*
* @return String file name stub
*/
String getFilenameStub();
/**
* Returns a fully qualified file name for a persistent XML file.
*
* @return String file name
*/
String getFilename();
/**
* Set the fully qualified file name for a persistent XML file.
*
* @param filename String file name
*/
void setFilename(String filename);
/**
* Updates the file name, enhanced by a string token, like a handle to<|fim▁hole|> * idportlet a unique persistent XML file. If a groupID is set, the
* groupID is used instead of the token to build the filename.
*
* @param token String token, like a handle
*/
void updateFileName(String token);
/**
* Returns the file extension used for persistent XML files
*/
String getExtension();
/**
* Set the file extension for persistent XML files.
*
* @param extension String file extension
*/
void setExtension(String extension);
/**
* Set the Separator, to be used in a fully qualified file name.
*
* @return String Separator character
*/
String getSeparator();
/**
* Set the separator character. (e.g. '@')
*
* @param separator String Separator character
*/
void setSeparator(String separator);
/**
* @return this object as String
*/
String toString();
}<|fim▁end|> | |
<|file_name|>redirect_route_spec.ts<|end_file_name|><|fim▁begin|>import {
ComponentFixture,
AsyncTestCompleter,
TestComponentBuilder,
beforeEach,
ddescribe,<|fim▁hole|> el,
expect,
iit,
inject,
beforeEachProviders,
it,
xit
} from 'angular2/testing_internal';
import {Router, RouterOutlet, RouterLink, RouteParams, RouteData, Location} from 'angular2/router';
import {
RouteConfig,
Route,
AuxRoute,
AsyncRoute,
Redirect
} from 'angular2/src/router/route_config_decorator';
import {TEST_ROUTER_PROVIDERS, RootCmp, compile} from './util';
import {HelloCmp, RedirectToParentCmp} from './impl/fixture_components';
var cmpInstanceCount;
var childCmpInstanceCount;
export function main() {
describe('redirects', () => {
var tcb: TestComponentBuilder;
var rootTC: ComponentFixture;
var rtr;
beforeEachProviders(() => TEST_ROUTER_PROVIDERS);
beforeEach(inject([TestComponentBuilder, Router], (tcBuilder, router) => {
tcb = tcBuilder;
rtr = router;
childCmpInstanceCount = 0;
cmpInstanceCount = 0;
}));
it('should apply when navigating by URL',
inject([AsyncTestCompleter, Location], (async, location) => {
compile(tcb)
.then((rtc) => {rootTC = rtc})
.then((_) => rtr.config([
new Redirect({path: '/original', redirectTo: ['Hello']}),
new Route({path: '/redirected', component: HelloCmp, name: 'Hello'})
]))
.then((_) => rtr.navigateByUrl('/original'))
.then((_) => {
rootTC.detectChanges();
expect(rootTC.debugElement.nativeElement).toHaveText('hello');
expect(location.urlChanges).toEqual(['/redirected']);
async.done();
});
}));
it('should recognize and apply absolute redirects',
inject([AsyncTestCompleter, Location], (async, location) => {
compile(tcb)
.then((rtc) => {rootTC = rtc})
.then((_) => rtr.config([
new Redirect({path: '/original', redirectTo: ['/Hello']}),
new Route({path: '/redirected', component: HelloCmp, name: 'Hello'})
]))
.then((_) => rtr.navigateByUrl('/original'))
.then((_) => {
rootTC.detectChanges();
expect(rootTC.debugElement.nativeElement).toHaveText('hello');
expect(location.urlChanges).toEqual(['/redirected']);
async.done();
});
}));
it('should recognize and apply relative child redirects',
inject([AsyncTestCompleter, Location], (async, location) => {
compile(tcb)
.then((rtc) => {rootTC = rtc})
.then((_) => rtr.config([
new Redirect({path: '/original', redirectTo: ['./Hello']}),
new Route({path: '/redirected', component: HelloCmp, name: 'Hello'})
]))
.then((_) => rtr.navigateByUrl('/original'))
.then((_) => {
rootTC.detectChanges();
expect(rootTC.debugElement.nativeElement).toHaveText('hello');
expect(location.urlChanges).toEqual(['/redirected']);
async.done();
});
}));
it('should recognize and apply relative parent redirects',
inject([AsyncTestCompleter, Location], (async, location) => {
compile(tcb)
.then((rtc) => {rootTC = rtc})
.then((_) => rtr.config([
new Route({path: '/original/...', component: RedirectToParentCmp}),
new Route({path: '/redirected', component: HelloCmp, name: 'HelloSib'})
]))
.then((_) => rtr.navigateByUrl('/original/child-redirect'))
.then((_) => {
rootTC.detectChanges();
expect(rootTC.debugElement.nativeElement).toHaveText('hello');
expect(location.urlChanges).toEqual(['/redirected']);
async.done();
});
}));
});
}<|fim▁end|> | xdescribe,
describe, |
<|file_name|>LinkedBlockingDequeTest.java<|end_file_name|><|fim▁begin|>package org.mk300.marshal.minimum.test;
import java.io.ByteArrayInputStream;
import java.io.ByteArrayOutputStream;
import java.util.Date;
import java.util.concurrent.LinkedBlockingDeque;
import java.util.concurrent.atomic.AtomicReferenceArray;
import org.apache.commons.io.HexDump;
import org.junit.Test;
import org.mk300.marshal.minimum.MinimumMarshaller;
@SuppressWarnings({"rawtypes", "unchecked"})
public class LinkedBlockingDequeTest {
@Test
public void testLinkedBlockingDeque() throws Exception {
LinkedBlockingDeque data = new LinkedBlockingDeque(10);
data.add(new Date(0));
data.add(new Date(3));
data.add(new Date(4));
data.add(new Date(5));
data.add(new Date(6));
data.add(new Date(7));
testAndPrintHexAndCheck(data);
}
// LinkedBlockingDeque は equalsメソッドを実装していない・・・
private void testAndPrintHexAndCheck(LinkedBlockingDeque<Date> target) throws Exception{
try {
byte[] bytes = MinimumMarshaller.marshal(target);
System.out.println(target.getClass().getSimpleName() + " binary size is " + bytes.length);
ByteArrayOutputStream os = new ByteArrayOutputStream();
HexDump.dump(bytes, 0, os, 0);
System.out.println(os.toString());
System.out.println("");
LinkedBlockingDeque<Date> o = (LinkedBlockingDeque<Date>)MinimumMarshaller.unmarshal(bytes);
// 正確に復元されていることの検証
if( o.size() != target.size()) {
throw new RuntimeException("オブジェクトが異なります。target=" + target + ", desr=" + o);
}
if( o.remainingCapacity() != target.remainingCapacity()) {
throw new RuntimeException("オブジェクトが異なります。target=" + target + ", desr=" + o);
}
Date[] desr = o.toArray(new Date[0]);
Date[] origin = target.toArray(new Date[0]);
for(int i=0; i<desr.length ; i++) {
if(desr[i] == null && origin[i] == null) {
continue;
}
if(desr[i] == null || origin[i] == null) {
throw new RuntimeException("オブジェクトが異なります。target=" + target + ", desr=" + o);
}
if( ! desr[i].equals(origin[i])) {
throw new RuntimeException("オブジェクトが異なります。target=" + target + ", desr=" + o);
}
}
} finally {
}
// おまけ 普通のByteArray*Streamも使えるか?
try {
ByteArrayOutputStream baos = new ByteArrayOutputStream();
MinimumMarshaller.marshal(target, baos);
byte[] bytes = baos.toByteArray();
ByteArrayInputStream bais = new ByteArrayInputStream(bytes);
LinkedBlockingDeque<Date> o = (LinkedBlockingDeque<Date>)MinimumMarshaller.unmarshal(bais);
// 正確に復元されていることの検証
if( o.size() != target.size()) {
throw new RuntimeException("オブジェクトが異なります。target=" + target + ", desr=" + o);
}
if( o.remainingCapacity() != target.remainingCapacity()) {
throw new RuntimeException("オブジェクトが異なります。target=" + target + ", desr=" + o);
}
Date[] desr = o.toArray(new Date[0]);
Date[] origin = target.toArray(new Date[0]);
for(int i=0; i<desr.length ; i++) {
if(desr[i] == null && origin[i] == null) {
continue;<|fim▁hole|> }
if(desr[i] == null || origin[i] == null) {
throw new RuntimeException("オブジェクトが異なります。target=" + target + ", desr=" + o);
}
if( ! desr[i].equals(origin[i])) {
throw new RuntimeException("オブジェクトが異なります。target=" + target + ", desr=" + o);
}
}
} finally {
}
}
}<|fim▁end|> | |
<|file_name|>color_test.py<|end_file_name|><|fim▁begin|>import os
from collections import namedtuple
from eg import color
from eg import config
from mock import patch
# Some hardcoded real colors.
_YELLOW = '\x1b[33m'
_MAGENTA = '\x1b[35m'
_BLACK = '\x1b[30m'
_GREEN = '\x1b[32m'
# The flags in the test file marking where substitutions should/can occur.
SubFlags = namedtuple(
'SubFlags',
[
'pound',
'pound_reset',
'heading',
'heading_reset',
'code',
'code_reset',
'backticks',
'backticks_reset',
'prompt',
'prompt_reset'
]
)
SUB_FLAGS = SubFlags(
pound='{POUND}',
pound_reset='{POUND_RESET}',
heading='{HEADING}',
heading_reset='{HEADING_RESET}',
code='{CODE}',
code_reset='{CODE_RESET}',<|fim▁hole|> prompt='{PROMPT}',
prompt_reset='{PROMPT_RESET}'
)
FIND_FILE_WITH_SUBS = os.path.join(
os.path.dirname(__file__),
'assets',
'find_example_substitute.md'
)
def get_clean_find_file():
"""Get the test file for find as pure markdown."""
# Defaults are empty strings, so this works.
raw_file = get_raw_find_test_file()
cleaned_file = get_data_with_subs(raw_file)
return cleaned_file
def get_raw_find_test_file():
"""Read the test file in and return it as a string."""
with open(FIND_FILE_WITH_SUBS, 'r') as f:
data = f.read()
return data
def get_data_with_subs(
string,
pound='',
heading='',
code='',
backticks='',
pound_reset='',
heading_reset='',
code_reset='',
backticks_reset='',
prompt='',
prompt_reset=''
):
"""
Return string with substitutions made. By default, with no parameters, will
simply remove all substitution flags, replacing them all with the empty
string.
This substitutes things manually, without using regular expressions. The
reset_strings are provided to try and allow testing only some of the
colorizations at a time. For example, if you are just colorizing the
headings, you'll want the reset escape sequence there. You won't want them
for the block indents, however, or else you'd end up with things like:
code code RESET
code line two RESET
which obviously wouldn't make sense.
"""
data = string
data = data.replace(SUB_FLAGS.pound, pound)
data = data.replace(SUB_FLAGS.pound_reset, pound_reset)
data = data.replace(SUB_FLAGS.heading, heading)
data = data.replace(SUB_FLAGS.heading_reset, heading_reset)
data = data.replace(SUB_FLAGS.code, code)
data = data.replace(SUB_FLAGS.code_reset, code_reset)
data = data.replace(SUB_FLAGS.backticks, backticks)
data = data.replace(SUB_FLAGS.backticks_reset, backticks_reset)
data = data.replace(SUB_FLAGS.prompt, prompt)
data = data.replace(SUB_FLAGS.prompt_reset, prompt_reset)
return data
def test_colorize_heading():
"""Makes sure we colorize things like '# find' correctly"""
color_config = config.ColorConfig(
'P',
'H',
_YELLOW,
_MAGENTA,
_BLACK,
'RES',
'RES',
'',
'',
''
)
clean = get_clean_find_file()
raw_file = get_raw_find_test_file()
target = get_data_with_subs(
raw_file,
pound=color_config.pound,
pound_reset=color_config.pound_reset,
heading=color_config.heading,
heading_reset=color_config.heading_reset
)
colorizer = color.EgColorizer(color_config)
actual = colorizer.colorize_heading(clean)
assert actual == target
def test_colorize_block_indents():
"""Makes sure we colorize block indents correctly."""
color_config = config.ColorConfig(
_BLACK,
_MAGENTA,
'C',
_YELLOW,
'P',
'',
'',
'res',
'',
'res'
)
clean = get_clean_find_file()
raw_file = get_raw_find_test_file()
target = get_data_with_subs(
raw_file,
code=color_config.code,
code_reset=color_config.code_reset,
prompt=color_config.prompt,
prompt_reset=color_config.prompt_reset
)
colorizer = color.EgColorizer(color_config)
actual = colorizer.colorize_block_indent(clean)
assert actual == target
def test_colorize_backticks():
"""Makes sure we colorize backticks correctly."""
color_config = config.ColorConfig(
_BLACK,
_MAGENTA,
_YELLOW,
'B',
_GREEN,
'',
'',
'',
'res',
''
)
clean = get_clean_find_file()
raw_file = get_raw_find_test_file()
target = get_data_with_subs(
raw_file,
backticks=color_config.backticks,
backticks_reset=color_config.backticks_reset,
)
colorizer = color.EgColorizer(color_config)
actual = colorizer.colorize_backticks(clean)
assert actual == target
@patch('eg.color.EgColorizer.colorize_backticks',
return_value='text-heading-indent-backticks')
@patch('eg.color.EgColorizer.colorize_block_indent',
return_value='text-heading-indent')
@patch('eg.color.EgColorizer.colorize_heading', return_value='text-heading')
def test_colorize_text_calls_all_sub_methods(heading, indent, backticks):
"""colorize_text should call all of the helper colorize methods."""
colorizer = color.EgColorizer(None)
text = 'text'
actual = colorizer.colorize_text(text)
heading.assert_called_once_with(text)
indent.assert_called_once_with('text-heading')
backticks.assert_called_once_with('text-heading-indent')
assert 'text-heading-indent-backticks' == actual<|fim▁end|> | backticks='{BACKTICKS}',
backticks_reset='{BACKTICKS_RESET}', |
<|file_name|>ScanTargetStep.tsx<|end_file_name|><|fim▁begin|>import * as React from 'react';
import {
Card,
CardHeader,
CardText,
} from 'material-ui/Card';
import {
IWorkflowStepProps,
WorkflowActionTargets,
} from './workflow';
import ActionButtonContainer from './ActionButtonContainer';
export default class ScanTargetStep extends React.Component<IWorkflowStepProps, {}> {<|fim▁hole|> actions: [
{
title: 'Action 1',
command: 'some_command',
trigger: WorkflowActionTargets.Button,
},
],
},
};
public static containerStyle: React.CSSProperties = {
display: 'flex',
flexDirection: 'column',
flexGrow: 1,
};
public static rootStyle: React.CSSProperties = {
display: 'flex',
flexDirection: 'column',
flexGrow: 1,
};
public render() {
return (
<Card
containerStyle={ScanTargetStep.containerStyle}
expandable={false}
style={ScanTargetStep.rootStyle}
>
<CardHeader
title={this.props.workflowStep.title}
/>
<CardText
style={{ flexGrow: 1 }}
>
This space intentionally left blank
</CardText>
<ActionButtonContainer
actions={this.props.workflowStep.actions}
onActionDispatched={this.onActionDispatched}
/>
</Card>
);
}
private onActionDispatched = (command: string, options?: any) => {
this.props.onActionDispatched(command, options);
}
}<|fim▁end|> | public static defaultProps: Partial<IWorkflowStepProps> = {
workflowStep: {
title: 'Default Title', |
<|file_name|>ut_dcpwidget.cpp<|end_file_name|><|fim▁begin|>/***************************************************************************
**
** Copyright (C) 2010 Nokia Corporation and/or its subsidiary(-ies).
** All rights reserved.<|fim▁hole|>** This file is part of duicontrolpanel.
**
**
** This library is free software; you can redistribute it and/or
** modify it under the terms of the GNU Lesser General Public
** License version 2.1 as published by the Free Software Foundation
** and appearing in the file LICENSE.LGPL included in the packaging
** of this file.
**
****************************************************************************/
#include <QObject>
#include <QGraphicsSceneMouseEvent>
#include <QSignalSpy>
#include <dcpwidget.h>
#include <dcpwidget_p.h>
#include "ut_dcpwidget.h"
void Ut_DcpWidget::init()
{
m_subject = new DcpWidget();
}
void Ut_DcpWidget::cleanup()
{
delete m_subject;
m_subject = 0;
}
void Ut_DcpWidget::initTestCase()
{
}
void Ut_DcpWidget::cleanupTestCase()
{
}
void Ut_DcpWidget::testCreation()
{
QVERIFY(m_subject);
}
void Ut_DcpWidget::testWidgetId()
{
QCOMPARE(m_subject->d_ptr->m_WidgetId, -1);
QVERIFY(m_subject->setWidgetId(1));
QCOMPARE(m_subject->d_ptr->m_WidgetId, 1);
QCOMPARE(m_subject->getWidgetId(), 1);
QVERIFY(!m_subject->setWidgetId(10)); // already set
}
void Ut_DcpWidget::testBack()
{
QVERIFY(m_subject->back()); // default behaviour
}
void Ut_DcpWidget::testPagePans()
{
QVERIFY(m_subject->pagePans()); // default behaviour
}
void Ut_DcpWidget::testProgressIndicator()
{
// default value:
QVERIFY(!m_subject->isProgressIndicatorVisible());
QSignalSpy spy (m_subject, SIGNAL(inProgress(bool)));
// show it:
m_subject->setProgressIndicatorVisible(true);
QVERIFY(m_subject->isProgressIndicatorVisible());
QCOMPARE(spy.count(), 1);
QVERIFY(spy.takeFirst().at(0).toBool());
// hide it:
m_subject->setProgressIndicatorVisible(false);
QVERIFY(!m_subject->isProgressIndicatorVisible());
QCOMPARE(spy.count(), 1);
QVERIFY(!spy.takeFirst().at(0).toBool());
}
QTEST_APPLESS_MAIN(Ut_DcpWidget)<|fim▁end|> | ** Contact: Karoliina T. Salminen <[email protected]>
** |
<|file_name|>TicketAgentImpl.java<|end_file_name|><|fim▁begin|>package com.codenotfound.endpoint;
import java.math.BigInteger;
import org.example.ticketagent.ObjectFactory;
import org.example.ticketagent.TFlightsResponse;
import org.example.ticketagent.TListFlights;
import org.example.ticketagent_wsdl11.TicketAgent;
public class TicketAgentImpl implements TicketAgent {
@Override
public TFlightsResponse listFlights(TListFlights body) {
ObjectFactory factory = new ObjectFactory();
TFlightsResponse response = factory.createTFlightsResponse();
response.getFlightNumber().add(BigInteger.valueOf(101));
return response;
}<|fim▁hole|><|fim▁end|> | } |
<|file_name|>convert.py<|end_file_name|><|fim▁begin|>import sys
import errno
import json
import os
from argparse import ArgumentParser
sys.path.insert(1, 'py-bindings')
from squad import SQUADConverter
def get_samples(test_file, vocab_file, output_dir):
print("Test file:", test_file)
print("Vocab file:", vocab_file)
print("Output dir:", output_dir)
max_seq_length = 384
max_query_length = 64
doc_stride = 128
lower_case = False
sqd = SQUADConverter(test_file, vocab_file, max_seq_length, max_query_length, doc_stride, lower_case)
samples = sqd.convert()
# Dump samples to json
print("--Dumping examples to json--")
os.makedirs(output_dir, exist_ok=True)
output_file = output_dir + "/squad_examples.json"
c = 0
with open(output_file, 'w', encoding='utf-8') as fid:
json.dump({'samples':samples}, fid, ensure_ascii=False, indent=4)
return c
def get_arguments():
parser = ArgumentParser()
parser.add_argument("--test_file", type=str, help="Path to squad test json file", required=True)
parser.add_argument("--vocab_file", type=str, help="Path to vocab.txt file", required=True)
parser.add_argument("--max_seq_length", type=int, help="Max sequence length", default=384)
parser.add_argument("--max_query_length", type=int, help="Max query length", default=64)
parser.add_argument("--doc_stride", type=int, help="Document stride", default=128)
parser.add_argument("--lower_case", type=bool, help="Lower case", default=1)
parser.add_argument("--output_dir", type=str, help="Output directory for saved json", default="samples_cache")
return parser.parse_args()
def main():
args = get_arguments()
if not os.path.isfile(args.test_file):
raise FileNotFoundError(errno.ENOENT, os.strerror(errno.ENOENT), args.test_file)
if not os.path.isfile(args.vocab_file):
raise FileNotFoundError(errno.ENOENT, os.strerror(errno.ENOENT), args.vocab_file)
sqd = SQUADConverter(args.test_file, args.vocab_file, args.max_seq_length, args.max_query_length, args.doc_stride, args.lower_case)
# Convert examples
print("--Reading samples--")
samples = sqd.convert()
# Dump samples ot json
print("--Dumping examples to json--")
os.makedirs(args.output_dir, exist_ok=True)<|fim▁hole|>
if __name__=="__main__":
main()<|fim▁end|> | output_file = args.output_dir + "/squad_examples.json"
with open(output_file, 'w', encoding='utf-8') as fid:
json.dump({'samples':samples}, fid, ensure_ascii=False, indent=4) |
<|file_name|>class_n_b_frame.js<|end_file_name|><|fim▁begin|>var class_n_b_frame =
[
[ "checkOptions", "dc/d86/class_n_b_frame.html#a1d586add0fd5236f91a41673552cbb03", null ],
[ "fillOptions", "dc/d86/class_n_b_frame.html#af1901022d54dc5509e070f68e8101217", null ]<|fim▁hole|><|fim▁end|> | ]; |
<|file_name|>test_chart_title01.py<|end_file_name|><|fim▁begin|><|fim▁hole|>#
# Tests for XlsxWriter.
#
# Copyright (c), 2013-2016, John McNamara, [email protected]
#
from ..excel_comparsion_test import ExcelComparisonTest
from ...workbook import Workbook
class TestCompareXLSXFiles(ExcelComparisonTest):
"""
Test file created by XlsxWriter against a file created by Excel.
"""
def setUp(self):
self.maxDiff = None
filename = 'chart_title01.xlsx'
test_dir = 'xlsxwriter/test/comparison/'
self.got_filename = test_dir + '_test_' + filename
self.exp_filename = test_dir + 'xlsx_files/' + filename
self.ignore_files = []
self.ignore_elements = {}
def test_create_file(self):
"""Test the creation of an XlsxWriter file with default title."""
workbook = Workbook(self.got_filename)
worksheet = workbook.add_worksheet()
chart = workbook.add_chart({'type': 'column'})
chart.axis_ids = [46165376, 54462720]
data = [
[1, 2, 3, 4, 5],
[2, 4, 6, 8, 10],
[3, 6, 9, 12, 15],
]
worksheet.write_column('A1', data[0])
worksheet.write_column('B1', data[1])
worksheet.write_column('C1', data[2])
chart.add_series({'values': '=Sheet1!$A$1:$A$5',
'name': 'Foo'})
chart.set_title({'none': True})
worksheet.insert_chart('E9', chart)
workbook.close()
self.assertExcelEqual()<|fim▁end|> | ############################################################################### |
<|file_name|>lane.rs<|end_file_name|><|fim▁begin|>// +--------------------------------------------------------------------------+
// | Copyright 2016 Matthew D. Steele <[email protected]> |
// | |
// | This file is part of System Syzygy. |
// | |
// | System Syzygy 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. |
// | |
// | System Syzygy 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 details. |
// | |
// | You should have received a copy of the GNU General Public License along |
// | with System Syzygy. If not, see <http://www.gnu.org/licenses/>. |
// +--------------------------------------------------------------------------+
use std::cmp::min;
use toml;
use super::PuzzleState;
use crate::save::memory::{Grid, Shape};
use crate::save::util::{pop_array, to_table, Tomlable, ACCESS_KEY};
use crate::save::{Access, Location};
// ========================================================================= //
const GRID_KEY: &str = "grid";
const STAGE_KEY: &str = "stage";
const NUM_COLS: usize = 6;
const NUM_ROWS: usize = 4;
const NUM_SYMBOLS: i32 = 6;
enum Stage {
Place(Shape),
Remove(i8),
}
#[cfg_attr(rustfmt, rustfmt_skip)]
const STAGES: &[Stage] = &[
Stage::Place(Shape([0, 1, 0, 0, 1, 1, 0, 1, 0])),
Stage::Place(Shape([0, 0, 0, 2, 2, 2, 0, 0, 2])),
Stage::Place(Shape([0, 0, 0, 3, 3, 0, 3, 3, 0])),
Stage::Place(Shape([0, 0, 0, 5, 5, 5, 5, 0, 0])),
Stage::Remove(1),
Stage::Place(Shape([0, 6, 6, 0, 6, 0, 0, 6, 0])),
Stage::Remove(3),
Stage::Place(Shape([0, 4, 0, 4, 4, 0, 4, 0, 0])),
Stage::Remove(2),
Stage::Remove(5),
Stage::Remove(6),
Stage::Place(Shape([0, 3, 0, 3, 3, 3, 0, 0, 0])),
Stage::Place(Shape([0, 0, 0, 0, 2, 2, 2, 2, 0])),
Stage::Place(Shape([0, 1, 1, 0, 1, 0, 0, 1, 0])),
Stage::Place(Shape([5, 5, 0, 0, 5, 0, 0, 5, 0])),
Stage::Remove(4),
Stage::Remove(2),
Stage::Place(Shape([0, 0, 0, 6, 6, 6, 6, 0, 0])),
Stage::Remove(3),
Stage::Remove(5),
Stage::Remove(1),
Stage::Remove(6),
];
// ========================================================================= //
pub struct LaneState {
access: Access,
grid: Grid,
stage: usize,
}
impl LaneState {
pub fn solve(&mut self) {
self.access = Access::Solved;
self.grid.clear();
self.stage = STAGES.len();
}
pub fn total_num_stages(&self) -> usize {
STAGES.len()
}
pub fn current_stage(&self) -> usize {
self.stage
}
pub fn grid(&self) -> &Grid {
&self.grid
}
pub fn grid_mut(&mut self) -> &mut Grid {
&mut self.grid
}
pub fn next_shape(&self) -> Option<Shape> {
if self.stage < STAGES.len() {
match STAGES[self.stage] {
Stage::Place(ref shape) => Some(shape.clone()),
Stage::Remove(_) => None,
}
} else {
None
}
}
pub fn next_remove(&self) -> Option<i8> {
if self.stage < STAGES.len() {
match STAGES[self.stage] {
Stage::Place(_) => None,
Stage::Remove(symbol) => Some(symbol),
}
} else {
None
}
}
pub fn try_place_shape(&mut self, col: i32, row: i32) -> Option<i8> {
if let Some(shape) = self.next_shape() {
if self.grid.try_place_shape(&shape, col, row) {
self.advance();
return shape.symbol();
}
}
None
}
pub fn can_remove_symbol(&self, symbol: i8) -> bool {
assert!(symbol > 0 && symbol as i32 <= NUM_SYMBOLS);
self.next_remove() == Some(symbol)
}
pub fn decay_symbol_all(&mut self, symbol: i8) {
self.grid.decay_symbol(symbol, NUM_COLS * NUM_ROWS);
}
pub fn remove_symbol(&mut self, symbol: i8) {
assert!(symbol > 0 && symbol as i32 <= NUM_SYMBOLS);
if self.can_remove_symbol(symbol) {
self.grid.remove_symbol(symbol);
self.advance();
} else {
self.reset();
}
}
fn advance(&mut self) {
debug_assert!(self.stage < STAGES.len());
self.stage += 1;
if self.stage == STAGES.len() {
self.access = Access::Solved;
}
}
}
impl PuzzleState for LaneState {
fn location() -> Location {
Location::MemoryLane
}
fn access(&self) -> Access {
self.access
}
fn access_mut(&mut self) -> &mut Access {
&mut self.access
}
fn can_reset(&self) -> bool {
self.stage > 0
}
fn reset(&mut self) {
self.grid.clear();
self.stage = 0;
}
}
impl Tomlable for LaneState {
fn to_toml(&self) -> toml::Value {
let mut table = toml::value::Table::new();
table.insert(ACCESS_KEY.to_string(), self.access.to_toml());
if !self.access.is_solved() {
table.insert(
STAGE_KEY.to_string(),
toml::Value::Integer(self.stage as i64),
);
table.insert(GRID_KEY.to_string(), self.grid.to_toml());
}
toml::Value::Table(table)
}
fn from_toml(value: toml::Value) -> LaneState {
let mut table = to_table(value);
let access = Access::pop_from_table(&mut table, ACCESS_KEY);
let stage = if access.is_solved() {
STAGES.len()
} else {
min(
u32::pop_from_table(&mut table, STAGE_KEY) as usize,
STAGES.len() - 1,
)
};
let grid = Grid::from_toml(
NUM_COLS,
NUM_ROWS,
pop_array(&mut table, GRID_KEY),
);
LaneState { access, grid, stage }
}
}
// ========================================================================= //
#[cfg(test)]
mod tests {
use std::collections::HashSet;
use toml;
use super::{LaneState, Stage, NUM_SYMBOLS, STAGES, STAGE_KEY};
use crate::save::util::{Tomlable, ACCESS_KEY};
use crate::save::{Access, PuzzleState};
#[test]
fn stages_are_well_formed() {
let mut symbols_on_board = HashSet::new();
for (index, stage) in STAGES.iter().enumerate() {
match stage {
&Stage::Place(ref shape) => {
let mut num_symbols = 0;
for (_, symbol) in shape.tiles() {
assert!(symbol as i32 <= NUM_SYMBOLS);
num_symbols += 1;
symbols_on_board.insert(symbol);
}
assert_eq!(num_symbols, 4);
}
&Stage::Remove(symbol) => {
assert!(symbol > 0 && symbol as i32 <= NUM_SYMBOLS);
assert!(
symbols_on_board.contains(&symbol),
"Stage {} frees {}, but it's not on the board.",
index,
symbol
);
symbols_on_board.remove(&symbol);
}
}
}
assert!(
symbols_on_board.is_empty(),
"At the end of the puzzle, {:?} are still on the board.",
symbols_on_board
);
}
#[test]
fn toml_round_trip() {
let mut state = LaneState::from_toml(toml::Value::Boolean(false));
state.access = Access::Replaying;
assert_eq!(state.try_place_shape(-1, 0), Some(1));
assert_eq!(state.try_place_shape(1, -1), Some(2));
assert_eq!(state.stage, 2);
assert_eq!(state.grid.num_distinct_symbols(), 2);
let state = LaneState::from_toml(state.to_toml());<|fim▁hole|> assert_eq!(state.stage, 2);
assert_eq!(state.grid.num_distinct_symbols(), 2);
}
#[test]
fn from_empty_toml() {
let state = LaneState::from_toml(toml::Value::Boolean(false));
assert_eq!(state.access, Access::Unvisited);
assert_eq!(state.stage, 0);
assert_eq!(state.grid.num_distinct_symbols(), 0);
}
#[test]
fn from_solved_toml() {
let mut table = toml::value::Table::new();
table.insert(ACCESS_KEY.to_string(), Access::Solved.to_toml());
let state = LaneState::from_toml(toml::Value::Table(table));
assert_eq!(state.access, Access::Solved);
assert_eq!(state.stage, STAGES.len());
assert_eq!(state.grid.num_distinct_symbols(), 0);
}
#[test]
fn from_invalid_stage_toml() {
let mut table = toml::value::Table::new();
table.insert(STAGE_KEY.to_string(), toml::Value::Integer(77));
let state = LaneState::from_toml(toml::Value::Table(table));
assert_eq!(state.stage, STAGES.len() - 1);
assert!(!state.is_solved());
let mut table = toml::value::Table::new();
table.insert(STAGE_KEY.to_string(), toml::Value::Integer(-77));
let state = LaneState::from_toml(toml::Value::Table(table));
assert_eq!(state.stage, 0);
assert!(!state.is_solved());
}
#[test]
fn symbol_decay() {
let mut state = LaneState::from_toml(toml::Value::Boolean(false));
assert_eq!(state.try_place_shape(-1, 0), Some(1));
state.decay_symbol_all(1);
}
}
// ========================================================================= //<|fim▁end|> | assert_eq!(state.access, Access::Replaying); |
<|file_name|>main.rs<|end_file_name|><|fim▁begin|>#![deny(warnings)]
#![deny(unused_import_braces, unused_qualifications)]
#[macro_use] extern crate log;
extern crate clap;
extern crate env_logger;
extern crate breeze_core;
extern crate breeze_backends;
extern crate breeze_backend;
mod input;
use input::attach_default_input;
use breeze_core::rom::Rom;
use breeze_core::snes::Emulator;
use breeze_core::save::SaveStateFormat;
use breeze_core::record::{RecordingFormat, create_recorder, create_replayer};
use breeze_backend::Renderer;
use clap::ArgMatches;
use std::env;
use std::error::Error;
use std::fs::File;
use std::io::{BufReader, Read};
use std::process;
fn process_args(args: &ArgMatches) -> Result<(), Box<Error>> {
if args.value_of("record").is_some() && args.value_of("replay").is_some() {
return Err("`record` and `replay` may not be specified together!".into());
}
let renderer_name = args.value_of("renderer").unwrap_or(&breeze_backends::DEFAULT_RENDERER);
let renderer_fn = match breeze_backends::RENDERER_MAP.get(renderer_name) {
None => {
let mut message = format!("unknown renderer: {}\n", renderer_name);
message.push_str(&format!("{} renderers known:\n",
breeze_backends::RENDERER_MAP.len()));
for (name, opt_fn) in breeze_backends::RENDERER_MAP.iter() {
message.push_str(&format!("\t{}\t{}\n", name, match *opt_fn {
Some(_) => "available",
None => "not compiled in",
}));
}
return Err(message.into());
}
Some(&None) => {
let mut message = format!("renderer '{}' not compiled in", renderer_name);
message.push_str(&format!("(compile with `cargo build --features {}` to enable)",
renderer_name));
// NOTE: Make sure that renderer name always matches feature name!
return Err("exiting".into());
}
Some(&Some(renderer_fn)) => {
renderer_fn
}
};
let audio_name = args.value_of("audio").unwrap_or(&breeze_backends::DEFAULT_AUDIO);
let audio_fn = match breeze_backends::AUDIO_MAP.get(audio_name) {
None => {
let mut message = format!("unknown audio sink: {}\n", audio_name);
message.push_str(&format!("{} audio sinks known:\n", breeze_backends::AUDIO_MAP.len()));
for (name, opt_fn) in breeze_backends::AUDIO_MAP.iter() {<|fim▁hole|> }
return Err(message.into());
}
Some(&None) => {
let mut message = format!("audio backend '{0}' not compiled in\n", audio_name);
message.push_str(&format!("(compile with `cargo build --features {0}` to enable)",
audio_name));
// NOTE: Make sure that audio sink name always matches feature name!
return Err(message.into());
}
Some(&Some(audio_fn)) => {
audio_fn
}
};
// Load the ROM into memory
let filename = args.value_of("rom").unwrap();
let mut file = try!(File::open(&filename));
let mut buf = Vec::new();
try!(file.read_to_end(&mut buf));
let rom = try!(Rom::from_bytes(&buf));
// Create the backend parts
info!("using {} renderer", renderer_name);
let mut renderer = try!(renderer_fn());
if let Some(title) = rom.get_title() {
renderer.set_rom_title(title);
}
info!("using {} audio sink", audio_name);
let audio = try!(audio_fn());
// Put everything together in the emulator
let mut emu = Emulator::new(rom, renderer, audio);
attach_default_input(&mut emu.peripherals_mut().input, renderer_name);
if let Some(record_file) = args.value_of("record") {
let writer = Box::new(File::create(record_file).unwrap());
let recorder = create_recorder(RecordingFormat::default(), writer, &emu.snes).unwrap();
emu.peripherals_mut().input.start_recording(recorder);
}
if let Some(replay_file) = args.value_of("replay") {
let reader = Box::new(BufReader::new(File::open(replay_file).unwrap()));
let replayer = create_replayer(RecordingFormat::default(), reader, &emu.snes).unwrap();
emu.peripherals_mut().input.start_replay(replayer);
}
if let Some(filename) = args.value_of("savestate") {
let file = File::open(filename).unwrap();
let mut bufrd = BufReader::new(file);
emu.snes.restore_save_state(SaveStateFormat::default(), &mut bufrd).unwrap()
}
if cfg!(debug_assertions) && args.is_present("oneframe") {
debug!("PPU H={}, V={}",
emu.peripherals().ppu.h_counter(),
emu.peripherals().ppu.v_counter());
try!(emu.snes.render_frame(|_framebuf| Ok(vec![])));
info!("frame rendered. pausing emulation.");
// Keep rendering, but don't run emulation
// Copy out the frame buffer because the damn borrow checker doesn't like it otherwise
let framebuf = emu.peripherals().ppu.framebuf.clone();
loop {
let actions = try!(emu.renderer.render(&*framebuf));
for a in actions {
if emu.handle_action(a) { break }
}
}
} else {
// Run normally
try!(emu.run());
}
Ok(())
}
fn main() {
if env::var_os("RUST_LOG").is_none() {
env::set_var("RUST_LOG", "breeze=INFO");
}
env_logger::init().unwrap();
let mut app = clap::App::new("breeze")
.version(env!("CARGO_PKG_VERSION"))
.about("SNES emulator")
.arg(clap::Arg::with_name("rom")
.required(true)
.value_name("ROM_PATH")
.takes_value(true)
.help("The ROM file to execute"))
.arg(clap::Arg::with_name("renderer")
.short("R")
.long("renderer")
.takes_value(true)
.help("The renderer to use"))
.arg(clap::Arg::with_name("audio")
.short("A")
.long("audio")
.takes_value(true)
.help("The audio backend to use"))
.arg(clap::Arg::with_name("savestate")
.long("savestate")
.takes_value(true)
.help("The save state file to load"))
.arg(clap::Arg::with_name("record")
.long("record")
.takes_value(true)
.help("Record input to a text file"))
.arg(clap::Arg::with_name("replay")
.long("replay")
.takes_value(true)
.help("Replay a recording from a text file"));
// Add debugging options
if cfg!(debug_assertions) {
app = app.arg(clap::Arg::with_name("oneframe")
.long("oneframe")
.help("Render a single frame, then pause"));
}
let args = app.get_matches();
match process_args(&args) {
Ok(()) => {},
Err(e) => {
// FIXME: Glium swallows useful information when using {} instead of {:?}
// I should fix this upstream when I have time.
debug!("error: {:?}", e);
println!("error: {}", e);
process::exit(1);
}
}
}<|fim▁end|> | message.push_str(&format!("\t{}\t{}\n", name, match *opt_fn {
Some(_) => "available",
None => "not compiled in",
})); |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.