hexsha
stringlengths
40
40
size
int64
7
1.04M
ext
stringclasses
10 values
lang
stringclasses
1 value
max_stars_repo_path
stringlengths
4
247
max_stars_repo_name
stringlengths
4
125
max_stars_repo_head_hexsha
stringlengths
40
78
max_stars_repo_licenses
listlengths
1
10
max_stars_count
int64
1
368k
max_stars_repo_stars_event_min_datetime
stringlengths
24
24
max_stars_repo_stars_event_max_datetime
stringlengths
24
24
max_issues_repo_path
stringlengths
4
247
max_issues_repo_name
stringlengths
4
125
max_issues_repo_head_hexsha
stringlengths
40
78
max_issues_repo_licenses
listlengths
1
10
max_issues_count
int64
1
116k
max_issues_repo_issues_event_min_datetime
stringlengths
24
24
max_issues_repo_issues_event_max_datetime
stringlengths
24
24
max_forks_repo_path
stringlengths
4
247
max_forks_repo_name
stringlengths
4
125
max_forks_repo_head_hexsha
stringlengths
40
78
max_forks_repo_licenses
listlengths
1
10
max_forks_count
int64
1
105k
max_forks_repo_forks_event_min_datetime
stringlengths
24
24
max_forks_repo_forks_event_max_datetime
stringlengths
24
24
content
stringlengths
1
1.04M
avg_line_length
float64
1.77
618k
max_line_length
int64
1
1.02M
alphanum_fraction
float64
0
1
original_content
stringlengths
7
1.04M
filtered:remove_function_no_docstring
int64
-102
942k
filtered:remove_class_no_docstring
int64
-354
977k
filtered:remove_delete_markers
int64
0
60.1k
611d92992de419cc5427a81b74c872d81cd71fb4
23,971
py
Python
pyraptor/model/structures.py
yfredrix/pyraptor
a00b1d5576cd4126611483409e293d283cb7917d
[ "MIT" ]
null
null
null
pyraptor/model/structures.py
yfredrix/pyraptor
a00b1d5576cd4126611483409e293d283cb7917d
[ "MIT" ]
null
null
null
pyraptor/model/structures.py
yfredrix/pyraptor
a00b1d5576cd4126611483409e293d283cb7917d
[ "MIT" ]
null
null
null
"""Datatypes""" from __future__ import annotations from itertools import compress from collections import defaultdict from operator import attrgetter from typing import List, Dict, Tuple from dataclasses import dataclass, field from copy import copy import attr import numpy as np from loguru import logger from pyraptor.util import sec2str def same_type_and_id(first, second): """Same type and ID""" return type(first) is type(second) and first.id == second.id @dataclass class Timetable: """Timetable data""" stations: Stations = None stops: Stops = None trips: Trips = None trip_stop_times: TripStopTimes = None routes: Routes = None transfers: Transfers = None def counts(self) -> None: """Print timetable counts""" logger.debug("Counts:") logger.debug("Stations : {}", len(self.stations)) logger.debug("Routes : {}", len(self.routes)) logger.debug("Trips : {}", len(self.trips)) logger.debug("Stops : {}", len(self.stops)) logger.debug("Stop Times : {}", len(self.trip_stop_times)) logger.debug("Transfers : {}", len(self.transfers)) @attr.s(repr=False, cmp=False) class Stop: """Stop""" id = attr.ib(default=None) name = attr.ib(default=None) station: Station = attr.ib(default=None) platform_code = attr.ib(default=None) index = attr.ib(default=None) class Stops: """Stops""" def get(self, stop_id): """Get stop""" if stop_id not in self.set_idx: raise ValueError(f"Stop ID {stop_id} not present in Stops") stop = self.set_idx[stop_id] return stop def get_by_index(self, stop_index) -> Stop: """Get stop by index""" return self.set_index[stop_index] def add(self, stop): """Add stop""" if stop.id in self.set_idx: stop = self.set_idx[stop.id] else: stop.index = self.last_index self.set_idx[stop.id] = stop self.set_index[stop.index] = stop self.last_index += 1 return stop @attr.s(repr=False, cmp=False) class Station: """Stop dataclass""" id = attr.ib(default=None) name = attr.ib(default=None) stops = attr.ib(default=attr.Factory(list)) class Stations: """Stations""" def add(self, station: Station): """Add station""" if station.id in self.set_idx: station = self.set_idx[station.id] else: self.set_idx[station.id] = station return station def get(self, station: Station): """Get station""" if isinstance(station, Station): station = station.id if station not in self.set_idx: return None return self.set_idx[station] def get_stops(self, station_name): """Get all stop ids from station, i.e. platform stop ids belonging to station""" return self.set_idx[station_name].stops @attr.s(repr=False) class TripStopTime: """Trip Stop""" trip: Trip = attr.ib(default=attr.NOTHING) stopidx = attr.ib(default=attr.NOTHING) stop = attr.ib(default=attr.NOTHING) dts_arr = attr.ib(default=attr.NOTHING) dts_dep = attr.ib(default=attr.NOTHING) fare = attr.ib(default=0.0) class TripStopTimes: """Trip Stop Times""" def add(self, trip_stop_time: TripStopTime): """Add trip stop time""" self.set_idx[(trip_stop_time.trip, trip_stop_time.stopidx)] = trip_stop_time self.stop_trip_idx[trip_stop_time.stop].append(trip_stop_time) def get_trip_stop_times_in_range(self, stops, dep_secs_min, dep_secs_max): """Returns all trip stop times with departure time within range""" in_window = [ tst for tst in self if tst.dts_dep >= dep_secs_min and tst.dts_dep <= dep_secs_max and tst.stop in stops ] return in_window def get_earliest_trip(self, stop: Stop, dep_secs: int) -> Trip: """Earliest trip""" trip_stop_times = self.stop_trip_idx[stop] in_window = [tst for tst in trip_stop_times if tst.dts_dep >= dep_secs] return in_window[0].trip if len(in_window) > 0 else None def get_earliest_trip_stop_time(self, stop: Stop, dep_secs: int) -> TripStopTime: """Earliest trip stop time""" trip_stop_times = self.stop_trip_idx[stop] in_window = [tst for tst in trip_stop_times if tst.dts_dep >= dep_secs] return in_window[0] if len(in_window) > 0 else None @attr.s(repr=False, cmp=False) class Trip: """Trip""" id = attr.ib(default=None) stop_times = attr.ib(default=attr.Factory(list)) stop_times_index = attr.ib(default=attr.Factory(dict)) hint = attr.ib(default=None) long_name = attr.ib(default=None) # e.g., Sprinter def trip_stop_ids(self): """Tuple of all stop ids in trip""" return tuple([s.stop.id for s in self.stop_times]) def add_stop_time(self, stop_time: TripStopTime): """Add stop time""" if np.isfinite(stop_time.dts_arr) and np.isfinite(stop_time.dts_dep): assert stop_time.dts_arr <= stop_time.dts_dep assert ( not self.stop_times or self.stop_times[-1].dts_dep <= stop_time.dts_arr ) self.stop_times.append(stop_time) self.stop_times_index[stop_time.stop] = len(self.stop_times) - 1 def get_stop(self, stop: Stop) -> TripStopTime: """Get stop""" return self.stop_times[self.stop_times_index[stop]] def get_fare(self, depart_stop: Stop) -> int: """Get fare from depart_stop""" stop_time = self.get_stop(depart_stop) return 0 if stop_time is None else stop_time.fare class Trips: """Trips""" def add(self, trip): """Add trip""" assert len(trip) >= 2, "must have 2 stop times" trip.id = self.last_id self.set_idx[trip.id] = trip self.last_id += 1 @attr.s(repr=False, cmp=False) class Route: """Route""" id = attr.ib(default=None) trips = attr.ib(default=attr.Factory(list)) stops = attr.ib(default=attr.Factory(list)) stop_order = attr.ib(default=attr.Factory(dict)) def add_trip(self, trip: Trip) -> None: """Add trip""" self.trips.append(trip) def add_stop(self, stop: Stop) -> None: """Add stop""" self.stops.append(stop) # (re)make dict to save the order of the stops in the route self.stop_order = {stop: index for index, stop in enumerate(self.stops)} def stop_index(self, stop: Stop): """Stop index""" return self.stop_order[stop] def earliest_trip(self, dts_arr: int, stop: Stop) -> Trip: """Returns earliest trip after time dts (sec)""" stop_idx = self.stop_index(stop) trip_stop_times = [trip.stop_times[stop_idx] for trip in self.trips] trip_stop_times = [tst for tst in trip_stop_times if tst.dts_dep >= dts_arr] trip_stop_times = sorted(trip_stop_times, key=attrgetter("dts_dep")) return trip_stop_times[0].trip if len(trip_stop_times) > 0 else None def earliest_trip_stop_time(self, dts_arr: int, stop: Stop) -> TripStopTime: """Returns earliest trip stop time after time dts (sec)""" stop_idx = self.stop_index(stop) trip_stop_times = [trip.stop_times[stop_idx] for trip in self.trips] trip_stop_times = [tst for tst in trip_stop_times if tst.dts_dep >= dts_arr] trip_stop_times = sorted(trip_stop_times, key=attrgetter("dts_dep")) return trip_stop_times[0] if len(trip_stop_times) > 0 else None class Routes: """Routes""" def add(self, trip: Trip): """Add trip to route. Make route if not exists.""" trip_stop_ids = trip.trip_stop_ids() if trip_stop_ids in self.set_stops_idx: # Route already exists route = self.set_stops_idx[trip_stop_ids] else: # Route does not exist yet, make new route route = Route() route.id = self.last_id # Maintain stops in route and list of routes per stop for trip_stop_time in trip: route.add_stop(trip_stop_time.stop) self.stop_to_routes[trip_stop_time.stop].append(route) # Efficient lookups self.set_stops_idx[trip_stop_ids] = route self.set_idx[route.id] = route self.last_id += 1 # Add trip route.add_trip(trip) return route def get_routes_of_stop(self, stop: Stop): """Get routes of stop""" return self.stop_to_routes[stop] @attr.s(repr=False, cmp=False) class Transfer: """Transfer""" id = attr.ib(default=None) from_stop = attr.ib(default=None) to_stop = attr.ib(default=None) layovertime = attr.ib(default=300) class Transfers: """Transfers""" def add(self, transfer: Transfer): """Add trip""" transfer.id = self.last_id self.set_idx[transfer.id] = transfer self.stop_to_stop_idx[(transfer.from_stop, transfer.to_stop)] = transfer self.last_id += 1 @dataclass class Leg: """Leg""" from_stop: Stop to_stop: Stop trip: Trip earliest_arrival_time: int fare: int = 0 n_trips: int = 0 @property def criteria(self): """Criteria""" return [self.earliest_arrival_time, self.fare, self.n_trips] @property def dep(self): """Departure time""" return [ tst.dts_dep for tst in self.trip.stop_times if self.from_stop == tst.stop ][0] @property def arr(self): """Arrival time""" return [ tst.dts_arr for tst in self.trip.stop_times if self.to_stop == tst.stop ][0] def is_transfer(self): """Is transfer leg""" return self.from_stop.station == self.to_stop.station def is_compatible_before(self, other_leg: Leg): """ Check if Leg is allowed before another leg. That is, - It is possible to go from current leg to other leg concerning arrival time - Number of trips of current leg differs by > 1, i.e. a differen trip, or >= 0 when the other_leg is a transfer_leg - The accumulated value of a criteria of current leg is larger or equal to the accumulated value of the other leg (current leg is instance of this class) """ arrival_time_compatible = ( other_leg.earliest_arrival_time >= self.earliest_arrival_time ) n_trips_compatible = ( other_leg.n_trips >= self.n_trips if other_leg.is_transfer() else other_leg.n_trips > self.n_trips ) criteria_compatible = np.all( np.array([c for c in other_leg.criteria]) >= np.array([c for c in self.criteria]) ) return all([arrival_time_compatible, n_trips_compatible, criteria_compatible]) def to_dict(self, leg_index: int = None) -> Dict: """Leg to readable dictionary""" return dict( trip_leg_idx=leg_index, departure_time=self.dep, arrival_time=self.arr, from_stop=self.from_stop.name, from_station=self.from_stop.station.name, to_stop=self.to_stop.name, to_station=self.to_stop.station.name, trip_hint=self.trip.hint, trip_long_name=self.trip.long_name, from_platform_code=self.from_stop.platform_code, to_platform_code=self.to_stop.platform_code, fare=self.fare, ) @dataclass(frozen=True) class Label: """Label""" earliest_arrival_time: int fare: int # total fare trip: Trip # trip to take to obtain travel_time and fare from_stop: Stop # stop to hop-on the trip n_trips: int = 0 infinite: bool = False @property def criteria(self): """Criteria""" return [self.earliest_arrival_time, self.fare, self.n_trips] def update(self, earliest_arrival_time=None, fare_addition=None, from_stop=None): """Update earliest arrival time and add fare_addition to fare""" return copy( Label( earliest_arrival_time=earliest_arrival_time if earliest_arrival_time is not None else self.earliest_arrival_time, fare=self.fare + fare_addition if fare_addition is not None else self.fare, trip=self.trip, from_stop=from_stop if from_stop is not None else self.from_stop, n_trips=self.n_trips, infinite=self.infinite, ) ) def update_trip(self, trip: Trip, current_stop: Stop): """Update trip""" return copy( Label( earliest_arrival_time=self.earliest_arrival_time, fare=self.fare, trip=trip, from_stop=current_stop if self.trip != trip else self.from_stop, n_trips=self.n_trips + 1 if self.trip != trip else self.n_trips, infinite=self.infinite, ) ) @dataclass(frozen=True) class Bag: """ Bag B(k,p) or route bag B_r """ labels: List[Label] = field(default_factory=list) update: bool = False def add(self, label: Label): """Add""" self.labels.append(label) def merge(self, other_bag: Bag) -> Bag: """Merge other bag in bag and return true if bag is updated""" pareto_labels = self.labels + other_bag.labels if len(pareto_labels) == 0: return Bag(labels=[], update=False) pareto_labels = pareto_set(pareto_labels) bag_update = True if pareto_labels != self.labels else False return Bag(labels=pareto_labels, update=bag_update) def labels_with_trip(self): """All labels with trips, i.e. all labels that are reachable with a trip with given criterion""" return [l for l in self.labels if l.trip is not None] def earliest_arrival(self) -> int: """Earliest arrival""" return min([self.labels[i].earliest_arrival_time for i in range(len(self))]) @dataclass(frozen=True) class Journey: """ Journey from origin to destination specified as Legs """ legs: List[Leg] = field(default_factory=list) def number_of_trips(self): """Return number of distinct trips""" trips = set([l.trip for l in self.legs]) return len(trips) def prepend_leg(self, leg: Leg) -> Journey: """Add leg to journey""" legs = self.legs legs.insert(0, leg) jrny = Journey(legs=legs) return jrny def remove_transfer_legs(self) -> Journey: """Remove all transfer legs""" legs = [ leg for leg in self.legs if (leg.trip is not None) and (leg.from_stop.station != leg.to_stop.station) ] jrny = Journey(legs=legs) return jrny def is_valid(self) -> bool: """Is valid journey""" for index in range(len(self.legs) - 1): if self.legs[index].arr > self.legs[index + 1].dep: return False return True def from_stop(self) -> Stop: """Origin stop of Journey""" return self.legs[0].from_stop def to_stop(self) -> Stop: """Destination stop of Journey""" return self.legs[-1].to_stop def fare(self) -> float: """Total fare of Journey""" return self.legs[-1].fare def dep(self) -> int: """Departure time""" return self.legs[0].dep def arr(self) -> int: """Arrival time""" return self.legs[-1].arr def travel_time(self) -> int: """Travel time in seconds""" return self.arr() - self.dep() def dominates(self, jrny: Journey): """Dominates other Journey""" return ( True if ( (self.dep() >= jrny.dep()) and (self.arr() <= jrny.arr()) and (self.fare() <= jrny.fare()) and (self.number_of_trips() <= jrny.number_of_trips()) ) and (self != jrny) else False ) def print(self, dep_secs=None): """Print the given journey to logger info""" logger.info("Journey:") if len(self) == 0: logger.info("No journey available") return # Print all legs in journey for leg in self: msg = ( str(sec2str(leg.dep)) + " " + leg.from_stop.station.name.ljust(20) + "(p. " + str(leg.from_stop.platform_code).rjust(3) + ") TO " + str(sec2str(leg.arr)) + " " + leg.to_stop.station.name.ljust(20) + "(p. " + str(leg.to_stop.platform_code).rjust(3) + ") WITH " + str(leg.trip.hint) ) logger.info(msg) logger.info(f"Fare: €{self.fare()}") msg = f"Duration: {sec2str(self.travel_time())}" if dep_secs: msg += " ({} from request time {})".format( sec2str(self.arr() - dep_secs), sec2str(dep_secs), ) logger.info(msg) logger.info("") def to_list(self) -> List[Dict]: """Convert journey to list of legs as dict""" return [leg.to_dict(leg_index=idx) for idx, leg in enumerate(self.legs)] def pareto_set(labels: List[Label], keep_equal=False): """ Find the pareto-efficient points :param labels: list with labels :keep_equal return also labels with equal criteria :return: list with pairwise non-dominating labels """ is_efficient = np.ones(len(labels), dtype=bool) labels_criteria = np.array([label.criteria for label in labels]) for i, label in enumerate(labels_criteria): if is_efficient[i]: # Keep any point with a lower cost if keep_equal: # keep point with all labels equal or one lower is_efficient[is_efficient] = np.any( labels_criteria[is_efficient] < label, axis=1 ) + np.all(labels_criteria[is_efficient] == label, axis=1) else: is_efficient[is_efficient] = np.any( labels_criteria[is_efficient] < label, axis=1 ) is_efficient[i] = True # And keep self return list(compress(labels, is_efficient))
29.889027
110
0.597931
"""Datatypes""" from __future__ import annotations from itertools import compress from collections import defaultdict from operator import attrgetter from typing import List, Dict, Tuple from dataclasses import dataclass, field from copy import copy import attr import numpy as np from loguru import logger from pyraptor.util import sec2str def same_type_and_id(first, second): """Same type and ID""" return type(first) is type(second) and first.id == second.id @dataclass class Timetable: """Timetable data""" stations: Stations = None stops: Stops = None trips: Trips = None trip_stop_times: TripStopTimes = None routes: Routes = None transfers: Transfers = None def counts(self) -> None: """Print timetable counts""" logger.debug("Counts:") logger.debug("Stations : {}", len(self.stations)) logger.debug("Routes : {}", len(self.routes)) logger.debug("Trips : {}", len(self.trips)) logger.debug("Stops : {}", len(self.stops)) logger.debug("Stop Times : {}", len(self.trip_stop_times)) logger.debug("Transfers : {}", len(self.transfers)) @attr.s(repr=False, cmp=False) class Stop: """Stop""" id = attr.ib(default=None) name = attr.ib(default=None) station: Station = attr.ib(default=None) platform_code = attr.ib(default=None) index = attr.ib(default=None) def __hash__(self): return hash(self.id) def __eq__(self, stop): return type(self) is type(stop) and self.id == stop.id def __repr__(self): if self.id == self.name: return f"Stop({self.id})" return f"Stop({self.name} [{self.id}])" class Stops: """Stops""" def __init__(self): self.set_idx = dict() self.set_index = dict() self.last_index = 1 def __repr__(self): return f"Stops(n_stops={len(self.set_idx)})" def __getitem__(self, stop_id): return self.set_idx[stop_id] def __len__(self): return len(self.set_idx) def __iter__(self): return iter(self.set_idx.values()) def get(self, stop_id): """Get stop""" if stop_id not in self.set_idx: raise ValueError(f"Stop ID {stop_id} not present in Stops") stop = self.set_idx[stop_id] return stop def get_by_index(self, stop_index) -> Stop: """Get stop by index""" return self.set_index[stop_index] def add(self, stop): """Add stop""" if stop.id in self.set_idx: stop = self.set_idx[stop.id] else: stop.index = self.last_index self.set_idx[stop.id] = stop self.set_index[stop.index] = stop self.last_index += 1 return stop @attr.s(repr=False, cmp=False) class Station: """Stop dataclass""" id = attr.ib(default=None) name = attr.ib(default=None) stops = attr.ib(default=attr.Factory(list)) def __hash__(self): return hash(self.id) def __eq__(self, stop): return same_type_and_id(self, stop) def __repr__(self): if self.id == self.name: return "Station({})".format(self.id) return "Station({} [{}])>".format(self.name, self.id) def add_stop(self, stop: Stop): self.stops.append(stop) class Stations: """Stations""" def __init__(self): self.set_idx = dict() def __repr__(self): return f"<Stations(n_stations={len(self.set_idx)})>" def __getitem__(self, station_id): return self.set_idx[station_id] def __len__(self): return len(self.set_idx) def __iter__(self): return iter(self.set_idx.values()) def add(self, station: Station): """Add station""" if station.id in self.set_idx: station = self.set_idx[station.id] else: self.set_idx[station.id] = station return station def get(self, station: Station): """Get station""" if isinstance(station, Station): station = station.id if station not in self.set_idx: return None return self.set_idx[station] def get_stops(self, station_name): """Get all stop ids from station, i.e. platform stop ids belonging to station""" return self.set_idx[station_name].stops @attr.s(repr=False) class TripStopTime: """Trip Stop""" trip: Trip = attr.ib(default=attr.NOTHING) stopidx = attr.ib(default=attr.NOTHING) stop = attr.ib(default=attr.NOTHING) dts_arr = attr.ib(default=attr.NOTHING) dts_dep = attr.ib(default=attr.NOTHING) fare = attr.ib(default=0.0) def __hash__(self): return hash((self.trip, self.stopidx)) def __repr__(self): return ( "TripStopTime(trip_id={hint}{trip_id}, stopidx={0.stopidx}," " stop_id={0.stop.id}, dts_arr={0.dts_arr}, dts_dep={0.dts_dep}, fare={0.fare})" ).format( self, trip_id=self.trip.id if self.trip else None, hint="{}:".format(self.trip.hint) if self.trip and self.trip.hint else "", ) class TripStopTimes: """Trip Stop Times""" def __init__(self): self.set_idx: Dict[Tuple[Trip, int], TripStopTime] = dict() self.stop_trip_idx: Dict[Stop, List[TripStopTime]] = defaultdict(list) def __repr__(self): return f"TripStoptimes(n_tripstoptimes={len(self.set_idx)})" def __getitem__(self, trip_id): return self.set_idx[trip_id] def __len__(self): return len(self.set_idx) def __iter__(self): return iter(self.set_idx.values()) def add(self, trip_stop_time: TripStopTime): """Add trip stop time""" self.set_idx[(trip_stop_time.trip, trip_stop_time.stopidx)] = trip_stop_time self.stop_trip_idx[trip_stop_time.stop].append(trip_stop_time) def get_trip_stop_times_in_range(self, stops, dep_secs_min, dep_secs_max): """Returns all trip stop times with departure time within range""" in_window = [ tst for tst in self if tst.dts_dep >= dep_secs_min and tst.dts_dep <= dep_secs_max and tst.stop in stops ] return in_window def get_earliest_trip(self, stop: Stop, dep_secs: int) -> Trip: """Earliest trip""" trip_stop_times = self.stop_trip_idx[stop] in_window = [tst for tst in trip_stop_times if tst.dts_dep >= dep_secs] return in_window[0].trip if len(in_window) > 0 else None def get_earliest_trip_stop_time(self, stop: Stop, dep_secs: int) -> TripStopTime: """Earliest trip stop time""" trip_stop_times = self.stop_trip_idx[stop] in_window = [tst for tst in trip_stop_times if tst.dts_dep >= dep_secs] return in_window[0] if len(in_window) > 0 else None @attr.s(repr=False, cmp=False) class Trip: """Trip""" id = attr.ib(default=None) stop_times = attr.ib(default=attr.Factory(list)) stop_times_index = attr.ib(default=attr.Factory(dict)) hint = attr.ib(default=None) long_name = attr.ib(default=None) # e.g., Sprinter def __hash__(self): return hash(self.id) def __eq__(self, trip): return same_type_and_id(self, trip) def __repr__(self): return "Trip(hint={hint}, stop_times={stop_times})".format( hint=self.hint if self.hint is not None else self.id, stop_times=len(self.stop_times), ) def __getitem__(self, n): return self.stop_times[n] def __len__(self): return len(self.stop_times) def __iter__(self): return iter(self.stop_times) def trip_stop_ids(self): """Tuple of all stop ids in trip""" return tuple([s.stop.id for s in self.stop_times]) def add_stop_time(self, stop_time: TripStopTime): """Add stop time""" if np.isfinite(stop_time.dts_arr) and np.isfinite(stop_time.dts_dep): assert stop_time.dts_arr <= stop_time.dts_dep assert ( not self.stop_times or self.stop_times[-1].dts_dep <= stop_time.dts_arr ) self.stop_times.append(stop_time) self.stop_times_index[stop_time.stop] = len(self.stop_times) - 1 def get_stop(self, stop: Stop) -> TripStopTime: """Get stop""" return self.stop_times[self.stop_times_index[stop]] def get_fare(self, depart_stop: Stop) -> int: """Get fare from depart_stop""" stop_time = self.get_stop(depart_stop) return 0 if stop_time is None else stop_time.fare class Trips: """Trips""" def __init__(self): self.set_idx = dict() self.last_id = 1 def __repr__(self): return f"Trips(n_trips={len(self.set_idx)})" def __getitem__(self, trip_id): return self.set_idx[trip_id] def __len__(self): return len(self.set_idx) def __iter__(self): return iter(self.set_idx.values()) def add(self, trip): """Add trip""" assert len(trip) >= 2, "must have 2 stop times" trip.id = self.last_id self.set_idx[trip.id] = trip self.last_id += 1 @attr.s(repr=False, cmp=False) class Route: """Route""" id = attr.ib(default=None) trips = attr.ib(default=attr.Factory(list)) stops = attr.ib(default=attr.Factory(list)) stop_order = attr.ib(default=attr.Factory(dict)) def __hash__(self): return hash(self.id) def __eq__(self, trip): return same_type_and_id(self, trip) def __repr__(self): return "Route(id={0.id}, trips={trips})".format(self, trips=len(self.trips),) def __getitem__(self, n): return self.trips[n] def __len__(self): return len(self.trips) def __iter__(self): return iter(self.trips) def add_trip(self, trip: Trip) -> None: """Add trip""" self.trips.append(trip) def add_stop(self, stop: Stop) -> None: """Add stop""" self.stops.append(stop) # (re)make dict to save the order of the stops in the route self.stop_order = {stop: index for index, stop in enumerate(self.stops)} def stop_index(self, stop: Stop): """Stop index""" return self.stop_order[stop] def earliest_trip(self, dts_arr: int, stop: Stop) -> Trip: """Returns earliest trip after time dts (sec)""" stop_idx = self.stop_index(stop) trip_stop_times = [trip.stop_times[stop_idx] for trip in self.trips] trip_stop_times = [tst for tst in trip_stop_times if tst.dts_dep >= dts_arr] trip_stop_times = sorted(trip_stop_times, key=attrgetter("dts_dep")) return trip_stop_times[0].trip if len(trip_stop_times) > 0 else None def earliest_trip_stop_time(self, dts_arr: int, stop: Stop) -> TripStopTime: """Returns earliest trip stop time after time dts (sec)""" stop_idx = self.stop_index(stop) trip_stop_times = [trip.stop_times[stop_idx] for trip in self.trips] trip_stop_times = [tst for tst in trip_stop_times if tst.dts_dep >= dts_arr] trip_stop_times = sorted(trip_stop_times, key=attrgetter("dts_dep")) return trip_stop_times[0] if len(trip_stop_times) > 0 else None class Routes: """Routes""" def __init__(self): self.set_idx = dict() self.set_stops_idx = dict() self.stop_to_routes = defaultdict(list) # {Stop: [Route]} self.last_id = 1 def __repr__(self): return f"Routes(n_routes={len(self.set_idx)})" def __getitem__(self, route_id): return self.set_idx[route_id] def __len__(self): return len(self.set_idx) def __iter__(self): return iter(self.set_idx.values()) def add(self, trip: Trip): """Add trip to route. Make route if not exists.""" trip_stop_ids = trip.trip_stop_ids() if trip_stop_ids in self.set_stops_idx: # Route already exists route = self.set_stops_idx[trip_stop_ids] else: # Route does not exist yet, make new route route = Route() route.id = self.last_id # Maintain stops in route and list of routes per stop for trip_stop_time in trip: route.add_stop(trip_stop_time.stop) self.stop_to_routes[trip_stop_time.stop].append(route) # Efficient lookups self.set_stops_idx[trip_stop_ids] = route self.set_idx[route.id] = route self.last_id += 1 # Add trip route.add_trip(trip) return route def get_routes_of_stop(self, stop: Stop): """Get routes of stop""" return self.stop_to_routes[stop] @attr.s(repr=False, cmp=False) class Transfer: """Transfer""" id = attr.ib(default=None) from_stop = attr.ib(default=None) to_stop = attr.ib(default=None) layovertime = attr.ib(default=300) def __hash__(self): return hash(self.id) def __eq__(self, trip): return same_type_and_id(self, trip) def __repr__(self): return f"Transfer(from_stop={self.from_stop}, to_stop={self.to_stop}, layovertime={self.layovertime})" class Transfers: """Transfers""" def __init__(self): self.set_idx = dict() self.stop_to_stop_idx = dict() self.last_id = 1 def __repr__(self): return f"Transfers(n_transfers={len(self.set_idx)})" def __getitem__(self, transfer_id): return self.set_idx[transfer_id] def __len__(self): return len(self.set_idx) def __iter__(self): return iter(self.set_idx.values()) def add(self, transfer: Transfer): """Add trip""" transfer.id = self.last_id self.set_idx[transfer.id] = transfer self.stop_to_stop_idx[(transfer.from_stop, transfer.to_stop)] = transfer self.last_id += 1 @dataclass class Leg: """Leg""" from_stop: Stop to_stop: Stop trip: Trip earliest_arrival_time: int fare: int = 0 n_trips: int = 0 @property def criteria(self): """Criteria""" return [self.earliest_arrival_time, self.fare, self.n_trips] @property def dep(self): """Departure time""" return [ tst.dts_dep for tst in self.trip.stop_times if self.from_stop == tst.stop ][0] @property def arr(self): """Arrival time""" return [ tst.dts_arr for tst in self.trip.stop_times if self.to_stop == tst.stop ][0] def is_transfer(self): """Is transfer leg""" return self.from_stop.station == self.to_stop.station def is_compatible_before(self, other_leg: Leg): """ Check if Leg is allowed before another leg. That is, - It is possible to go from current leg to other leg concerning arrival time - Number of trips of current leg differs by > 1, i.e. a differen trip, or >= 0 when the other_leg is a transfer_leg - The accumulated value of a criteria of current leg is larger or equal to the accumulated value of the other leg (current leg is instance of this class) """ arrival_time_compatible = ( other_leg.earliest_arrival_time >= self.earliest_arrival_time ) n_trips_compatible = ( other_leg.n_trips >= self.n_trips if other_leg.is_transfer() else other_leg.n_trips > self.n_trips ) criteria_compatible = np.all( np.array([c for c in other_leg.criteria]) >= np.array([c for c in self.criteria]) ) return all([arrival_time_compatible, n_trips_compatible, criteria_compatible]) def to_dict(self, leg_index: int = None) -> Dict: """Leg to readable dictionary""" return dict( trip_leg_idx=leg_index, departure_time=self.dep, arrival_time=self.arr, from_stop=self.from_stop.name, from_station=self.from_stop.station.name, to_stop=self.to_stop.name, to_station=self.to_stop.station.name, trip_hint=self.trip.hint, trip_long_name=self.trip.long_name, from_platform_code=self.from_stop.platform_code, to_platform_code=self.to_stop.platform_code, fare=self.fare, ) @dataclass(frozen=True) class Label: """Label""" earliest_arrival_time: int fare: int # total fare trip: Trip # trip to take to obtain travel_time and fare from_stop: Stop # stop to hop-on the trip n_trips: int = 0 infinite: bool = False @property def criteria(self): """Criteria""" return [self.earliest_arrival_time, self.fare, self.n_trips] def update(self, earliest_arrival_time=None, fare_addition=None, from_stop=None): """Update earliest arrival time and add fare_addition to fare""" return copy( Label( earliest_arrival_time=earliest_arrival_time if earliest_arrival_time is not None else self.earliest_arrival_time, fare=self.fare + fare_addition if fare_addition is not None else self.fare, trip=self.trip, from_stop=from_stop if from_stop is not None else self.from_stop, n_trips=self.n_trips, infinite=self.infinite, ) ) def update_trip(self, trip: Trip, current_stop: Stop): """Update trip""" return copy( Label( earliest_arrival_time=self.earliest_arrival_time, fare=self.fare, trip=trip, from_stop=current_stop if self.trip != trip else self.from_stop, n_trips=self.n_trips + 1 if self.trip != trip else self.n_trips, infinite=self.infinite, ) ) @dataclass(frozen=True) class Bag: """ Bag B(k,p) or route bag B_r """ labels: List[Label] = field(default_factory=list) update: bool = False def __len__(self): return len(self.labels) def __repr__(self): return f"Bag({self.labels}, update={self.update})" def add(self, label: Label): """Add""" self.labels.append(label) def merge(self, other_bag: Bag) -> Bag: """Merge other bag in bag and return true if bag is updated""" pareto_labels = self.labels + other_bag.labels if len(pareto_labels) == 0: return Bag(labels=[], update=False) pareto_labels = pareto_set(pareto_labels) bag_update = True if pareto_labels != self.labels else False return Bag(labels=pareto_labels, update=bag_update) def labels_with_trip(self): """All labels with trips, i.e. all labels that are reachable with a trip with given criterion""" return [l for l in self.labels if l.trip is not None] def earliest_arrival(self) -> int: """Earliest arrival""" return min([self.labels[i].earliest_arrival_time for i in range(len(self))]) @dataclass(frozen=True) class Journey: """ Journey from origin to destination specified as Legs """ legs: List[Leg] = field(default_factory=list) def __len__(self): return len(self.legs) def __repr__(self): return f"Journey(n_legs={len(self.legs)})" def __getitem__(self, index): return self.legs[index] def __iter__(self): return iter(self.legs) def __lt__(self, other): return self.dep() < other.dep() def number_of_trips(self): """Return number of distinct trips""" trips = set([l.trip for l in self.legs]) return len(trips) def prepend_leg(self, leg: Leg) -> Journey: """Add leg to journey""" legs = self.legs legs.insert(0, leg) jrny = Journey(legs=legs) return jrny def remove_transfer_legs(self) -> Journey: """Remove all transfer legs""" legs = [ leg for leg in self.legs if (leg.trip is not None) and (leg.from_stop.station != leg.to_stop.station) ] jrny = Journey(legs=legs) return jrny def is_valid(self) -> bool: """Is valid journey""" for index in range(len(self.legs) - 1): if self.legs[index].arr > self.legs[index + 1].dep: return False return True def from_stop(self) -> Stop: """Origin stop of Journey""" return self.legs[0].from_stop def to_stop(self) -> Stop: """Destination stop of Journey""" return self.legs[-1].to_stop def fare(self) -> float: """Total fare of Journey""" return self.legs[-1].fare def dep(self) -> int: """Departure time""" return self.legs[0].dep def arr(self) -> int: """Arrival time""" return self.legs[-1].arr def travel_time(self) -> int: """Travel time in seconds""" return self.arr() - self.dep() def dominates(self, jrny: Journey): """Dominates other Journey""" return ( True if ( (self.dep() >= jrny.dep()) and (self.arr() <= jrny.arr()) and (self.fare() <= jrny.fare()) and (self.number_of_trips() <= jrny.number_of_trips()) ) and (self != jrny) else False ) def print(self, dep_secs=None): """Print the given journey to logger info""" logger.info("Journey:") if len(self) == 0: logger.info("No journey available") return # Print all legs in journey for leg in self: msg = ( str(sec2str(leg.dep)) + " " + leg.from_stop.station.name.ljust(20) + "(p. " + str(leg.from_stop.platform_code).rjust(3) + ") TO " + str(sec2str(leg.arr)) + " " + leg.to_stop.station.name.ljust(20) + "(p. " + str(leg.to_stop.platform_code).rjust(3) + ") WITH " + str(leg.trip.hint) ) logger.info(msg) logger.info(f"Fare: €{self.fare()}") msg = f"Duration: {sec2str(self.travel_time())}" if dep_secs: msg += " ({} from request time {})".format( sec2str(self.arr() - dep_secs), sec2str(dep_secs), ) logger.info(msg) logger.info("") def to_list(self) -> List[Dict]: """Convert journey to list of legs as dict""" return [leg.to_dict(leg_index=idx) for idx, leg in enumerate(self.legs)] def pareto_set(labels: List[Label], keep_equal=False): """ Find the pareto-efficient points :param labels: list with labels :keep_equal return also labels with equal criteria :return: list with pairwise non-dominating labels """ is_efficient = np.ones(len(labels), dtype=bool) labels_criteria = np.array([label.criteria for label in labels]) for i, label in enumerate(labels_criteria): if is_efficient[i]: # Keep any point with a lower cost if keep_equal: # keep point with all labels equal or one lower is_efficient[is_efficient] = np.any( labels_criteria[is_efficient] < label, axis=1 ) + np.all(labels_criteria[is_efficient] == label, axis=1) else: is_efficient[is_efficient] = np.any( labels_criteria[is_efficient] < label, axis=1 ) is_efficient[i] = True # And keep self return list(compress(labels, is_efficient))
3,578
0
1,647
933115b74ed295a65006412c92b16ed069cfcc8d
20,509
py
Python
cardea/fhir/NutritionOrder.py
Hector-hedb12/Cardea
75c75f343796555f08c4511d6427efd04261a105
[ "MIT" ]
null
null
null
cardea/fhir/NutritionOrder.py
Hector-hedb12/Cardea
75c75f343796555f08c4511d6427efd04261a105
[ "MIT" ]
null
null
null
cardea/fhir/NutritionOrder.py
Hector-hedb12/Cardea
75c75f343796555f08c4511d6427efd04261a105
[ "MIT" ]
null
null
null
from .fhirbase import fhirbase class NutritionOrder(fhirbase): """ A request to supply a diet, formula feeding (enteral) or oral nutritional supplement to a patient/resident. Attributes: resourceType: This is a NutritionOrder resource identifier: Identifiers assigned to this order by the order sender or by the order receiver. status: The workflow status of the nutrition order/request. patient: The person (patient) who needs the nutrition order for an oral diet, nutritional supplement and/or enteral or formula feeding. encounter: An encounter that provides additional information about the healthcare context in which this request is made. dateTime: The date and time that this nutrition order was requested. orderer: The practitioner that holds legal responsibility for ordering the diet, nutritional supplement, or formula feedings. allergyIntolerance: A link to a record of allergies or intolerances which should be included in the nutrition order. foodPreferenceModifier: This modifier is used to convey order-specific modifiers about the type of food that should be given. These can be derived from patient allergies, intolerances, or preferences such as Halal, Vegan or Kosher. This modifier applies to the entire nutrition order inclusive of the oral diet, nutritional supplements and enteral formula feedings. excludeFoodModifier: This modifier is used to convey order-specific modifiers about the type of food that should NOT be given. These can be derived from patient allergies, intolerances, or preferences such as No Red Meat, No Soy or No Wheat or Gluten-Free. While it should not be necessary to repeat allergy or intolerance information captured in the referenced AllergyIntolerance resource in the excludeFoodModifier, this element may be used to convey additional specificity related to foods that should be eliminated from the patient’s diet for any reason. This modifier applies to the entire nutrition order inclusive of the oral diet, nutritional supplements and enteral formula feedings. oralDiet: Diet given orally in contrast to enteral (tube) feeding. supplement: Oral nutritional products given in order to add further nutritional value to the patient's diet. enteralFormula: Feeding provided through the gastrointestinal tract via a tube, catheter, or stoma that delivers nutrition distal to the oral cavity. """ __name__ = 'NutritionOrder' class NutritionOrder_OralDiet(fhirbase): """ A request to supply a diet, formula feeding (enteral) or oral nutritional supplement to a patient/resident. Attributes: type: The kind of diet or dietary restriction such as fiber restricted diet or diabetic diet. schedule: The time period and frequency at which the diet should be given. The diet should be given for the combination of all schedules if more than one schedule is present. nutrient: Class that defines the quantity and type of nutrient modifications (for example carbohydrate, fiber or sodium) required for the oral diet. texture: Class that describes any texture modifications required for the patient to safely consume various types of solid foods. fluidConsistencyType: The required consistency (e.g. honey-thick, nectar-thick, thin, thickened.) of liquids or fluids served to the patient. instruction: Free text or additional instructions or information pertaining to the oral diet. """ __name__ = 'NutritionOrder_OralDiet' class NutritionOrder_Nutrient(fhirbase): """ A request to supply a diet, formula feeding (enteral) or oral nutritional supplement to a patient/resident. Attributes: modifier: The nutrient that is being modified such as carbohydrate or sodium. amount: The quantity of the specified nutrient to include in diet. """ __name__ = 'NutritionOrder_Nutrient' class NutritionOrder_Texture(fhirbase): """ A request to supply a diet, formula feeding (enteral) or oral nutritional supplement to a patient/resident. Attributes: modifier: Any texture modifications (for solid foods) that should be made, e.g. easy to chew, chopped, ground, and pureed. foodType: The food type(s) (e.g. meats, all foods) that the texture modification applies to. This could be all foods types. """ __name__ = 'NutritionOrder_Texture' class NutritionOrder_Supplement(fhirbase): """ A request to supply a diet, formula feeding (enteral) or oral nutritional supplement to a patient/resident. Attributes: type: The kind of nutritional supplement product required such as a high protein or pediatric clear liquid supplement. productName: The product or brand name of the nutritional supplement such as "Acme Protein Shake". schedule: The time period and frequency at which the supplement(s) should be given. The supplement should be given for the combination of all schedules if more than one schedule is present. quantity: The amount of the nutritional supplement to be given. instruction: Free text or additional instructions or information pertaining to the oral supplement. """ __name__ = 'NutritionOrder_Supplement' class NutritionOrder_EnteralFormula(fhirbase): """ A request to supply a diet, formula feeding (enteral) or oral nutritional supplement to a patient/resident. Attributes: baseFormulaType: The type of enteral or infant formula such as an adult standard formula with fiber or a soy-based infant formula. baseFormulaProductName: The product or brand name of the enteral or infant formula product such as "ACME Adult Standard Formula". additiveType: Indicates the type of modular component such as protein, carbohydrate, fat or fiber to be provided in addition to or mixed with the base formula. additiveProductName: The product or brand name of the type of modular component to be added to the formula. caloricDensity: The amount of energy (calories) that the formula should provide per specified volume, typically per mL or fluid oz. For example, an infant may require a formula that provides 24 calories per fluid ounce or an adult may require an enteral formula that provides 1.5 calorie/mL. routeofAdministration: The route or physiological path of administration into the patient's gastrointestinal tract for purposes of providing the formula feeding, e.g. nasogastric tube. administration: Formula administration instructions as structured data. This repeating structure allows for changing the administration rate or volume over time for both bolus and continuous feeding. An example of this would be an instruction to increase the rate of continuous feeding every 2 hours. maxVolumeToDeliver: The maximum total quantity of formula that may be administered to a subject over the period of time, e.g. 1440 mL over 24 hours. administrationInstruction: Free text formula administration, feeding instructions or additional instructions or information. """ __name__ = 'NutritionOrder_EnteralFormula' class NutritionOrder_Administration(fhirbase): """ A request to supply a diet, formula feeding (enteral) or oral nutritional supplement to a patient/resident. Attributes: schedule: The time period and frequency at which the enteral formula should be delivered to the patient. quantity: The volume of formula to provide to the patient per the specified administration schedule. rateSimpleQuantity: The rate of administration of formula via a feeding pump, e.g. 60 mL per hour, according to the specified schedule. rateRatio: The rate of administration of formula via a feeding pump, e.g. 60 mL per hour, according to the specified schedule. """ __name__ = 'NutritionOrder_Administration'
36.171076
97
0.624604
from .fhirbase import fhirbase class NutritionOrder(fhirbase): """ A request to supply a diet, formula feeding (enteral) or oral nutritional supplement to a patient/resident. Attributes: resourceType: This is a NutritionOrder resource identifier: Identifiers assigned to this order by the order sender or by the order receiver. status: The workflow status of the nutrition order/request. patient: The person (patient) who needs the nutrition order for an oral diet, nutritional supplement and/or enteral or formula feeding. encounter: An encounter that provides additional information about the healthcare context in which this request is made. dateTime: The date and time that this nutrition order was requested. orderer: The practitioner that holds legal responsibility for ordering the diet, nutritional supplement, or formula feedings. allergyIntolerance: A link to a record of allergies or intolerances which should be included in the nutrition order. foodPreferenceModifier: This modifier is used to convey order-specific modifiers about the type of food that should be given. These can be derived from patient allergies, intolerances, or preferences such as Halal, Vegan or Kosher. This modifier applies to the entire nutrition order inclusive of the oral diet, nutritional supplements and enteral formula feedings. excludeFoodModifier: This modifier is used to convey order-specific modifiers about the type of food that should NOT be given. These can be derived from patient allergies, intolerances, or preferences such as No Red Meat, No Soy or No Wheat or Gluten-Free. While it should not be necessary to repeat allergy or intolerance information captured in the referenced AllergyIntolerance resource in the excludeFoodModifier, this element may be used to convey additional specificity related to foods that should be eliminated from the patient’s diet for any reason. This modifier applies to the entire nutrition order inclusive of the oral diet, nutritional supplements and enteral formula feedings. oralDiet: Diet given orally in contrast to enteral (tube) feeding. supplement: Oral nutritional products given in order to add further nutritional value to the patient's diet. enteralFormula: Feeding provided through the gastrointestinal tract via a tube, catheter, or stoma that delivers nutrition distal to the oral cavity. """ __name__ = 'NutritionOrder' def __init__(self, dict_values=None): self.resourceType = 'NutritionOrder' # type: str # possible values: NutritionOrder self.status = None # type: str # possible values: proposed, draft, planned, requested, # active, on-hold, completed, cancelled, entered-in-error self.patient = None # reference to Reference: identifier self.encounter = None # reference to Reference: identifier self.dateTime = None # type: str self.orderer = None # reference to Reference: identifier self.allergyIntolerance = None # type: list # reference to Reference: identifier self.foodPreferenceModifier = None # type: list # reference to CodeableConcept self.excludeFoodModifier = None # type: list # reference to CodeableConcept self.oralDiet = None # reference to NutritionOrder_OralDiet self.supplement = None # type: list # reference to NutritionOrder_Supplement self.enteralFormula = None # reference to NutritionOrder_EnteralFormula self.identifier = None # type: list # reference to Identifier if dict_values: self.set_attributes(dict_values) self.assert_type() def assert_type(self): if self.status is not None: for value in self.status: if value is not None and value.lower() not in [ 'proposed', 'draft', 'planned', 'requested', 'active', 'on-hold', 'completed', 'cancelled', 'entered-in-error']: raise ValueError('"{}" does not match possible values: {}'.format( value, 'proposed, draft, planned, requested, active, on-hold, completed,' 'cancelled, entered-in-error')) def get_relationships(self): return [ {'parent_entity': 'Reference', 'parent_variable': 'identifier', 'child_entity': 'NutritionOrder', 'child_variable': 'encounter'}, {'parent_entity': 'CodeableConcept', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder', 'child_variable': 'excludeFoodModifier'}, {'parent_entity': 'NutritionOrder_EnteralFormula', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder', 'child_variable': 'enteralFormula'}, {'parent_entity': 'CodeableConcept', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder', 'child_variable': 'foodPreferenceModifier'}, {'parent_entity': 'Identifier', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder', 'child_variable': 'identifier'}, {'parent_entity': 'Reference', 'parent_variable': 'identifier', 'child_entity': 'NutritionOrder', 'child_variable': 'patient'}, {'parent_entity': 'Reference', 'parent_variable': 'identifier', 'child_entity': 'NutritionOrder', 'child_variable': 'orderer'}, {'parent_entity': 'NutritionOrder_OralDiet', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder', 'child_variable': 'oralDiet'}, {'parent_entity': 'Reference', 'parent_variable': 'identifier', 'child_entity': 'NutritionOrder', 'child_variable': 'allergyIntolerance'}, {'parent_entity': 'NutritionOrder_Supplement', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder', 'child_variable': 'supplement'}, ] class NutritionOrder_OralDiet(fhirbase): """ A request to supply a diet, formula feeding (enteral) or oral nutritional supplement to a patient/resident. Attributes: type: The kind of diet or dietary restriction such as fiber restricted diet or diabetic diet. schedule: The time period and frequency at which the diet should be given. The diet should be given for the combination of all schedules if more than one schedule is present. nutrient: Class that defines the quantity and type of nutrient modifications (for example carbohydrate, fiber or sodium) required for the oral diet. texture: Class that describes any texture modifications required for the patient to safely consume various types of solid foods. fluidConsistencyType: The required consistency (e.g. honey-thick, nectar-thick, thin, thickened.) of liquids or fluids served to the patient. instruction: Free text or additional instructions or information pertaining to the oral diet. """ __name__ = 'NutritionOrder_OralDiet' def __init__(self, dict_values=None): self.type = None # type: list # reference to CodeableConcept self.schedule = None # type: list # reference to Timing self.nutrient = None # type: list # reference to NutritionOrder_Nutrient self.texture = None # type: list # reference to NutritionOrder_Texture self.fluidConsistencyType = None # type: list # reference to CodeableConcept self.instruction = None # type: str self.object_id = None # unique identifier for object class if dict_values: self.set_attributes(dict_values) def get_relationships(self): return [ {'parent_entity': 'CodeableConcept', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder_OralDiet', 'child_variable': 'type'}, {'parent_entity': 'NutritionOrder_Nutrient', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder_OralDiet', 'child_variable': 'nutrient'}, {'parent_entity': 'NutritionOrder_Texture', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder_OralDiet', 'child_variable': 'texture'}, {'parent_entity': 'CodeableConcept', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder_OralDiet', 'child_variable': 'fluidConsistencyType'}, {'parent_entity': 'Timing', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder_OralDiet', 'child_variable': 'schedule'}, ] class NutritionOrder_Nutrient(fhirbase): """ A request to supply a diet, formula feeding (enteral) or oral nutritional supplement to a patient/resident. Attributes: modifier: The nutrient that is being modified such as carbohydrate or sodium. amount: The quantity of the specified nutrient to include in diet. """ __name__ = 'NutritionOrder_Nutrient' def __init__(self, dict_values=None): self.modifier = None # reference to CodeableConcept self.amount = None # reference to Quantity self.object_id = None # unique identifier for object class if dict_values: self.set_attributes(dict_values) def get_relationships(self): return [ {'parent_entity': 'Quantity', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder_Nutrient', 'child_variable': 'amount'}, {'parent_entity': 'CodeableConcept', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder_Nutrient', 'child_variable': 'modifier'}, ] class NutritionOrder_Texture(fhirbase): """ A request to supply a diet, formula feeding (enteral) or oral nutritional supplement to a patient/resident. Attributes: modifier: Any texture modifications (for solid foods) that should be made, e.g. easy to chew, chopped, ground, and pureed. foodType: The food type(s) (e.g. meats, all foods) that the texture modification applies to. This could be all foods types. """ __name__ = 'NutritionOrder_Texture' def __init__(self, dict_values=None): self.modifier = None # reference to CodeableConcept self.foodType = None # reference to CodeableConcept self.object_id = None # unique identifier for object class if dict_values: self.set_attributes(dict_values) def get_relationships(self): return [ {'parent_entity': 'CodeableConcept', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder_Texture', 'child_variable': 'foodType'}, {'parent_entity': 'CodeableConcept', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder_Texture', 'child_variable': 'modifier'}, ] class NutritionOrder_Supplement(fhirbase): """ A request to supply a diet, formula feeding (enteral) or oral nutritional supplement to a patient/resident. Attributes: type: The kind of nutritional supplement product required such as a high protein or pediatric clear liquid supplement. productName: The product or brand name of the nutritional supplement such as "Acme Protein Shake". schedule: The time period and frequency at which the supplement(s) should be given. The supplement should be given for the combination of all schedules if more than one schedule is present. quantity: The amount of the nutritional supplement to be given. instruction: Free text or additional instructions or information pertaining to the oral supplement. """ __name__ = 'NutritionOrder_Supplement' def __init__(self, dict_values=None): self.type = None # reference to CodeableConcept self.productName = None # type: str self.schedule = None # type: list # reference to Timing self.quantity = None # reference to Quantity self.instruction = None # type: str self.object_id = None # unique identifier for object class if dict_values: self.set_attributes(dict_values) def get_relationships(self): return [ {'parent_entity': 'Quantity', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder_Supplement', 'child_variable': 'quantity'}, {'parent_entity': 'CodeableConcept', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder_Supplement', 'child_variable': 'type'}, {'parent_entity': 'Timing', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder_Supplement', 'child_variable': 'schedule'}, ] class NutritionOrder_EnteralFormula(fhirbase): """ A request to supply a diet, formula feeding (enteral) or oral nutritional supplement to a patient/resident. Attributes: baseFormulaType: The type of enteral or infant formula such as an adult standard formula with fiber or a soy-based infant formula. baseFormulaProductName: The product or brand name of the enteral or infant formula product such as "ACME Adult Standard Formula". additiveType: Indicates the type of modular component such as protein, carbohydrate, fat or fiber to be provided in addition to or mixed with the base formula. additiveProductName: The product or brand name of the type of modular component to be added to the formula. caloricDensity: The amount of energy (calories) that the formula should provide per specified volume, typically per mL or fluid oz. For example, an infant may require a formula that provides 24 calories per fluid ounce or an adult may require an enteral formula that provides 1.5 calorie/mL. routeofAdministration: The route or physiological path of administration into the patient's gastrointestinal tract for purposes of providing the formula feeding, e.g. nasogastric tube. administration: Formula administration instructions as structured data. This repeating structure allows for changing the administration rate or volume over time for both bolus and continuous feeding. An example of this would be an instruction to increase the rate of continuous feeding every 2 hours. maxVolumeToDeliver: The maximum total quantity of formula that may be administered to a subject over the period of time, e.g. 1440 mL over 24 hours. administrationInstruction: Free text formula administration, feeding instructions or additional instructions or information. """ __name__ = 'NutritionOrder_EnteralFormula' def __init__(self, dict_values=None): self.baseFormulaType = None # reference to CodeableConcept self.baseFormulaProductName = None # type: str self.additiveType = None # reference to CodeableConcept self.additiveProductName = None # type: str self.caloricDensity = None # reference to Quantity self.routeofAdministration = None # reference to CodeableConcept self.administration = None # type: list # reference to NutritionOrder_Administration self.maxVolumeToDeliver = None # reference to Quantity self.administrationInstruction = None # type: str self.object_id = None # unique identifier for object class if dict_values: self.set_attributes(dict_values) def get_relationships(self): return [ {'parent_entity': 'CodeableConcept', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder_EnteralFormula', 'child_variable': 'baseFormulaType'}, {'parent_entity': 'NutritionOrder_Administration', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder_EnteralFormula', 'child_variable': 'administration'}, {'parent_entity': 'CodeableConcept', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder_EnteralFormula', 'child_variable': 'additiveType'}, {'parent_entity': 'Quantity', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder_EnteralFormula', 'child_variable': 'maxVolumeToDeliver'}, {'parent_entity': 'Quantity', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder_EnteralFormula', 'child_variable': 'caloricDensity'}, {'parent_entity': 'CodeableConcept', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder_EnteralFormula', 'child_variable': 'routeofAdministration'}, ] class NutritionOrder_Administration(fhirbase): """ A request to supply a diet, formula feeding (enteral) or oral nutritional supplement to a patient/resident. Attributes: schedule: The time period and frequency at which the enteral formula should be delivered to the patient. quantity: The volume of formula to provide to the patient per the specified administration schedule. rateSimpleQuantity: The rate of administration of formula via a feeding pump, e.g. 60 mL per hour, according to the specified schedule. rateRatio: The rate of administration of formula via a feeding pump, e.g. 60 mL per hour, according to the specified schedule. """ __name__ = 'NutritionOrder_Administration' def __init__(self, dict_values=None): self.schedule = None # reference to Timing self.quantity = None # reference to Quantity self.rateSimpleQuantity = None # reference to Quantity self.rateRatio = None # reference to Ratio self.object_id = None # unique identifier for object class if dict_values: self.set_attributes(dict_values) def get_relationships(self): return [ {'parent_entity': 'Quantity', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder_Administration', 'child_variable': 'quantity'}, {'parent_entity': 'Quantity', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder_Administration', 'child_variable': 'rateSimpleQuantity'}, {'parent_entity': 'Timing', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder_Administration', 'child_variable': 'schedule'}, {'parent_entity': 'Ratio', 'parent_variable': 'object_id', 'child_entity': 'NutritionOrder_Administration', 'child_variable': 'rateRatio'}, ]
11,381
0
405
c39d8d353d6f99bd28e3afe51aff55b07c44c66f
363
py
Python
util/mqtt_db_dump.py
mgroseman/mqtt-repeater
3205d0b39036c1f782e3bb8554ebad19e5582cc0
[ "MIT" ]
3
2016-07-29T20:09:21.000Z
2022-03-24T20:27:33.000Z
util/mqtt_db_dump.py
mgroseman/mqtt-repeater
3205d0b39036c1f782e3bb8554ebad19e5582cc0
[ "MIT" ]
null
null
null
util/mqtt_db_dump.py
mgroseman/mqtt-repeater
3205d0b39036c1f782e3bb8554ebad19e5582cc0
[ "MIT" ]
null
null
null
#!/usr/bin/env python #This needs to be fully commented and have a Usage message # Copyright (c) 2016 - mgroseman - Mike Roseman # MIT License import sqlite3 SQLDB='db/mqtt_repeater.db' conn = sqlite3.connect(SQLDB) db = conn.cursor() for row in db.execute('SELECT * FROM states ORDER BY last_timestamp'): print('%s\t%s\t%s\t%s' % row) conn.close()
20.166667
70
0.699725
#!/usr/bin/env python #This needs to be fully commented and have a Usage message # Copyright (c) 2016 - mgroseman - Mike Roseman # MIT License import sqlite3 SQLDB='db/mqtt_repeater.db' conn = sqlite3.connect(SQLDB) db = conn.cursor() for row in db.execute('SELECT * FROM states ORDER BY last_timestamp'): print('%s\t%s\t%s\t%s' % row) conn.close()
0
0
0
3aff9b937003ede708026bb44e8f51b4ba682f45
7,628
py
Python
algorithms/embdi/EmbDI/schema_matching.py
Soton-Song/valentine
9a47859f912540cdbe961ed3585201d3accd07be
[ "Apache-2.0" ]
null
null
null
algorithms/embdi/EmbDI/schema_matching.py
Soton-Song/valentine
9a47859f912540cdbe961ed3585201d3accd07be
[ "Apache-2.0" ]
null
null
null
algorithms/embdi/EmbDI/schema_matching.py
Soton-Song/valentine
9a47859f912540cdbe961ed3585201d3accd07be
[ "Apache-2.0" ]
null
null
null
import argparse import warnings from operator import itemgetter import gensim.models as models import mlflow
30.882591
117
0.552832
import argparse import warnings from operator import itemgetter import gensim.models as models import mlflow def parse_args(): parser = argparse.ArgumentParser() parser.add_argument('-i', '--input_file', action='store', required=True, type=str, help='Input embeddings file.') parser.add_argument('-d', '--dataset_file', action='store', required=True, type=str, help='Input dataset.') parser.add_argument('-m', '--match_file', action='store', required=True, type=str) return parser.parse_args() def read_matches(match_file): with open(match_file, 'r', encoding='utf-8') as fp: md = {} for idx, line in enumerate(fp): t = line.strip().split(',') if t[0] not in md: md[t[0]] = {t[1]} else: md[t[0]].add(t[1]) # matches.append(t) return md def _clean_embeddings(emb_file, matches): gt = set() for k, v in matches.items(): gt.add(k) for _ in v: gt.add(_) with open(emb_file, 'r') as fp: s = fp.readline() _, dimensions = s.strip().split(' ') viable_idx = [] for idx, row in enumerate(fp): r = row.split(' ', maxsplit=1)[0] rr = r.split('__', maxsplit=1)[1] if rr in gt: viable_idx.append(row) # viable_idx = [row for idx, row in enumerate(fp) if (row.split(' ', maxsplit=1)[0] in gt)] # viable_idx = [_ for _ in viable_idx if len(_.split(' ')) > 1] f = 'pipeline/dump/sm_dump.emb' with open(f, 'w', encoding='utf-8') as fp: fp.write('{} {}\n'.format(len(viable_idx), dimensions)) for _ in viable_idx: fp.write(_) return f def _infer_prefix(df): columns = df.columns prefixes = tuple([_.split('_') for _ in columns]) if len(prefixes) > 2: return None else: return list(prefixes) def _match(candidates, maxrank=3): to_be_matched = list(candidates.keys()) misses = {k: 0 for k in candidates} mm = [] while len(to_be_matched) > 0: tbm = to_be_matched.copy() for item in tbm: if item not in to_be_matched: continue else: if misses[item] > maxrank: to_be_matched.remove(item) continue else: closest_list = candidates[item] if len(closest_list) > 0: for idx in range(len(closest_list)): closest_to_item = closest_list[idx] reciprocal_closest_list = candidates[closest_to_item] reciprocal_closest = reciprocal_closest_list[0] if closest_to_item in to_be_matched and reciprocal_closest == item: to_be_matched.remove(item) to_be_matched.remove(closest_to_item) mm.append((item, closest_to_item)) for k in candidates: if item in candidates[k]: candidates[k].remove(item) if closest_to_item in candidates[k]: candidates[k].remove(closest_to_item) break else: misses[item] += 1 else: to_be_matched.remove(item) return mm def _extract_candidates(wv, dataset): candidates = [] for _1 in range(len(dataset.columns)): for _2 in range(0, len(dataset.columns)): if _1 == _2: continue c1 = dataset.columns[_1] c2 = dataset.columns[_2] try: rank = wv.distance('cid__'+c1, 'cid__'+c2) tup = (c1, c2, rank) candidates.append(tup) except KeyError: continue cleaned = [] for k in candidates: prefix = k[0].split('_')[0] if not k[1].startswith(prefix): cleaned.append(k) sorted_cand = sorted(cleaned, key=itemgetter(2), reverse=False) cands = [] flag = True for value in sorted_cand: if flag: cands.append(value) v1, v2, rank = value print(str(v1) + " <--> " + str(v2)+ ": " + str(rank)) flag = False else: flag = True cleaned_sorted = sorted(cleaned, key=itemgetter(0, 2), reverse=False) candidates = {} for value in cleaned_sorted: v1, v2, rank = value if v1 not in candidates: candidates[v1] = [v2] else: candidates[v1].append(v2) return (candidates,cands) def _produce_match_results(candidates): match_results = _match(candidates) match_results = [sorted(_) for _ in match_results] # refactored_match_results = [(int(_[0].split('_')[1]), int(_[1].split('_')[1])) for _ in match_results] refactored_match_results = match_results return refactored_match_results def match_columns(dataset, embeddings_file): emb_file = _clean_embeddings(embeddings_file) if emb_file is None: return [] wv = models.KeyedVectors.load_word2vec_format(emb_file, unicode_errors='ignore') # print('Model built from file {}'.format(embeddings_file)) candidates = _extract_candidates(wv, dataset) match_results = _produce_match_results(candidates) return match_results def schema_matching(dataset, embeddings_file, configuration): print('# Executing SM tests.') match_file = configuration['match_file'] ground_truth = read_matches(match_file) emb_file = _clean_embeddings(embeddings_file, ground_truth) wv = models.KeyedVectors.load_word2vec_format(emb_file, unicode_errors='ignore') # print('Model built from file {}'.format(embeddings_file)) candidates, scand = _extract_candidates(wv, dataset) match_results = _produce_match_results(candidates) count_hits = 0 gt = 0 count_rk = 0.0 for i in range(len(ground_truth)): left,right,rank = scand[i] dicgt = ground_truth[left] if right in dicgt: count_rk += 1.0 recall_at_k = count_rk/len(ground_truth) print('RECALL AT GT IS {:.4f}\t'.format(recall_at_k*100), end='') for item in match_results: # gt += 1 left = item[0] right = item[1] if left in ground_truth: gt+=1 if right in ground_truth[left]: count_hits += 1 if len(match_results) > 0: precision = count_hits/len(match_results) else: precision = 0 if gt > 0: recall = count_hits/gt else: warnings.warn('No hits found. Are you sure the SM ground truth file {} is correct?'.format(match_file)) recall = 0 try: f1_score = 2 * (precision * recall) / (precision + recall) except ZeroDivisionError: f1_score = 0 # for tup in match_results: # print(tup) # result_dict = { 'P': precision, 'R': recall, 'F': f1_score, } print('P\tR\tF') for _ in result_dict.values(): print('{:.4f}\t'.format(_*100), end='') print('') if configuration['mlflow']: with mlflow.active_run(): mlflow.log_metric('P', precision) mlflow.log_metric('R', recall) mlflow.log_metric('F', f1_score) return result_dict
7,302
0
207
43cc65b8437584ccacdf26fa5aeab9bce6192420
4,498
py
Python
rsi_stoch_signalmod_djcommie.py
adamje42/Binance-volatility-trading-bot
13523c82ce4e5255d3c38de8db5c2ebde053525a
[ "MIT" ]
null
null
null
rsi_stoch_signalmod_djcommie.py
adamje42/Binance-volatility-trading-bot
13523c82ce4e5255d3c38de8db5c2ebde053525a
[ "MIT" ]
null
null
null
rsi_stoch_signalmod_djcommie.py
adamje42/Binance-volatility-trading-bot
13523c82ce4e5255d3c38de8db5c2ebde053525a
[ "MIT" ]
null
null
null
# Available indicators here: https://python-tradingview-ta.readthedocs.io/en/latest/usage.html#retrieving-the-analysis from tradingview_ta import TA_Handler, Interval, Exchange # use for environment variables import os # use if needed to pass args to external modules import sys # used for directory handling import glob import time import threading OSC_INDICATORS = ['RSI', 'Stoch.RSI'] # Indicators to use in Oscillator analysis OSC_THRESHOLD = 2 # Must be less or equal to number of items in OSC_INDICATORS MA_INDICATORS = ['EMA10', 'EMA20'] # Indicators to use in Moving averages analysis MA_THRESHOLD = 2 # Must be less or equal to number of items in MA_INDICATORS INTERVAL = Interval.INTERVAL_5_MINUTES #Timeframe for analysis EXCHANGE = 'BINANCE' SCREENER = 'CRYPTO' PAIR_WITH = 'USDT' TICKERS = 'custsignal.txt' #'signalsample.txt' TIME_TO_WAIT = 5 # Minutes to wait between analysis FULL_LOG = False # List analysis result to console # TODO: check every 1 minute on 5 minute timeframes by keeping a circular buffer array global last_RSI last_RSI = {}
40.890909
220
0.648288
# Available indicators here: https://python-tradingview-ta.readthedocs.io/en/latest/usage.html#retrieving-the-analysis from tradingview_ta import TA_Handler, Interval, Exchange # use for environment variables import os # use if needed to pass args to external modules import sys # used for directory handling import glob import time import threading OSC_INDICATORS = ['RSI', 'Stoch.RSI'] # Indicators to use in Oscillator analysis OSC_THRESHOLD = 2 # Must be less or equal to number of items in OSC_INDICATORS MA_INDICATORS = ['EMA10', 'EMA20'] # Indicators to use in Moving averages analysis MA_THRESHOLD = 2 # Must be less or equal to number of items in MA_INDICATORS INTERVAL = Interval.INTERVAL_5_MINUTES #Timeframe for analysis EXCHANGE = 'BINANCE' SCREENER = 'CRYPTO' PAIR_WITH = 'USDT' TICKERS = 'custsignal.txt' #'signalsample.txt' TIME_TO_WAIT = 5 # Minutes to wait between analysis FULL_LOG = False # List analysis result to console # TODO: check every 1 minute on 5 minute timeframes by keeping a circular buffer array global last_RSI last_RSI = {} def analyze(pairs): global last_RSI signal_coins = {} analysis = {} handler = {} if os.path.exists('signals/custsignalmod.exs'): os.remove('signals/custsignalmod.exs') for pair in pairs: handler[pair] = TA_Handler( symbol=pair, exchange=EXCHANGE, screener=SCREENER, interval=INTERVAL, timeout= 10) for pair in pairs: try: analysis = handler[pair].get_analysis() except Exception as e: print("Signalsample:") print("Exception:") print(e) print (f'Coin: {pair}') print (f'handler: {handler[pair]}') oscCheck=0 maCheck=0 for indicator in OSC_INDICATORS: oscResult = analysis.oscillators ['COMPUTE'][indicator] #print(f'Indicator for {indicator} is {oscResult}') if analysis.oscillators ['COMPUTE'][indicator] != 'SELL': oscCheck +=1 for indicator in MA_INDICATORS: if analysis.moving_averages ['COMPUTE'][indicator] == 'BUY': maCheck +=1 #TODO: Use same type of analysis for sell indicators # Stoch.RSI (25 - 52) & Stoch.RSI.K > Stoch.RSI.D, RSI (49-67), EMA10 > EMA20 > EMA100, Stoch.RSI = BUY, RSI = BUY, EMA10 = EMA20 = BUY RSI = float(analysis.indicators['RSI']) STOCH_RSI_K = float(analysis.indicators['Stoch.RSI.K']) #STOCH_RSI_D = float(analysis.indicators['Stoch.D']) EMA10 = float(analysis.indicators['EMA10']) EMA20 = float(analysis.indicators['EMA20']) EMA100 = float(analysis.indicators['EMA100']) STOCH_K = float(analysis.indicators['Stoch.K']) STOCH_D = float(analysis.indicators['Stoch.D']) #print(f'Custsignalmod: {pair} stats = RSI:{RSI}, STOCH_RSI_K:{STOCH_RSI_K}, STOCH_K:{STOCH_K}, STOCH_D:{STOCH_D} EMA10:{EMA10}, EMA20:{EMA20}, EMA100:{EMA100}') if pair in last_RSI and (RSI - last_RSI[pair] >= 2.5) and (RSI >= 49 and RSI <= 67) and (STOCH_RSI_K >= 25 and STOCH_RSI_K <= 58) and \ '''(EMA10 > EMA20 and EMA20 > EMA100)''' and (STOCH_K - STOCH_D >= 4.5): if oscCheck >= OSC_THRESHOLD and maCheck >= MA_THRESHOLD: signal_coins[pair] = pair print(f'\033[92mCustsignalmod: Signal detected on {pair} at {oscCheck}/{len(OSC_INDICATORS)} oscillators and {maCheck}/{len(MA_INDICATORS)} moving averages.') with open('signals/custsignalmod.exs','a+') as f: f.write(pair + '\n') last_RSI[pair] = RSI #if FULL_LOG: print(f'Custsignalmod:{pair} Oscillators:{oscCheck}/{len(OSC_INDICATORS)} Moving averages:{maCheck}/{len(MA_INDICATORS)}') return signal_coins def do_work(): signal_coins = {} pairs = {} pairs=[line.strip() for line in open(TICKERS)] for line in open(TICKERS): pairs=[line.strip() + PAIR_WITH for line in open(TICKERS)] while True: if not threading.main_thread().is_alive(): exit() print(f'Custsignalmod: Analyzing {len(pairs)} coins') signal_coins = analyze(pairs) print(f'Custsignalmod: {len(signal_coins)} coins above {OSC_THRESHOLD}/{len(OSC_INDICATORS)} oscillators and {MA_THRESHOLD}/{len(MA_INDICATORS)} moving averages Waiting {TIME_TO_WAIT} minutes for next analysis.') time.sleep((TIME_TO_WAIT*60))
3,385
0
46
c50af4199b3acde52f62b4fb1d0b9c1d7a9a253f
7,827
py
Python
balloon_learning_environment/env/generative_wind_field.py
taodav/balloon-learning-environment
4beb45f52ab7127a4c051df25894738420e8e691
[ "Apache-2.0" ]
null
null
null
balloon_learning_environment/env/generative_wind_field.py
taodav/balloon-learning-environment
4beb45f52ab7127a4c051df25894738420e8e691
[ "Apache-2.0" ]
null
null
null
balloon_learning_environment/env/generative_wind_field.py
taodav/balloon-learning-environment
4beb45f52ab7127a4c051df25894738420e8e691
[ "Apache-2.0" ]
null
null
null
# coding=utf-8 # Copyright 2021 The Balloon Learning Environment Authors. # # 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. """A wind field created by a generative model.""" import datetime as dt import time from typing import List, Optional, Sequence, Union from balloon_learning_environment.env import wind_field from balloon_learning_environment.generative import vae from balloon_learning_environment.models import models from balloon_learning_environment.utils import units import flax import jax from jax import numpy as jnp import numpy as np import scipy.interpolate class GenerativeWindField(wind_field.WindField): """A wind field created by a generative model.""" def __init__(self, key: Optional[jnp.ndarray] = None): """GenerativeWindField Constructor. Args: key: An optional key to seed the wind field with. If None, will use the current time in milliseconds. """ super(GenerativeWindField, self).__init__() key = key if key else jax.random.PRNGKey(int(time.time() * 1000)) serialized_params = models.load_offlineskies22() self.params = flax.serialization.msgpack_restore(serialized_params) self.field = None self.field_shape: vae.FieldShape = vae.FieldShape() # NOTE(scandido): We convert the field from a jax.numpy arrays to a numpy # arrays here, otherwise it'll be converted on the fly every time we # interpolate (due to scipy.interpolate). This conversion is not a huge cost # but the conversion on self.field (see reset() method) is significant so # we also do this one for completeness. self._grid = ( np.array(self.field_shape.latlng_grid_points()), # Lats. np.array(self.field_shape.latlng_grid_points()), # Lngs. np.array(self.field_shape.pressure_grid_points()), # Pressures. np.array(self.field_shape.time_grid_points())) # Times. def reset_forecast(self, key: jnp.ndarray, date_time: dt.datetime) -> None: """Resets the wind field. Args: key: A PRNG key used to sample a new location and time for the wind field. date_time: An instance of a datetime object, representing the start of the wind field. """ latents = jax.random.normal(key, shape=(64,)) # NOTE(scandido): We convert the field from a jax.numpy array to a numpy # array here, otherwise it'll be converted on the fly every time we # interpolate (due to scipy.interpolate). This conversion is a significant # cost. decoder = vae.Decoder() self.field = np.array(decoder.apply(self.params, latents)) def get_forecast(self, x: units.Distance, y: units.Distance, pressure: float, elapsed_time: dt.timedelta) -> wind_field.WindVector: """Gets a wind in the windfield at the specified location and time. Args: x: An x offset (parallel to latitude). y: A y offset (parallel to longitude). pressure: A pressure level in pascals. elapsed_time: The time offset from the beginning of the wind field. Returns: The wind vector at the specified position and time. Raises: RuntimeError: if called before reset(). """ if self.field is None: raise RuntimeError('Must call reset before get_forecast.') point = self._prepare_get_forecast_inputs(x, y, pressure, elapsed_time) point = point.reshape(-1) uv = scipy.interpolate.interpn( self._grid, self.field, point, fill_value=True) return wind_field.WindVector(units.Velocity(mps=uv[0][0]), units.Velocity(mps=uv[0][1])) def get_forecast_column( self, x: units.Distance, y: units.Distance, pressures: Sequence[float], elapsed_time: dt.timedelta) -> List[wind_field.WindVector]: """A convenience function for getting multiple forecasts in a column. This allows a simple optimization of the generative wind field. Args: x: Distance from the station keeping target along the latitude parallel. y: Distance from the station keeping target along the longitude parallel. pressures: Multiple pressures to get a forecast for, in Pascals. (This is a proxy for altitude.) elapsed_time: Elapsed time from the "beginning" of the wind field. Returns: WindVectors for each pressure level in the WindField. Raises: RuntimeError: if called before reset(). """ if self.field is None: raise RuntimeError('Must call reset before get_forecast.') point = self._prepare_get_forecast_inputs(x, y, pressures, elapsed_time) uv = scipy.interpolate.interpn( self._grid, self.field, point, fill_value=True) result = list() for i in range(len(pressures)): result.append(wind_field.WindVector(units.Velocity(mps=uv[i][0]), units.Velocity(mps=uv[i][1]))) return result @staticmethod def _boomerang(t: float, max_val: float) -> float: """Computes a value that boomerangs between 0 and max_val.""" cycle_direction = int(t / max_val) % 2 remainder = t % max_val if cycle_direction % 2 == 0: # Forward. return remainder else: # Backward. return max_val - remainder
38.940299
80
0.681743
# coding=utf-8 # Copyright 2021 The Balloon Learning Environment Authors. # # 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. """A wind field created by a generative model.""" import datetime as dt import time from typing import List, Optional, Sequence, Union from balloon_learning_environment.env import wind_field from balloon_learning_environment.generative import vae from balloon_learning_environment.models import models from balloon_learning_environment.utils import units import flax import jax from jax import numpy as jnp import numpy as np import scipy.interpolate class GenerativeWindField(wind_field.WindField): """A wind field created by a generative model.""" def __init__(self, key: Optional[jnp.ndarray] = None): """GenerativeWindField Constructor. Args: key: An optional key to seed the wind field with. If None, will use the current time in milliseconds. """ super(GenerativeWindField, self).__init__() key = key if key else jax.random.PRNGKey(int(time.time() * 1000)) serialized_params = models.load_offlineskies22() self.params = flax.serialization.msgpack_restore(serialized_params) self.field = None self.field_shape: vae.FieldShape = vae.FieldShape() # NOTE(scandido): We convert the field from a jax.numpy arrays to a numpy # arrays here, otherwise it'll be converted on the fly every time we # interpolate (due to scipy.interpolate). This conversion is not a huge cost # but the conversion on self.field (see reset() method) is significant so # we also do this one for completeness. self._grid = ( np.array(self.field_shape.latlng_grid_points()), # Lats. np.array(self.field_shape.latlng_grid_points()), # Lngs. np.array(self.field_shape.pressure_grid_points()), # Pressures. np.array(self.field_shape.time_grid_points())) # Times. def reset_forecast(self, key: jnp.ndarray, date_time: dt.datetime) -> None: """Resets the wind field. Args: key: A PRNG key used to sample a new location and time for the wind field. date_time: An instance of a datetime object, representing the start of the wind field. """ latents = jax.random.normal(key, shape=(64,)) # NOTE(scandido): We convert the field from a jax.numpy array to a numpy # array here, otherwise it'll be converted on the fly every time we # interpolate (due to scipy.interpolate). This conversion is a significant # cost. decoder = vae.Decoder() self.field = np.array(decoder.apply(self.params, latents)) def get_forecast(self, x: units.Distance, y: units.Distance, pressure: float, elapsed_time: dt.timedelta) -> wind_field.WindVector: """Gets a wind in the windfield at the specified location and time. Args: x: An x offset (parallel to latitude). y: A y offset (parallel to longitude). pressure: A pressure level in pascals. elapsed_time: The time offset from the beginning of the wind field. Returns: The wind vector at the specified position and time. Raises: RuntimeError: if called before reset(). """ if self.field is None: raise RuntimeError('Must call reset before get_forecast.') point = self._prepare_get_forecast_inputs(x, y, pressure, elapsed_time) point = point.reshape(-1) uv = scipy.interpolate.interpn( self._grid, self.field, point, fill_value=True) return wind_field.WindVector(units.Velocity(mps=uv[0][0]), units.Velocity(mps=uv[0][1])) def get_forecast_column( self, x: units.Distance, y: units.Distance, pressures: Sequence[float], elapsed_time: dt.timedelta) -> List[wind_field.WindVector]: """A convenience function for getting multiple forecasts in a column. This allows a simple optimization of the generative wind field. Args: x: Distance from the station keeping target along the latitude parallel. y: Distance from the station keeping target along the longitude parallel. pressures: Multiple pressures to get a forecast for, in Pascals. (This is a proxy for altitude.) elapsed_time: Elapsed time from the "beginning" of the wind field. Returns: WindVectors for each pressure level in the WindField. Raises: RuntimeError: if called before reset(). """ if self.field is None: raise RuntimeError('Must call reset before get_forecast.') point = self._prepare_get_forecast_inputs(x, y, pressures, elapsed_time) uv = scipy.interpolate.interpn( self._grid, self.field, point, fill_value=True) result = list() for i in range(len(pressures)): result.append(wind_field.WindVector(units.Velocity(mps=uv[i][0]), units.Velocity(mps=uv[i][1]))) return result @staticmethod def _boomerang(t: float, max_val: float) -> float: """Computes a value that boomerangs between 0 and max_val.""" cycle_direction = int(t / max_val) % 2 remainder = t % max_val if cycle_direction % 2 == 0: # Forward. return remainder else: # Backward. return max_val - remainder def _prepare_get_forecast_inputs(self, x: units.Distance, y: units.Distance, pressure: Union[Sequence[float], float], elapsed_time: dt.timedelta) -> np.ndarray: # TODO(bellemare): Give a units might be wrong warning if querying 10,000s # km away. # NOTE(scandido): We extend the field beyond the limits of the VAE using # the values at the boundary. x_km = x.kilometers y_km = y.kilometers x_km = np.clip(x_km, -self.field_shape.latlng_displacement_km, self.field_shape.latlng_displacement_km).item() y_km = np.clip(y_km, -self.field_shape.latlng_displacement_km, self.field_shape.latlng_displacement_km).item() pressure = np.clip(pressure, self.field_shape.min_pressure_pa, self.field_shape.max_pressure_pa) # Generated wind fields have a fixed time dimension, often 48 hours. # Typically queries will be between 0-48 hours so most of the time it is # simple to query a point in the field. However, to extend the limit of # the field we transform times 48+ hours out to some time in the 0-48 # well defined region in such a way that two close times will remain close # (and thus not have a suddenly changing wind field). We use a "boomerang", # i.e., time reflects backwards after 48 hours until 2*48 hours at which # point time goes forward and so on. elapsed_hours = units.timedelta_to_hours(elapsed_time) if elapsed_hours < self.field_shape.time_horizon_hours: time_field_position = elapsed_hours else: time_field_position = self._boomerang( elapsed_hours, self.field_shape.time_horizon_hours) num_points = 1 if isinstance(pressure, float) else len(pressure) point = np.empty((num_points, 4), dtype=np.float32) point[:, 0] = x_km point[:, 1] = y_km point[:, 2] = pressure point[:, 3] = time_field_position return point
2,046
0
25
75369ccfbfd56359bbe939f3b80a1491d0f64ef6
125
py
Python
test/client/data_storage/生成逻辑.py
sf-fl/federatedML
6cb48525d662ba1bad12702622f2b43f67da67cf
[ "Apache-2.0" ]
null
null
null
test/client/data_storage/生成逻辑.py
sf-fl/federatedML
6cb48525d662ba1bad12702622f2b43f67da67cf
[ "Apache-2.0" ]
null
null
null
test/client/data_storage/生成逻辑.py
sf-fl/federatedML
6cb48525d662ba1bad12702622f2b43f67da67cf
[ "Apache-2.0" ]
1
2020-11-17T08:45:49.000Z
2020-11-17T08:45:49.000Z
# =IF(D2=1,IF(RAND()>0.5,NORMINV(RAND(),75,2),NORMINV(RAND(),85,2)),IF(RAND()>0.5,NORMINV(RAND(),70,2),NORMINV(RAND(),80,2)))
125
125
0.616
# =IF(D2=1,IF(RAND()>0.5,NORMINV(RAND(),75,2),NORMINV(RAND(),85,2)),IF(RAND()>0.5,NORMINV(RAND(),70,2),NORMINV(RAND(),80,2)))
0
0
0
db3d2ab438f8355542ced7df9e3b7edfb79a28a8
451
py
Python
tests/test_general_validators/test_has_no_multiple_imports_on_same_line.py
SerejkaSJ/fiasko_bro
dfb8c30109f317c1e5b6d211e002fd148695809e
[ "MIT" ]
25
2018-01-24T10:45:35.000Z
2020-12-05T21:47:20.000Z
tests/test_general_validators/test_has_no_multiple_imports_on_same_line.py
SerejkaSJ/fiasko_bro
dfb8c30109f317c1e5b6d211e002fd148695809e
[ "MIT" ]
110
2018-01-21T12:25:13.000Z
2021-06-10T19:27:22.000Z
tests/test_general_validators/test_has_no_multiple_imports_on_same_line.py
SerejkaSJ/fiasko_bro
dfb8c30109f317c1e5b6d211e002fd148695809e
[ "MIT" ]
13
2017-12-12T22:19:01.000Z
2019-01-29T18:08:05.000Z
from fiasko_bro.validators import has_multiple_imports_on_same_line
34.692308
68
0.847007
from fiasko_bro.validators import has_multiple_imports_on_same_line def test_has_no_multiple_imports_on_same_line_fails(test_repo): expected_output = 'file_with_multiple_imports_on_same_line.py:3' output = has_multiple_imports_on_same_line(test_repo) assert output == expected_output def test_has_no_mutable_default_arguments_succeeds(origin_repo): output = has_multiple_imports_on_same_line(origin_repo) assert output is None
335
0
46
85315571c7e446e5cdd29c10abe9c3f4b6e48628
423
py
Python
shabanipy/quantum_hall/__init__.py
ShabaniLab/DataAnalysis
e234b7d0e4ff8ecc11e58134e6309a095abcd2c0
[ "MIT" ]
6
2019-06-25T20:01:03.000Z
2022-03-25T23:15:57.000Z
shabanipy/quantum_hall/__init__.py
ShabaniLab/DataAnalysis
e234b7d0e4ff8ecc11e58134e6309a095abcd2c0
[ "MIT" ]
null
null
null
shabanipy/quantum_hall/__init__.py
ShabaniLab/DataAnalysis
e234b7d0e4ff8ecc11e58134e6309a095abcd2c0
[ "MIT" ]
5
2019-06-11T17:21:54.000Z
2021-08-24T14:45:08.000Z
# -*- coding: utf-8 -*- # ----------------------------------------------------------------------------- # Copyright 2019 by ShabaniPy Authors, see AUTHORS for more details. # # Distributed under the terms of the MIT license. # # The full license is in the file LICENCE, distributed with this software. # ----------------------------------------------------------------------------- """Quantum hall data analysis tools. """
38.454545
79
0.451537
# -*- coding: utf-8 -*- # ----------------------------------------------------------------------------- # Copyright 2019 by ShabaniPy Authors, see AUTHORS for more details. # # Distributed under the terms of the MIT license. # # The full license is in the file LICENCE, distributed with this software. # ----------------------------------------------------------------------------- """Quantum hall data analysis tools. """
0
0
0
f97e6091781d14277df8d8e2098f687f75cf426f
15,930
py
Python
pegasus/sih-anomalias/sih_composite_detector_outlier.py
SecexSaudeTCU/PegaSUS
0e24c00595e8a7376680dfb2e5aa42e1e9eb7770
[ "MIT" ]
null
null
null
pegasus/sih-anomalias/sih_composite_detector_outlier.py
SecexSaudeTCU/PegaSUS
0e24c00595e8a7376680dfb2e5aa42e1e9eb7770
[ "MIT" ]
null
null
null
pegasus/sih-anomalias/sih_composite_detector_outlier.py
SecexSaudeTCU/PegaSUS
0e24c00595e8a7376680dfb2e5aa42e1e9eb7770
[ "MIT" ]
1
2020-08-19T19:31:42.000Z
2020-08-19T19:31:42.000Z
from outliers.estatistica.zscore import ZScore, ZScoreModificado from outliers.estatistica.iqr import InterquartileRange from outliers.densidade.lof import LOF from outliers.proximidade.isolation_forest import IsolationForest from outliers.detector import DetectorOutlier from sih.sih_facade import SIHFacade import sys from estatistica.normalidade import se_distribuicao_normal import numpy as np from scipy import stats import pandas as pd from config.configuracoes import ConfiguracoesAnalise from sih.dao_sih import DaoSIH import time NOME_COLUNA = 'TX_QTD' NAO_NORMAL = 'NÃO NORMAL' AP_S_LOG = 'NORMAL APÓS LOG' NORMAL_ORIGINAL = 'NORMAL ORIGINAL' AP_S_BOXCOX = 'NORMAL APÓS BOXCOX' # TODO: Implemenar também CompositeSIADetector e checar o que existe em comum em termos de lógica ## ANALISE 2 - municipio x procedimento - acrescentando qtd 0 # TODO: Colocar aqui a explanação que está no TCC (inclui municípios onde não houve realização de cada procedimento) if __name__ == '__main__': # analise1() #__gerar_dataframes1() #__gerar_dataframes2() teste = pd.read_csv('df_procedimentos_por_ano_com_descricao_2.csv', sep=';') print(teste.head())
47.981928
124
0.696359
from outliers.estatistica.zscore import ZScore, ZScoreModificado from outliers.estatistica.iqr import InterquartileRange from outliers.densidade.lof import LOF from outliers.proximidade.isolation_forest import IsolationForest from outliers.detector import DetectorOutlier from sih.sih_facade import SIHFacade import sys from estatistica.normalidade import se_distribuicao_normal import numpy as np from scipy import stats import pandas as pd from config.configuracoes import ConfiguracoesAnalise from sih.dao_sih import DaoSIH import time NOME_COLUNA = 'TX_QTD' NAO_NORMAL = 'NÃO NORMAL' AP_S_LOG = 'NORMAL APÓS LOG' NORMAL_ORIGINAL = 'NORMAL ORIGINAL' AP_S_BOXCOX = 'NORMAL APÓS BOXCOX' # TODO: Implemenar também CompositeSIADetector e checar o que existe em comum em termos de lógica class SIHCompositeDetectorOutlier(DetectorOutlier): def __init__(self, df, nome_coluna, distribuicao, qtd_std=3, quantidade_vizinhos=20): super(SIHCompositeDetectorOutlier, self).__init__(df, nome_coluna) self.__distribuicao = distribuicao self.__qtd_std = qtd_std self.__quantidade_vizinhos = quantidade_vizinhos def get_outliers(self): df_pop = self.df[[self.nome_coluna]] print(df_pop.describe()) if (self.__distribuicao in (NORMAL_ORIGINAL, AP_S_LOG, AP_S_BOXCOX)): # metodos estatisticos # Z-score zscore_outliers = ZScore(self.df, self.nome_coluna, self.__qtd_std).get_outliers() # Z-score modificado zscore_outliers2 = ZScoreModificado(self.df, self.nome_coluna, self.__qtd_std).get_outliers() # IQR iqr_outliers = InterquartileRange(self.df, self.nome_coluna).get_outliers() # baseado em proximidade # Isolation Forest isolation_outliers = IsolationForest(self.df, self.nome_coluna).get_outliers() # baseado em densidade # LocalOutlierFactor lof_outliers = LOF(self.df, self.nome_coluna, self.__quantidade_vizinhos).get_outliers() if (self.__distribuicao in (NORMAL_ORIGINAL, AP_S_LOG, AP_S_BOXCOX)): comum_outliers = zscore_outliers & zscore_outliers2 & iqr_outliers & isolation_outliers & lof_outliers else: comum_outliers = isolation_outliers & lof_outliers outliers = sorted(set(comum_outliers)) if len(outliers) > 0: if (self.__distribuicao in (NORMAL_ORIGINAL, AP_S_LOG, 'NORMAL APÓS BOXCOX')): print('\nZ-Score: ' + str(len(zscore_outliers)), '\nZ-Score modificado: ' + str(len(zscore_outliers2)), '\nIQR: ' + str(len(iqr_outliers)), '\nIsolation Forest: ' + str(len(isolation_outliers)), '\nLocal Outlier Factor: ' + str(len(lof_outliers)), '\nComum: ' + str(len(outliers)), '\nOutliers Comuns (índices): ' + str(outliers) + '\n') else: print('\nIsolation Forest: ' + str(len(isolation_outliers)), '\nLocal Outlier Factor: ' + str(len(lof_outliers)), '\nComum: ' + str(len(outliers)), '\nOutliers Comuns (índices): ' + str(outliers) + '\n') else: print('\nNão foram detectados outliers para esse procedimento!\n') return outliers def __teste_normalidade(len_min, df_descricao_procedimentos, df_procedimentos_por_ano_com_descricao): df_proc_analise_estatistica = pd.DataFrame( columns=['ANO', 'cod_municipio', 'PROCEDIMENTO', 'NIVEL', 'TX', 'TX_QTD', 'MEDIA', 'MEDIANA', 'STD', 'DISTRIBUICAO', 'MIN', 'MAX']) for procedimento in df_descricao_procedimentos.index.values: df_proc = __gerar_informacoes_estatisticas(df_procedimentos_por_ano_com_descricao, len_min, procedimento) df_proc_analise_estatistica = df_proc_analise_estatistica.append(df_proc) return df_proc_analise_estatistica def get_df_distribuicao_nivel(len_min, df_descricao_procedimentos, df_procedimentos_por_ano_com_descricao): df_proc_analise_estatistica = __teste_normalidade(len_min, df_descricao_procedimentos, df_procedimentos_por_ano_com_descricao) df_analise = df_proc_analise_estatistica[['DISTRIBUICAO', 'NIVEL', 'PROCEDIMENTO']].drop_duplicates() print(df_analise.shape) grp_NORMAL_BOXCOX = df_analise[df_analise.DISTRIBUICAO == 'NORMAL APÓS BOXCOX'].groupby('NIVEL').count()[ 'PROCEDIMENTO'].reset_index() grp_NORMAL_LOG = df_analise[df_analise.DISTRIBUICAO == 'NORMAL APÓS LOG'].groupby('NIVEL').count()[ 'PROCEDIMENTO'].reset_index() grp_NAO_CHECADA = df_analise[df_analise.DISTRIBUICAO == 'NÃO CHECADA - AMOSTRA PEQUENA'].groupby('NIVEL').count()[ 'PROCEDIMENTO'].reset_index() grp_NAO_NORMAL = df_analise[df_analise.DISTRIBUICAO == 'NÃO NORMAL'].groupby('NIVEL').count()[ 'PROCEDIMENTO'].reset_index() df_distribuicao_nivel1 = grp_NORMAL_BOXCOX.merge(grp_NORMAL_LOG, on='NIVEL', how='outer', suffixes=('_NORMAL_BOXCOX', '_NORMAL_LOG')).fillna(0).sort_values( by='NIVEL') df_distribuicao_nivel2 = grp_NAO_NORMAL.merge(grp_NAO_CHECADA, on='NIVEL', how='outer', suffixes=('_NAO_NORMAL', '_NAO_CHECADA')).fillna(0).sort_values( by='NIVEL') df_distribuicao_nivel = df_distribuicao_nivel1.merge(df_distribuicao_nivel2, on='NIVEL', how='outer', suffixes=(False, False)).fillna(0).sort_values(by='NIVEL') print(df_distribuicao_nivel.sum()) print(df_distribuicao_nivel.head()) return df_distribuicao_nivel def __gerar_informacoes_estatisticas(df_procedimentos_por_ano_com_descricao, len_min, procedimento): # Obtendo dados do procedimento df_proc = df_procedimentos_por_ano_com_descricao[ df_procedimentos_por_ano_com_descricao['PROCEDIMENTO'] == procedimento][ ['ANO', 'cod_municipio', 'PROCEDIMENTO', 'NIVEL', 'TX']].copy() df_proc[NOME_COLUNA] = df_proc['TX'] distribuicao = NAO_NORMAL # teste da distribuicao - normal, log_normal if (len(df_proc['TX']) >= len_min): # testa se é distribuição normal if se_distribuicao_normal(df_proc['TX'], len_min): distribuicao = 'NORMAL ORIGINAL' else: # transformacao logaritmica if se_distribuicao_normal(np.log(df_proc['TX'] + 0.00000001), len_min): distribuicao = 'NORMAL APÓS LOG' df_proc[NOME_COLUNA] = np.log(df_proc['TX'] + 0.00000001) else: # transformacao - boxcox xt, maxlog = stats.boxcox(df_proc['TX'] + 0.00000001) if se_distribuicao_normal(xt, len_min) and (maxlog >= -1) and (maxlog <= 1): distribuicao = 'NORMAL APÓS BOXCOX' df_proc[NOME_COLUNA] = xt else: distribuicao = 'NÃO CHECADA - AMOSTRA PEQUENA' pop = df_proc[NOME_COLUNA] media = pop.mean() mediana = pop.median() std = np.std(pop) min_tx = pop.min() max_tx = pop.max() df_proc['DISTRIBUICAO'] = distribuicao df_proc['MEDIA'] = media df_proc['MEDIANA'] = mediana df_proc['MIN'] = min_tx df_proc['MAX'] = max_tx df_proc['STD'] = std return df_proc def __get_df_procedimentos_para_analise(len_min, df_descricao_procedimentos, df_procedimentos_por_ano_com_descricao): df_proc_statistic_analise1 = __teste_normalidade(len_min, df_descricao_procedimentos, df_procedimentos_por_ano_com_descricao) # TODO: Checar por que df_procedimentos_por_ano_com_descricao tem uma coluna a mais (Unnamed) df_proc_ano_completo_analise = pd.merge(df_procedimentos_por_ano_com_descricao, df_proc_statistic_analise1, on=['ANO', 'cod_municipio', 'PROCEDIMENTO', 'TX', 'NIVEL']) print(df_proc_ano_completo_analise.shape) print(df_proc_ano_completo_analise.head(2)) return df_proc_ano_completo_analise def get_outliers(config, df_descricao_procedimentos, df_proc_ano_completo): df_proc_outlier = pd.DataFrame(columns=['ANO', 'cod_municipio', 'PROCEDIMENTO', 'TX_QTD']) # quantidade de desvio padrão para ser considerado outlier qtd_std = config.get_propriedade('qtd_std_zcore') quantidade_vizinhos = config.get_propriedade('quantidade_vizinhos_lof') for procedimento in df_descricao_procedimentos.index.values: print('\n\n', df_descricao_procedimentos.loc[procedimento]['DESCRICAO']) # Obtendo dados da análise para o procedimento df_proc = df_proc_ano_completo[df_proc_ano_completo['PROCEDIMENTO'] == procedimento][['ANO', 'cod_municipio', 'PROCEDIMENTO', 'TX_QTD', 'DISTRIBUICAO']].copy() print('\n## Número de linhas: ', len(df_proc)) # Detecção de outliers if (len(df_proc) > 1): distribuicao = df_proc['DISTRIBUICAO'].iloc[0] detector = SIHCompositeDetectorOutlier(df_proc, NOME_COLUNA, distribuicao, qtd_std, quantidade_vizinhos) outliers = detector.get_outliers() df_outlier = df_proc.loc[outliers, :] df_proc_outlier = df_proc_outlier.append(df_outlier) else: print('Quantidade de linhas insuficiente para detecção de outlier') df_proc_outlier['OUTLIER'] = 'S' return df_proc_outlier def __get_df_analise1(ano): arquivo_configuracao = sys.argv[1] dao = DaoSIH(arquivo_configuracao) sih_facade = SIHFacade(arquivo_configuracao) df_rd = dao.get_df_procedimentos_realizados_por_municipio(ano) df_populacao = sih_facade.get_df_populacao() # df_analise = pd.merge(df_rd, df_populacao, on=['cod_municipio'], how="left") # TODO: Descomentando a linha acima, vai considerar registros para municípios não informados. A consequência é que # é necessário setar NaN ou 0 para as respecitvas populações, o que pode levar a resultados inconsistentes. No # TCC, aparentemente apenas registros relativos a municípios conhecidos são levados em consideração. df_analise = pd.merge(df_rd, df_populacao, on=['cod_municipio']) return df_analise, df_populacao ## ANALISE 2 - municipio x procedimento - acrescentando qtd 0 # TODO: Colocar aqui a explanação que está no TCC (inclui municípios onde não houve realização de cada procedimento) def __get_df_analise2(ano): arquivo_configuracao = sys.argv[1] sih_facade = SIHFacade(arquivo_configuracao) start_time = time.time() df_populacao = sih_facade.get_df_populacao() print("df_populacao = sih_facade.get_df_populacao(): --- %s seconds ---" % (time.time() - start_time)) df_populacao['key'] = 0 dao = DaoSIH(arquivo_configuracao) start_time = time.time() df_rd = dao.get_df_procedimentos_realizados_por_municipio(ano) print("df_rd = dao.get_df_procedimentos_realizados_por_municipio(ano): --- %s seconds ---" % (time.time() - start_time)) df_lista_procedimento_ano = df_rd[['ano_cmpt', 'proc_rea']].drop_duplicates() df_lista_procedimento_ano['key'] = 0 df_proc_ano_munic = pd.merge(df_lista_procedimento_ano, df_populacao, on='key', how='outer') df_analise2 = pd.merge(df_rd, df_proc_ano_munic, on=['cod_municipio', 'proc_rea', 'ano_cmpt'], how='right') if len(df_analise2[df_analise2['qtd_procedimento'].isnull()]) > 0: df_analise2['qtd_procedimento'] = df_analise2['qtd_procedimento'].fillna(0) df_analise2['vl_total'] = df_analise2['vl_total'].fillna(0) df_analise2 = df_analise2.astype({'qtd_procedimento':'uint32'}) return df_analise2, df_populacao def __gerar_dataframes1(): arquivo_configuracao = sys.argv[1] sih_facade = SIHFacade(arquivo_configuracao) ano = 2018 df_analise, df_populacao = __get_df_analise1(ano) df_proc_ano_analise = sih_facade.get_df_procedimentos_ano_para_analise(df_analise, df_populacao) df_descricao_procedimentos = sih_facade.get_df_descricao_procedimentos(df_proc_ano_analise) df_procedimentos_por_ano_com_descricao = sih_facade.get_df_procedimentos_por_ano_com_descricao( df_descricao_procedimentos, df_proc_ano_analise) df_descricao_procedimentos.to_csv('df_descricao_procedimentos_1.csv') df_procedimentos_por_ano_com_descricao.to_csv('df_procedimentos_por_ano_com_descricao_1.csv') return df_descricao_procedimentos, df_procedimentos_por_ano_com_descricao def __gerar_dataframes2(): arquivo_configuracao = sys.argv[1] sih_facade = SIHFacade(arquivo_configuracao) ano = 2018 df_analise, df_populacao = __get_df_analise2(ano) df_proc_ano_analise = sih_facade.get_df_procedimentos_ano_para_analise(df_analise, df_populacao) df_descricao_procedimentos = sih_facade.get_df_descricao_procedimentos(df_proc_ano_analise) df_procedimentos_por_ano_com_descricao = sih_facade.get_df_procedimentos_por_ano_com_descricao( df_descricao_procedimentos, df_proc_ano_analise) print(df_procedimentos_por_ano_com_descricao.head()) df_descricao_procedimentos.to_csv('df_descricao_procedimentos_2.csv') df_procedimentos_por_ano_com_descricao.to_csv('df_procedimentos_por_ano_com_descricao_2.csv', sep=';') return df_descricao_procedimentos, df_procedimentos_por_ano_com_descricao def analise1(): arquivo_configuracao = sys.argv[1] sih_facade = SIHFacade(arquivo_configuracao) ano = 2014 # df_descricao_procedimentos, df_procedimentos_por_ano_com_descricao = gerar_dataframes() df_descricao_procedimentos = pd.read_csv('df_descricao_procedimentos.csv') df_descricao_procedimentos = df_descricao_procedimentos.set_index('PROCEDIMENTO') df_procedimentos_por_ano_com_descricao = pd.read_csv('df_procedimentos_por_ano_com_descricao.csv') # get_df_distribuicao_nivel(len_min, df_descricao_procedimentos, df_procedimentos_por_ano_com_descricao) # __get_df_procedimentos_para_analise(len_min, df_descricao_procedimentos, df_procedimentos_por_ano_com_descricao) config = ConfiguracoesAnalise(arquivo_configuracao) df_proc_ano_completo = __get_df_procedimentos_para_analise(config.get_propriedade('len_min'), df_descricao_procedimentos, df_procedimentos_por_ano_com_descricao) df_proc_outlier_analise = get_outliers(config, df_descricao_procedimentos, df_proc_ano_completo) df_painel_analise = pd.merge(df_proc_ano_completo, df_proc_outlier_analise, on=['ANO', 'cod_municipio', 'PROCEDIMENTO', 'TX_QTD', 'DISTRIBUICAO'], how='left') df_painel_analise['OUTLIER'] = df_painel_analise['OUTLIER'].fillna('N') print(df_painel_analise.shape) print(df_painel_analise.head(2)) # coluna que identifica se o outlier é maior ou menor que a média df_painel_analise['OUTLIER_'] = 'N' df_painel_analise.loc[(df_painel_analise['OUTLIER'] == 'S') & ( df_painel_analise['TX_QTD'] >= df_painel_analise['MEDIA']), 'OUTLIER_'] = 'S_MAIOR' df_painel_analise.loc[(df_painel_analise['OUTLIER'] == 'S') & ( df_painel_analise['TX_QTD'] < df_painel_analise['MEDIA']), 'OUTLIER_'] = 'S_MENOR' # dado para painel df_painel_analise.to_csv('painel_SIH_DADOS_transformados_analise1', sep=';', index=False, decimal=',') if __name__ == '__main__': # analise1() #__gerar_dataframes1() #__gerar_dataframes2() teste = pd.read_csv('df_procedimentos_por_ano_com_descricao_2.csv', sep=';') print(teste.head())
14,442
30
305
59a6208aa3aa279f34787ee181cc22bd8893cd57
2,811
py
Python
frocket/common/helpers/utils.py
DynamicYieldProjects/funnel-rocket
70963fddc0881cebdc6da1af2654d412f95d660c
[ "Apache-2.0" ]
56
2021-04-04T08:15:33.000Z
2022-03-14T06:31:20.000Z
frocket/common/helpers/utils.py
DynamicYieldProjects/funnel-rocket
70963fddc0881cebdc6da1af2654d412f95d660c
[ "Apache-2.0" ]
19
2021-04-01T20:35:48.000Z
2022-03-30T22:07:27.000Z
frocket/common/helpers/utils.py
DynamicYieldProjects/funnel-rocket
70963fddc0881cebdc6da1af2654d412f95d660c
[ "Apache-2.0" ]
2
2021-07-14T13:47:00.000Z
2021-08-12T07:58:32.000Z
"""For everything but the kitchen sink.""" # Copyright 2021 The Funnel Rocket Maintainers # # 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 functools import math import random import uuid import time from io import BytesIO from typing import Optional, List import pandas as pd import pyarrow.feather as feather import numpy as np def memoize(obj): """Standard issue memoization decorator for caching function results (which don't need invalidation).""" cache = obj._cache = {} @functools.wraps(obj) return memoizer def sample_from_range(range_max: int, sample_ratio: float, max_samples: int, preselected: Optional[List[int]]) -> List[int]: """ Given a range of numbers in 0..range_max, return random samples. Count of samples is set by sample_ratio, up to max_samples. If preselected is passed, include these indexes first. """ available_indexes = list(range(range_max)) sample_count = min(math.floor(range_max * sample_ratio), max_samples) if preselected: chosen = list(preselected) for i in preselected: available_indexes.remove(i) sample_count = max(sample_count - len(preselected), 0) else: chosen = [] if sample_count > 0: chosen += random.choices(available_indexes, k=sample_count) return chosen def ndarray_to_bytes(arr: np.ndarray) -> bytes: """Use PyArrow's feather format as a compute- and space-efficient format for serializing NumPy arrays.""" df = pd.DataFrame(data={'arr': arr}) buf = BytesIO() # noinspection PyTypeChecker feather.write_feather(df, buf) buf.seek(0) return buf.read()
30.554348
109
0.677339
"""For everything but the kitchen sink.""" # Copyright 2021 The Funnel Rocket Maintainers # # 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 functools import math import random import uuid import time from io import BytesIO from typing import Optional, List import pandas as pd import pyarrow.feather as feather import numpy as np def terminal_red(message: str) -> str: return f"\033[31m{message}\033[0m" def terminal_green(message: str) -> str: return f"\033[32m{message}\033[0m" def memoize(obj): """Standard issue memoization decorator for caching function results (which don't need invalidation).""" cache = obj._cache = {} @functools.wraps(obj) def memoizer(*args, **kwargs): key = str(args) + str(kwargs) if key not in cache: cache[key] = obj(*args, **kwargs) return cache[key] return memoizer def sample_from_range(range_max: int, sample_ratio: float, max_samples: int, preselected: Optional[List[int]]) -> List[int]: """ Given a range of numbers in 0..range_max, return random samples. Count of samples is set by sample_ratio, up to max_samples. If preselected is passed, include these indexes first. """ available_indexes = list(range(range_max)) sample_count = min(math.floor(range_max * sample_ratio), max_samples) if preselected: chosen = list(preselected) for i in preselected: available_indexes.remove(i) sample_count = max(sample_count - len(preselected), 0) else: chosen = [] if sample_count > 0: chosen += random.choices(available_indexes, k=sample_count) return chosen def timestamped_uuid(prefix: str = None) -> str: return f"{prefix or ''}{math.floor(time.time())}-{str(uuid.uuid4())[:8]}" def ndarray_to_bytes(arr: np.ndarray) -> bytes: """Use PyArrow's feather format as a compute- and space-efficient format for serializing NumPy arrays.""" df = pd.DataFrame(data={'arr': arr}) buf = BytesIO() # noinspection PyTypeChecker feather.write_feather(df, buf) buf.seek(0) return buf.read() def bytes_to_ndarray(data: bytes) -> np.ndarray: df = feather.read_feather(BytesIO(data)) return df['arr']
460
0
118
e13a954566afd8fd45f8e48d543bd6a3bc071277
740
py
Python
util/logo/serialize_dataset.py
yyyliu/latent-space-cartography
c731029bfe540ac9ef703e832aac6774c01f075a
[ "BSD-3-Clause" ]
59
2019-04-09T16:18:19.000Z
2021-11-29T10:44:26.000Z
util/logo/serialize_dataset.py
yyyliu/latent-space-cartography
c731029bfe540ac9ef703e832aac6774c01f075a
[ "BSD-3-Clause" ]
4
2020-08-17T12:05:28.000Z
2021-06-28T14:13:12.000Z
util/logo/serialize_dataset.py
yyyliu/latent-space-cartography
c731029bfe540ac9ef703e832aac6774c01f075a
[ "BSD-3-Clause" ]
11
2019-05-15T18:48:53.000Z
2021-08-14T10:33:22.000Z
import h5py import os import numpy as np dim = 12288 base = '/home/yliu0/data/' pin= os.path.join(base, 'logos.hdf5') out = os.path.join(base, './latent/latent{}.h5'.format(dim)) num_chns = 3 img_size = 64 if __name__ == '__main__': # clean if os.path.exists(out): os.remove(out) fin = h5py.File(pin, 'r') din = fin['logos'] f = h5py.File(out, 'w') dset = f.create_dataset('latent', (1, dim), chunks=(1, dim), maxshape=(None, dim), dtype='u1') l = din.shape[0] din = np.reshape(din, (l, dim)) print din.shape for i, val in enumerate(din): dset.resize((i + 1, dim)) dset[i] = val f.flush() f.close() fin.close()
19.473684
60
0.540541
import h5py import os import numpy as np dim = 12288 base = '/home/yliu0/data/' pin= os.path.join(base, 'logos.hdf5') out = os.path.join(base, './latent/latent{}.h5'.format(dim)) num_chns = 3 img_size = 64 if __name__ == '__main__': # clean if os.path.exists(out): os.remove(out) fin = h5py.File(pin, 'r') din = fin['logos'] f = h5py.File(out, 'w') dset = f.create_dataset('latent', (1, dim), chunks=(1, dim), maxshape=(None, dim), dtype='u1') l = din.shape[0] din = np.reshape(din, (l, dim)) print din.shape for i, val in enumerate(din): dset.resize((i + 1, dim)) dset[i] = val f.flush() f.close() fin.close()
0
0
0
afb5601db4ef7607fb7ef8b5a3855ab5738f8f72
446
py
Python
migrations/versions/8550c7394f4_change_commands_env_to_text.py
vault-the/changes
37e23c3141b75e4785cf398d015e3dbca41bdd56
[ "Apache-2.0" ]
443
2015-01-03T16:28:39.000Z
2021-04-26T16:39:46.000Z
migrations/versions/8550c7394f4_change_commands_env_to_text.py
vault-the/changes
37e23c3141b75e4785cf398d015e3dbca41bdd56
[ "Apache-2.0" ]
12
2015-07-30T19:07:16.000Z
2016-11-07T23:11:21.000Z
migrations/versions/8550c7394f4_change_commands_env_to_text.py
vault-the/changes
37e23c3141b75e4785cf398d015e3dbca41bdd56
[ "Apache-2.0" ]
47
2015-01-09T10:04:00.000Z
2020-11-18T17:58:19.000Z
"""change commands.env to text Revision ID: 8550c7394f4 Revises: 5844fbc9d9e4 Create Date: 2015-06-15 13:42:13.990095 """ # revision identifiers, used by Alembic. revision = '8550c7394f4' down_revision = '5844fbc9d9e4' from alembic import op import sqlalchemy as sa
18.583333
75
0.721973
"""change commands.env to text Revision ID: 8550c7394f4 Revises: 5844fbc9d9e4 Create Date: 2015-06-15 13:42:13.990095 """ # revision identifiers, used by Alembic. revision = '8550c7394f4' down_revision = '5844fbc9d9e4' from alembic import op import sqlalchemy as sa def upgrade(): op.alter_column('command', 'env', type_ = sa.types.Text()) def downgrade(): op.alter_column('command', 'env', type_ = sa.types.String(length=2048))
127
0
46
6c4d77141ec648d322cfa9547d8a235ae87166bc
377
py
Python
api/models.py
AbhijithGanesh/Student-Portal-CMS
2b29a4b5ee52c3e821de3e440bfbb02d12564ba4
[ "BSD-3-Clause" ]
null
null
null
api/models.py
AbhijithGanesh/Student-Portal-CMS
2b29a4b5ee52c3e821de3e440bfbb02d12564ba4
[ "BSD-3-Clause" ]
1
2021-10-11T04:36:54.000Z
2021-10-11T04:36:54.000Z
api/models.py
AbhijithGanesh/Student-Portal-CMS
2b29a4b5ee52c3e821de3e440bfbb02d12564ba4
[ "BSD-3-Clause" ]
null
null
null
from django.db import models from pydantic import * from typing import * from django.contrib.auth.models import User from CMSLogic.models import * from asgiref.sync import sync_to_async
26.928571
50
0.72679
from django.db import models from pydantic import * from typing import * from django.contrib.auth.models import User from CMSLogic.models import * from asgiref.sync import sync_to_async def EventsProcessor(): Data = list(Events.objects.all()) # Description = Data.get("Event_Descripton") # Event_Incharge = Data.get("Event_Incharge") return Data
158
0
25
2d6e51702f64e5ffa0f59ad631d68552d46f5365
733
py
Python
exercicios3/ex072.py
LuanGermano/Mundo-3-Curso-em-Video-Python
1dffda71ff769e4e901b85e4cca5595a5dbb545c
[ "MIT" ]
null
null
null
exercicios3/ex072.py
LuanGermano/Mundo-3-Curso-em-Video-Python
1dffda71ff769e4e901b85e4cca5595a5dbb545c
[ "MIT" ]
null
null
null
exercicios3/ex072.py
LuanGermano/Mundo-3-Curso-em-Video-Python
1dffda71ff769e4e901b85e4cca5595a5dbb545c
[ "MIT" ]
null
null
null
#Crie um programa que tenha uma Tupla totalmente preenchida com uma contagem por extenso, de zero ate vinte. #Seu programa deverá ler um numero pelo teclado e mostra-lo por extenso. # só catar o numero gerado e botar dentro do indice extenso = ('Zero', 'Um', 'Dois', 'Tres', 'Quatro', 'Cinco', 'Seis', 'Sete', 'Oito', 'Nove', 'Dez', 'Onze', 'Doze','Treze', 'Catorze', 'Quinze', 'Dezesseis','Dezessete', 'Dezoito','Dezenove','Vinte') while True: num = '' while num not in range(0,20): num = int(input('Digite um valor de 0 a 20: ')) print(f'O seu numero {num} por extenso é {extenso[num]}') cont = str(input('Deseja continuar?[S/N] ')).upper().strip() if cont == "N": break
43.117647
108
0.620737
#Crie um programa que tenha uma Tupla totalmente preenchida com uma contagem por extenso, de zero ate vinte. #Seu programa deverá ler um numero pelo teclado e mostra-lo por extenso. # só catar o numero gerado e botar dentro do indice extenso = ('Zero', 'Um', 'Dois', 'Tres', 'Quatro', 'Cinco', 'Seis', 'Sete', 'Oito', 'Nove', 'Dez', 'Onze', 'Doze','Treze', 'Catorze', 'Quinze', 'Dezesseis','Dezessete', 'Dezoito','Dezenove','Vinte') while True: num = '' while num not in range(0,20): num = int(input('Digite um valor de 0 a 20: ')) print(f'O seu numero {num} por extenso é {extenso[num]}') cont = str(input('Deseja continuar?[S/N] ')).upper().strip() if cont == "N": break
0
0
0
1be2f856e4efaebd50902b781c66bd570645c78c
24
py
Python
binding/python/mc_rbdyn/__init__.py
fkanehiro/mc_rtc
776017e46c1a4626c1d8f1fb7d51675a9b9b9cad
[ "BSD-2-Clause" ]
44
2019-12-13T08:48:02.000Z
2022-03-24T03:11:25.000Z
binding/python/mc_rbdyn/__init__.py
fkanehiro/mc_rtc
776017e46c1a4626c1d8f1fb7d51675a9b9b9cad
[ "BSD-2-Clause" ]
160
2020-01-17T20:46:23.000Z
2022-03-31T01:32:42.000Z
binding/python/mc_rbdyn/__init__.py
fkanehiro/mc_rtc
776017e46c1a4626c1d8f1fb7d51675a9b9b9cad
[ "BSD-2-Clause" ]
20
2019-12-20T04:34:00.000Z
2022-03-24T01:31:27.000Z
from .mc_rbdyn import *
12
23
0.75
from .mc_rbdyn import *
0
0
0
078501ad68ff4eeafc7889f044308e6c71e94f42
5,981
py
Python
lib/python/treadmill/cgroups.py
vrautela/treadmill
05e47fa8acdf8bad7af78e737efb26ea6488de82
[ "Apache-2.0" ]
133
2016-09-15T13:36:12.000Z
2021-01-18T06:29:13.000Z
lib/python/treadmill/cgroups.py
vrautela/treadmill
05e47fa8acdf8bad7af78e737efb26ea6488de82
[ "Apache-2.0" ]
108
2016-12-28T23:41:27.000Z
2020-03-05T21:20:37.000Z
lib/python/treadmill/cgroups.py
evreng/treadmill
05e47fa8acdf8bad7af78e737efb26ea6488de82
[ "Apache-2.0" ]
69
2016-09-23T20:38:58.000Z
2020-11-11T02:31:21.000Z
"""Common cgroups management routines. """ from __future__ import absolute_import from __future__ import division from __future__ import print_function from __future__ import unicode_literals import io import logging import os from treadmill import fs from treadmill.fs import linux as fs_linux #: Base directory where we expect to find cgroups CGROOT = '/sys/fs/cgroup' #: Cgroups mount layout, modeled after after Red Hat 7. WANTED_CGROUPS = { 'cpu': 'cpu,cpuacct', 'cpuacct': 'cpu,cpuacct', 'cpuset': 'cpuset', 'memory': 'memory', 'blkio': 'blkio', 'net_cls': 'net_cls,net_prio', 'net_prio': 'net_cls,net_prio', } #: Where to read kernel supported cgroups _PROC_CGROUPS = '/proc/cgroups' _PROC_CGROUP = '/proc/{}/cgroup' _SUBSYSTEMS2MOUNTS = None _LOGGER = logging.getLogger(__name__) def read_mounted_cgroups(filter_by=CGROOT): """Read all the currently mounted cgroups and their mount points. :params ``str`` filter_by: Filter out cgroups mounted outside of this path. Set the None/'' to obtain all mountpoints. :returns: ``dict`` - Map of cgroup subsystems to their mountpoints list. """ availables = _available_subsystems() mounts = fs_linux.list_mounts() subsys2mnt = {} for mount_entry in mounts: if mount_entry.fs_type != 'cgroup': continue for opt in mount_entry.mnt_opts: if opt in availables: if not filter_by or mount_entry.target.startswith(filter_by): subsys2mnt.setdefault(opt, []).append(mount_entry.target) return subsys2mnt def mounted_subsystems(): """Return the cached cgroup subsystems to mount dict. :returns: ``dict`` - CGroup subsystem to mountpoints list. """ # allow global variable to cache global _SUBSYSTEMS2MOUNTS # pylint: disable=W0603 if _SUBSYSTEMS2MOUNTS is None: _SUBSYSTEMS2MOUNTS = read_mounted_cgroups(filter_by=CGROOT) return _SUBSYSTEMS2MOUNTS def proc_cgroups(proc='self'): """Read a process' cgroups :returns: ``dict`` - Dictionary of all the process' subsystem and cgroups. """ assert isinstance(proc, int) or '/' not in proc cgroups = {} with io.open(_PROC_CGROUP.format(proc), 'r') as f: for cgroup_line in f: (_id, subsys, path) = cgroup_line.strip().split(':', 2) cgroups[subsys] = path return cgroups def makepath(subsystem, group, pseudofile=None): """Pieces together a full path of the cgroup. """ mountpoint = _get_mountpoint(subsystem) group = group.strip('/') if pseudofile: return os.path.join(mountpoint, group, pseudofile) return os.path.join(mountpoint, group) def extractpath(path, subsystem, pseudofile=None): """Extract cgroup name from a cgroup path. """ mountpoint = _get_mountpoint(subsystem) if not path.startswith(mountpoint): raise ValueError('cgroup path does not start with %r' % mountpoint) subpath = path[len(mountpoint):] if pseudofile is None: return subpath.strip('/') elif not subpath.endswith(pseudofile): raise ValueError('cgroup path not end with pseudofile %r' % pseudofile) return subpath[:-len(pseudofile)].strip('/') def create(subsystem, group): """Create a cgroup. """ fullpath = makepath(subsystem, group) return fs.mkdir_safe(fullpath) def delete(subsystem, group): """Delete cgroup (and all sub-cgroups). """ fullpath = makepath(subsystem, group) os.rmdir(fullpath) def set_value(subsystem, group, pseudofile, value): """Set value in cgroup pseudofile""" fullpath = makepath(subsystem, group, pseudofile) # Make sure we have utf8 strings if hasattr(value, 'decode'): value = value.decode() value = '{}'.format(value) _LOGGER.debug('setting %s => %s', fullpath, value) with io.open(fullpath, 'w') as f: f.write(value) def get_data(subsystem, group, pseudofile): """Reads the data of cgroup parameter.""" fullpath = makepath(subsystem, group, pseudofile) with io.open(fullpath, 'r') as f: return f.read().strip() def get_value(subsystem, group, pseudofile): """Reads the data and convert to value of cgroup parameter. returns: int """ data = get_data(subsystem, group, pseudofile) try: return _safe_int(data) except ValueError: _LOGGER.exception('Invalid data from %s:/%s[%s]: %r', subsystem, group, pseudofile, data) return 0 def join(subsystem, group, pid=None): """Move process into a specific cgroup""" if pid is None: pid = os.getpid() return set_value(subsystem, group, 'tasks', pid) def inherit_value(subsystem, group, pseudofile): """Inherit value from parent group. """ parent_group = os.path.dirname(group) parent_value = get_data(subsystem, parent_group, pseudofile) set_value(subsystem, group, pseudofile, parent_value) def _get_mountpoint(subsystem): """Returns mountpoint of a particular subsystem. """ mounts = mounted_subsystems() return mounts[subsystem][0] def _available_subsystems(): """Get set of available cgroup subsystems. """ subsystems = [] with io.open(_PROC_CGROUPS, 'r') as cgroups: for cgroup in cgroups: ( subsys_name, _hierarchy, _num_cgroups, enabled ) = cgroup.split() if subsys_name[0] != '#' and enabled == '1': subsystems.append(subsys_name) return subsystems def _safe_int(num_str): """Safely parse a value from cgroup pseudofile into an int. """ # Values read in cgroups could have multiple lines. value = int(num_str.split('\n')[0].strip(), base=10) # not able to have value less than 0 if value < 0: value = 0 return value
26.582222
79
0.650393
"""Common cgroups management routines. """ from __future__ import absolute_import from __future__ import division from __future__ import print_function from __future__ import unicode_literals import io import logging import os from treadmill import fs from treadmill.fs import linux as fs_linux #: Base directory where we expect to find cgroups CGROOT = '/sys/fs/cgroup' #: Cgroups mount layout, modeled after after Red Hat 7. WANTED_CGROUPS = { 'cpu': 'cpu,cpuacct', 'cpuacct': 'cpu,cpuacct', 'cpuset': 'cpuset', 'memory': 'memory', 'blkio': 'blkio', 'net_cls': 'net_cls,net_prio', 'net_prio': 'net_cls,net_prio', } #: Where to read kernel supported cgroups _PROC_CGROUPS = '/proc/cgroups' _PROC_CGROUP = '/proc/{}/cgroup' _SUBSYSTEMS2MOUNTS = None _LOGGER = logging.getLogger(__name__) def read_mounted_cgroups(filter_by=CGROOT): """Read all the currently mounted cgroups and their mount points. :params ``str`` filter_by: Filter out cgroups mounted outside of this path. Set the None/'' to obtain all mountpoints. :returns: ``dict`` - Map of cgroup subsystems to their mountpoints list. """ availables = _available_subsystems() mounts = fs_linux.list_mounts() subsys2mnt = {} for mount_entry in mounts: if mount_entry.fs_type != 'cgroup': continue for opt in mount_entry.mnt_opts: if opt in availables: if not filter_by or mount_entry.target.startswith(filter_by): subsys2mnt.setdefault(opt, []).append(mount_entry.target) return subsys2mnt def mounted_subsystems(): """Return the cached cgroup subsystems to mount dict. :returns: ``dict`` - CGroup subsystem to mountpoints list. """ # allow global variable to cache global _SUBSYSTEMS2MOUNTS # pylint: disable=W0603 if _SUBSYSTEMS2MOUNTS is None: _SUBSYSTEMS2MOUNTS = read_mounted_cgroups(filter_by=CGROOT) return _SUBSYSTEMS2MOUNTS def proc_cgroups(proc='self'): """Read a process' cgroups :returns: ``dict`` - Dictionary of all the process' subsystem and cgroups. """ assert isinstance(proc, int) or '/' not in proc cgroups = {} with io.open(_PROC_CGROUP.format(proc), 'r') as f: for cgroup_line in f: (_id, subsys, path) = cgroup_line.strip().split(':', 2) cgroups[subsys] = path return cgroups def makepath(subsystem, group, pseudofile=None): """Pieces together a full path of the cgroup. """ mountpoint = _get_mountpoint(subsystem) group = group.strip('/') if pseudofile: return os.path.join(mountpoint, group, pseudofile) return os.path.join(mountpoint, group) def extractpath(path, subsystem, pseudofile=None): """Extract cgroup name from a cgroup path. """ mountpoint = _get_mountpoint(subsystem) if not path.startswith(mountpoint): raise ValueError('cgroup path does not start with %r' % mountpoint) subpath = path[len(mountpoint):] if pseudofile is None: return subpath.strip('/') elif not subpath.endswith(pseudofile): raise ValueError('cgroup path not end with pseudofile %r' % pseudofile) return subpath[:-len(pseudofile)].strip('/') def create(subsystem, group): """Create a cgroup. """ fullpath = makepath(subsystem, group) return fs.mkdir_safe(fullpath) def delete(subsystem, group): """Delete cgroup (and all sub-cgroups). """ fullpath = makepath(subsystem, group) os.rmdir(fullpath) def set_value(subsystem, group, pseudofile, value): """Set value in cgroup pseudofile""" fullpath = makepath(subsystem, group, pseudofile) # Make sure we have utf8 strings if hasattr(value, 'decode'): value = value.decode() value = '{}'.format(value) _LOGGER.debug('setting %s => %s', fullpath, value) with io.open(fullpath, 'w') as f: f.write(value) def get_data(subsystem, group, pseudofile): """Reads the data of cgroup parameter.""" fullpath = makepath(subsystem, group, pseudofile) with io.open(fullpath, 'r') as f: return f.read().strip() def get_value(subsystem, group, pseudofile): """Reads the data and convert to value of cgroup parameter. returns: int """ data = get_data(subsystem, group, pseudofile) try: return _safe_int(data) except ValueError: _LOGGER.exception('Invalid data from %s:/%s[%s]: %r', subsystem, group, pseudofile, data) return 0 def join(subsystem, group, pid=None): """Move process into a specific cgroup""" if pid is None: pid = os.getpid() return set_value(subsystem, group, 'tasks', pid) def inherit_value(subsystem, group, pseudofile): """Inherit value from parent group. """ parent_group = os.path.dirname(group) parent_value = get_data(subsystem, parent_group, pseudofile) set_value(subsystem, group, pseudofile, parent_value) def _get_mountpoint(subsystem): """Returns mountpoint of a particular subsystem. """ mounts = mounted_subsystems() return mounts[subsystem][0] def _available_subsystems(): """Get set of available cgroup subsystems. """ subsystems = [] with io.open(_PROC_CGROUPS, 'r') as cgroups: for cgroup in cgroups: ( subsys_name, _hierarchy, _num_cgroups, enabled ) = cgroup.split() if subsys_name[0] != '#' and enabled == '1': subsystems.append(subsys_name) return subsystems def _safe_int(num_str): """Safely parse a value from cgroup pseudofile into an int. """ # Values read in cgroups could have multiple lines. value = int(num_str.split('\n')[0].strip(), base=10) # not able to have value less than 0 if value < 0: value = 0 return value
0
0
0
38ec51a5930087e513ed0fcc5c2b8322af6ee357
795
py
Python
fompy/util/zeros.py
kononovarseniy/fompy
2d9d1b1c75b304dd50f108568d8dcee84b9e87b1
[ "MIT" ]
5
2020-10-16T18:10:17.000Z
2020-12-18T11:35:30.000Z
fompy/util/zeros.py
kononovarseniy/fompy
2d9d1b1c75b304dd50f108568d8dcee84b9e87b1
[ "MIT" ]
17
2020-10-22T03:19:46.000Z
2020-12-15T05:33:56.000Z
fompy/util/zeros.py
kononovarseniy/fompy
2d9d1b1c75b304dd50f108568d8dcee84b9e87b1
[ "MIT" ]
null
null
null
from itertools import count, islice from scipy.optimize import bisect
25.645161
85
0.637736
from itertools import count, islice from scipy.optimize import bisect def locate_zeros(points): px = py = None for x, y in points: if px is not None and py * y < 0: yield px, x px = x py = y def locate_function_zeros(func, start, step): xs = (start + step * i for i in count()) points = ((x, func(x)) for x in xs) return locate_zeros(points) def locate_nth_function_zero(func, start, step, num=0): if num < 0: step = -step num = -num - 1 return next(islice(locate_function_zeros(func, start, step), num, num + 1), None) def find_nth_function_zero(func, x0, xtol_coarse, xtol_fine, num=0): bracket = locate_nth_function_zero(func, x0, xtol_coarse, num) return bisect(func, *bracket, xtol=xtol_fine)
628
0
92
6949cc9dfbe6a66151419b8c802249bfffe52479
935
py
Python
Projects_in_Python/QR_Reader/main.py
pky99/Mini_Python_Projects
1cd3caa0aa48503a1f501f1ab90f34546615cf9a
[ "MIT" ]
null
null
null
Projects_in_Python/QR_Reader/main.py
pky99/Mini_Python_Projects
1cd3caa0aa48503a1f501f1ab90f34546615cf9a
[ "MIT" ]
null
null
null
Projects_in_Python/QR_Reader/main.py
pky99/Mini_Python_Projects
1cd3caa0aa48503a1f501f1ab90f34546615cf9a
[ "MIT" ]
null
null
null
import cv2 from pyzbar import pyzbar # Press the green button in the gutter to run the script. if __name__ == '__main__': readQR()
25.27027
84
0.583957
import cv2 from pyzbar import pyzbar def read_code(frame): codes = pyzbar.decode(frame) for code in codes: x, y, w, h = code.rect code_info = code.data.decode('utf-8') cv2.rectangle(frame, (x, y), (x + w, y + h), (0, 255, 0), 2) font = cv2.FONT_HERSHEY_DUPLEX cv2.putText(frame, code_info, (x + 6, y - 6), font, 2.0, (255, 255, 255), 1) with open("qr_code_result.txt", mode='w') as file: file.write("Recognized code:" + code_info) return frame def readQR(): camera = cv2.VideoCapture(0) ret, frame = camera.read() while ret: ret, frame = camera.read() frame = read_code(frame) cv2.imshow('QR code reader', frame) if cv2.waitKey(1) & 0xFF == 27: break camera.release() cv2.destroyAllWindows() # Press the green button in the gutter to run the script. if __name__ == '__main__': readQR()
748
0
46
fae391c60409d4e71f461ce211e8f4aed8541f56
901
py
Python
fcc_split/credo_download.py
sunlightlabs/fcc-net-neutrality-comments
56bcc6101a0dd5dcc3dc251014f30c2a2e0cde5b
[ "MIT" ]
18
2015-02-11T20:11:19.000Z
2020-11-13T23:22:47.000Z
fcc_split/credo_download.py
sunlightlabs/fcc-net-neutrality-comments
56bcc6101a0dd5dcc3dc251014f30c2a2e0cde5b
[ "MIT" ]
null
null
null
fcc_split/credo_download.py
sunlightlabs/fcc-net-neutrality-comments
56bcc6101a0dd5dcc3dc251014f30c2a2e0cde5b
[ "MIT" ]
6
2015-10-26T20:51:26.000Z
2021-04-18T16:47:30.000Z
import os, json, sys, operator, urllib, urllib2 from pyquery import PyQuery as pq credo_dir = sys.argv[1] if __name__ == "__main__": json_files = [f for f in all_files(credo_dir) if f.endswith('.json') and '-' not in os.path.basename(f)] for filename in json_files: meta = json.load(open(filename)) page = pq(urllib2.urlopen("http://apps.fcc.gov/ecfs/comment/view?id=" + meta['id']).read()) print 'Processing %s...' % filename for number, href in enumerate([a.attr('href').strip() for a in page.find('.tableDiv a[href*=document]').items()]): print "Downloading %s..." % number urllib.urlretrieve("http://apps.fcc.gov" + str(href), os.path.join(os.path.dirname(filename), str(meta['id']) + "-" + str(number) + ".pdf"))
47.421053
152
0.631521
import os, json, sys, operator, urllib, urllib2 from pyquery import PyQuery as pq def all_files(dir): return reduce(operator.add, [[os.path.join(x[0], y) for y in x[2]] for x in os.walk(dir)]) credo_dir = sys.argv[1] if __name__ == "__main__": json_files = [f for f in all_files(credo_dir) if f.endswith('.json') and '-' not in os.path.basename(f)] for filename in json_files: meta = json.load(open(filename)) page = pq(urllib2.urlopen("http://apps.fcc.gov/ecfs/comment/view?id=" + meta['id']).read()) print 'Processing %s...' % filename for number, href in enumerate([a.attr('href').strip() for a in page.find('.tableDiv a[href*=document]').items()]): print "Downloading %s..." % number urllib.urlretrieve("http://apps.fcc.gov" + str(href), os.path.join(os.path.dirname(filename), str(meta['id']) + "-" + str(number) + ".pdf"))
93
0
23
ed84a4b201d8276a22307f2ecf603a258673a174
3,830
py
Python
timeflux/core/node.py
HerySon/timeflux
01a5a27a3368afe8b0c1da475f84618e11ffec3b
[ "MIT" ]
123
2019-01-09T08:57:39.000Z
2022-03-18T18:59:51.000Z
timeflux/core/node.py
HerySon/timeflux
01a5a27a3368afe8b0c1da475f84618e11ffec3b
[ "MIT" ]
43
2019-03-08T10:16:39.000Z
2021-06-14T17:17:18.000Z
timeflux/core/node.py
HerySon/timeflux
01a5a27a3368afe8b0c1da475f84618e11ffec3b
[ "MIT" ]
18
2019-03-26T08:51:21.000Z
2021-10-14T23:10:33.000Z
"""Node base class.""" import re import logging from abc import ABC, abstractmethod from timeflux.core.io import Port
29.236641
93
0.547781
"""Node base class.""" import re import logging from abc import ABC, abstractmethod from timeflux.core.io import Port class Node(ABC): def __new__(cls, *args, **kwargs): """Create instance and initialize the logger.""" instance = super().__new__(cls) instance.logger = logging.getLogger( "timeflux." + cls.__module__ + "." + cls.__name__ ) instance.ports = {} return instance def __init__(self): """Instantiate the node.""" pass def __getattr__(self, name): """Create input and output ports on the fly. Args: name (string): The name of the port, prefixed with `i_` (input) or `o_` (output). Default ports are also allowed (`i` or `o`). Returns: Port: The newly created port. """ if name == "i" or name.startswith("i_") or name == "o" or name.startswith("o_"): self.ports[name] = Port() setattr(self, name, self.ports[name]) return self.ports[name] raise AttributeError( f"type object '{type(self).__name__}' has no attribute '{name}'" ) def bind(self, source, target): """Create an alias of a port Args: source (string): The name of the source port target (string): The name of the target port """ if ( target == "i" or target.startswith("i_") or target == "o" or target.startswith("o_") ): getattr(self, source) # Create the source port if it does not already exist self.ports[target] = self.ports[source] setattr(self, target, self.ports[source]) def iterate(self, name="*"): """Iterate through ports. If ``name`` ends with the globbing character (`*`), the generator iterates through all existing ports matching that pattern. Otherwise, only one port is returned. If it does not already exist, it is automatically created. Args: name (string): The matching pattern. Yields: (tupple): A tupple containing: * name (`string`): The full port name. * suffix (`string`): The part of the name matching the globbing character. * port (`Port`): The port object. """ if name.endswith("*"): skip = len(name) - 1 name = name[:-1] for key, port in self.ports.items(): if key.startswith(name): yield key, key[skip:], port else: yield name, "", getattr(self, name) def clear(self): """Reset all ports. It is assumed that numbered ports (i.e. those with a name ending with an underscore followed by numbers) are temporary and must be completely removed. The only exception is when they are bound to a default or named port. All other ports are simply emptied to avoid the cost of reinstanciating a new `Port` object before each update. """ if not hasattr(self, "_re_dynamic_port"): self._re_dynamic_port = re.compile(".*_[0-9]+$") remove = [] ids = [] for name, port in self.ports.items(): port.clear() if self._re_dynamic_port.match(name): if id(port) not in ids: remove.append(name) continue ids.append(id(port)) for name in remove: del self.ports[name] delattr(self, name) @abstractmethod def update(self): """Update the input and output ports.""" pass def terminate(self): """Perform cleanup upon termination.""" pass
0
3,687
23
ae8656f4c14d4106475af259c361d5ab27b3ce99
1,667
py
Python
cegid/apps/users/urls.py
vsoch/tcell
3c4a19e5c78f1a36a2fe5e0f3229d1d70ef3a2c6
[ "MIT" ]
null
null
null
cegid/apps/users/urls.py
vsoch/tcell
3c4a19e5c78f1a36a2fe5e0f3229d1d70ef3a2c6
[ "MIT" ]
9
2016-08-04T22:56:21.000Z
2016-08-17T20:55:57.000Z
cegid/apps/users/urls.py
vsoch/tcell
3c4a19e5c78f1a36a2fe5e0f3229d1d70ef3a2c6
[ "MIT" ]
1
2016-10-11T04:22:52.000Z
2016-10-11T04:22:52.000Z
from django.conf.urls import patterns, url from django.conf import settings from django.contrib import admin from .views import view_profile, edit_user, create_user, view_faculty, view_staff, edit_profile from django.contrib.auth import views as auth_views admin.autodiscover() urlpatterns = [ url(r'^people/faculty$',view_faculty,name="faculty"), url(r'^people/staff$',view_staff,name="staff"), url(r'^login/$', auth_views.login,{'extra_context': {'plus_id': getattr(settings, 'SOCIAL_AUTH_GOOGLE_PLUS_KEY', None), 'plus_scope': 'profile email'}},name="login"), url(r'^logout/$', auth_views.logout,{'template_name': 'registration/logout.html', 'next_page': '/'}, name="logout"), url(r'^create/$',create_user,name="create_user"), url(r'^profile/password/$',auth_views.password_change,name='password_change'), url(r'^password/change/done/$',auth_views.password_change_done,name='password_change_done'), url(r'^password/reset/$',auth_views.password_reset,name='password_reset'), url(r'^password/reset/done/$',auth_views.password_reset_done,name='password_reset_done'), url(r'^password/reset/complete/$',auth_views.password_reset_complete,name='password_reset_complete'), url(r'^password/reset/confirm/(?P<uidb64>[0-9A-Za-z]+)-(?P<token>.+)/$',auth_views.password_reset_confirm,name='password_reset_confirm'), url(r'^profile/edit$',edit_user,name="edit_user"), url(r'^profile/details$',edit_profile,name="edit_profile"), url(r'^profile/.*$',view_profile,name="my_profile"), url(r'^(?P<username>[A-Za-z0-9@/./+/-/_]+)/$',view_profile,name="profile") ]
61.740741
141
0.704859
from django.conf.urls import patterns, url from django.conf import settings from django.contrib import admin from .views import view_profile, edit_user, create_user, view_faculty, view_staff, edit_profile from django.contrib.auth import views as auth_views admin.autodiscover() urlpatterns = [ url(r'^people/faculty$',view_faculty,name="faculty"), url(r'^people/staff$',view_staff,name="staff"), url(r'^login/$', auth_views.login,{'extra_context': {'plus_id': getattr(settings, 'SOCIAL_AUTH_GOOGLE_PLUS_KEY', None), 'plus_scope': 'profile email'}},name="login"), url(r'^logout/$', auth_views.logout,{'template_name': 'registration/logout.html', 'next_page': '/'}, name="logout"), url(r'^create/$',create_user,name="create_user"), url(r'^profile/password/$',auth_views.password_change,name='password_change'), url(r'^password/change/done/$',auth_views.password_change_done,name='password_change_done'), url(r'^password/reset/$',auth_views.password_reset,name='password_reset'), url(r'^password/reset/done/$',auth_views.password_reset_done,name='password_reset_done'), url(r'^password/reset/complete/$',auth_views.password_reset_complete,name='password_reset_complete'), url(r'^password/reset/confirm/(?P<uidb64>[0-9A-Za-z]+)-(?P<token>.+)/$',auth_views.password_reset_confirm,name='password_reset_confirm'), url(r'^profile/edit$',edit_user,name="edit_user"), url(r'^profile/details$',edit_profile,name="edit_profile"), url(r'^profile/.*$',view_profile,name="my_profile"), url(r'^(?P<username>[A-Za-z0-9@/./+/-/_]+)/$',view_profile,name="profile") ]
0
0
0
ecc509661456f00ad41ada5efec4da261bcad594
328
py
Python
gpullall/tests/test_githelpers.py
0xcomposure/gpullall
77f93d9fb3eba838e5f885d41c84174f0980c64f
[ "MIT" ]
1
2021-04-13T13:33:23.000Z
2021-04-13T13:33:23.000Z
gpullall/tests/test_githelpers.py
0xcomposure/gpullall
77f93d9fb3eba838e5f885d41c84174f0980c64f
[ "MIT" ]
null
null
null
gpullall/tests/test_githelpers.py
0xcomposure/gpullall
77f93d9fb3eba838e5f885d41c84174f0980c64f
[ "MIT" ]
null
null
null
import os import unittest import sys sys.path.append("..") import githelpers # noqa: E402 if __name__ == "__main__": unittest.main()
19.294118
53
0.621951
import os import unittest import sys sys.path.append("..") import githelpers # noqa: E402 class TestGitHelpers(unittest.TestCase): def test_get_path(self): self.assertIn( os.path.abspath("../../"), githelpers.get_repositories("../../../")) if __name__ == "__main__": unittest.main()
119
19
49
f5fa1a321ab9f4569ec04c9bbb52bcf961dec01e
11,104
py
Python
videoProcess.py
kaleem94/CarND-Advanced-Lane-Lines
eaed810c947d534613e919b688377c87735dab5b
[ "MIT" ]
null
null
null
videoProcess.py
kaleem94/CarND-Advanced-Lane-Lines
eaed810c947d534613e919b688377c87735dab5b
[ "MIT" ]
null
null
null
videoProcess.py
kaleem94/CarND-Advanced-Lane-Lines
eaed810c947d534613e919b688377c87735dab5b
[ "MIT" ]
null
null
null
import cv2 import numpy as np import matplotlib.image as mpimg import matplotlib.pyplot as plt import glob import pickle line = None M = None Minv = None cameraMat = None distCoeffs = None dist_pickle = pickle.load( open( "camera_cal/wide_dist_pickle.p", "rb" ) ) objpoints = dist_pickle["objpoints"] imgpoints = dist_pickle["imgpoints"] mtx = dist_pickle["mtx"] dist = dist_pickle["dist"] img = cv2.imread('camera_cal/calibration5.jpg') img_size = (img.shape[1], img.shape[0]) #ret, mtx, dist, rvecs, tvecs = cv2.calibrateCamera(objpoints, imgpoints, img_size,None,None) images = glob.glob('test_images/*.jpg') nCount = 0 for idx, fname in enumerate(images): image = mpimg.imread(fname) img1 = pipeline(image) plt.figure(nCount) f, (ax1, ax2) = plt.subplots(1, 2, figsize=(20,10)) ax1.imshow(image) # ax1.imshow(img) ax1.set_title('Original Image', fontsize=30) ax2.imshow(img1) ax2.set_title('Binary Image', fontsize=30) nCount+=1
40.231884
211
0.646884
import cv2 import numpy as np import matplotlib.image as mpimg import matplotlib.pyplot as plt import glob import pickle line = None M = None Minv = None cameraMat = None distCoeffs = None class Line: def __init__(self): # if the first frame of video has been processed self.first_frame_processed = False self.img = None self.mse_tolerance = 0.01 self.left_fit = [np.array([False])] self.right_fit = [np.array([False])] self.y_eval = 700 self.midx = 640 self.ym_per_pix = 3.0/72.0 # meters per pixel in y dimension self.xm_per_pix = 3.7/660.0 # meters per pixel in x dimension self.curvature = 0 def update_fits(self, left_fit, right_fit): """Update the co-efficients of fitting polynomial """ if self.first_frame_processed: left_error = ((self.left_fit[0] - left_fit[0]) ** 2).mean(axis=None) right_error = ((self.right_fit[0] - right_fit[0]) ** 2).mean(axis=None) if left_error < self.mse_tolerance: self.left_fit = 0.75 * self.left_fit + 0.25 * left_fit if right_error < self.mse_tolerance: self.right_fit = 0.75 * self.right_fit + 0.25 * right_fit else: self.right_fit = right_fit self.left_fit = left_fit self.update_curvature(self.right_fit) def update_curvature(self, fit): """Update radius of curvature """ y1 = (2*fit[0]*self.y_eval + fit[1])*self.xm_per_pix/self.ym_per_pix y2 = 2*fit[0]*self.xm_per_pix/(self.ym_per_pix**2) curvature = ((1 + y1*y1)**(1.5))/np.absolute(y2) if self.first_frame_processed: self.curvature = curvature elif np.absolute(self.curvature - curvature) < 500: self.curvature = 0.75*self.curvature + 0.25*(((1 + y1*y1)**(1.5))/np.absolute(y2)) def get_position_from_center(self): x_left_pix = self.left_fit[0]*(self.y_eval**2) + self.left_fit[1]*self.y_eval + self.left_fit[2] x_right_pix = self.right_fit[0]*(self.y_eval**2) + self.right_fit[1]*self.y_eval + self.right_fit[2] return ((x_left_pix + x_right_pix)/2.0 - self.midx) * self.xm_per_pix def abs_sobel_thresh(gray, orient='x', sobel_kernel=3, thresh=(0, 255)): # Calculate directional gradient # Apply threshold # gray = cv2.cvtColor(img, cv2.COLOR_RGB2GRAY) # Apply x or y gradient with the OpenCV Sobel() function # and take the absolute value if orient == 'x': abs_sobel = np.absolute(cv2.Sobel(gray, cv2.CV_64F, 1, 0)) if orient == 'y': abs_sobel = np.absolute(cv2.Sobel(gray, cv2.CV_64F, 0, 1)) scaled_sobel = np.uint8(255*abs_sobel/np.max(abs_sobel)) binary_output = np.zeros_like(scaled_sobel) binary_output[(scaled_sobel >= thresh[0]) & (scaled_sobel <= thresh[1])] = 1 return binary_output def mag_thresh(gray, sobel_kernel=3, mag_thresh=(0, 255)): # Calculate gradient magnitude # Apply threshold # gray = cv2.cvtColor(img, cv2.COLOR_RGB2GRAY) sobelx = cv2.Sobel(gray, cv2.CV_64F, 1, 0, ksize=sobel_kernel) sobely = cv2.Sobel(gray, cv2.CV_64F, 0, 1, ksize=sobel_kernel) gradmag = np.sqrt(sobelx**2 + sobely**2) scale_factor = np.max(gradmag)/255 gradmag = (gradmag/scale_factor).astype(np.uint8) binary_output = np.zeros_like(gradmag) binary_output[(gradmag >= mag_thresh[0]) & (gradmag <= mag_thresh[1])] = 1 return binary_output def dir_threshold(gray, sobel_kernel=3, thresh=(0, np.pi/2)): # Calculate gradient direction # Apply threshold # gray = cv2.cvtColor(img, cv2.COLOR_RGB2GRAY) sobelx = cv2.Sobel(gray, cv2.CV_64F, 1, 0, ksize=sobel_kernel) sobely = cv2.Sobel(gray, cv2.CV_64F, 0, 1, ksize=sobel_kernel) gradmag = np.arctan2(np.absolute(sobely),np.absolute(sobelx)) binary_output = np.zeros_like(gradmag) binary_output[(gradmag >= thresh[0]) & (gradmag <= thresh[1])] = 1 return binary_output def threshold(image): hls = cv2.cvtColor(image, cv2.COLOR_RGB2HLS) thresholds_yellow = (hls[:,:,0] < 21) & (hls[:,:,0] > 19 ) | (hls[:,:,1] > 215 ) color_select = np.copy(image) *0 color_select[thresholds_yellow] = [255,255,255] img_gray = cv2.cvtColor(color_select, cv2.COLOR_BGR2GRAY) ksize = 5 # Choose a larger odd number to smooth gradient measurements gradx1 = abs_sobel_thresh(img_gray, orient='x', sobel_kernel=ksize, thresh=(70, 255)) grady1 = abs_sobel_thresh(img_gray, orient='y', sobel_kernel=ksize, thresh=(50, 255)) mag_binary1 = mag_thresh(img_gray, sobel_kernel=ksize, mag_thresh=(50, 255)) combined = np.zeros_like(gradx1) combined[((gradx1 == 1) & (grady1 == 1)) | ((mag_binary1 == 1)) ] = 1 return combined def pipeline(img): # if (line is None or M is None or Minv is None or cameraMat is None or distCoeffs is None): # raise NotImplementedError img_size = (img.shape[1], img.shape[0]) width, height = img_size img = cv2.undistort(np.copy(img), cameraMat, distCoeffs) binary_warped = cv2.warpPerspective(threshold(img),M, (width, height)) out_img = np.dstack((binary_warped, binary_warped, binary_warped))*255 nwindows = 9 window_height = np.int(binary_warped.shape[0]/nwindows) margin = 100 minpix = 50 if not line.first_frame_processed: histogram = np.sum(binary_warped[binary_warped.shape[0]/2:,:], axis=0) midpoint = np.int(histogram.shape[0]/2) leftx_base = np.argmax(histogram[:midpoint]) rightx_base = np.argmax(histogram[midpoint:]) + midpoint nonzero = binary_warped.nonzero() nonzeroy = np.array(nonzero[0]) nonzerox = np.array(nonzero[1]) leftx_current = leftx_base rightx_current = rightx_base # Create empty lists to receive left and right lane pixel indices left_lane_inds = [] right_lane_inds = [] # Step through the windows one by one for window in range(nwindows): win_y_low = binary_warped.shape[0] - (window+1)*window_height win_y_high = binary_warped.shape[0] - window*window_height win_xleft_low = leftx_current - margin win_xleft_high = leftx_current + margin win_xright_low = rightx_current - margin win_xright_high = rightx_current + margin good_left_inds = ((nonzeroy >= win_y_low) & (nonzeroy < win_y_high) & (nonzerox >= win_xleft_low) & (nonzerox < win_xleft_high)).nonzero()[0] good_right_inds = ((nonzeroy >= win_y_low) & (nonzeroy < win_y_high) & (nonzerox >= win_xright_low) & (nonzerox < win_xright_high)).nonzero()[0] left_lane_inds.append(good_left_inds) right_lane_inds.append(good_right_inds) if len(good_left_inds) > minpix: leftx_current = np.int(np.mean(nonzerox[good_left_inds])) if len(good_right_inds) > minpix: rightx_current = np.int(np.mean(nonzerox[good_right_inds])) # Concatenate the arrays of indices left_lane_inds = np.concatenate(left_lane_inds) right_lane_inds = np.concatenate(right_lane_inds) # Extract left and right line pixel positions leftx = nonzerox[left_lane_inds] lefty = nonzeroy[left_lane_inds] rightx = nonzerox[right_lane_inds] righty = nonzeroy[right_lane_inds] # Fit a second order polynomial to each left_fit = np.polyfit(lefty, leftx, 2) right_fit = np.polyfit(righty, rightx, 2) line.update_fits(left_fit, right_fit) line.first_frame_processed = True else: nonzero = binary_warped.nonzero() nonzeroy = np.array(nonzero[0]) nonzerox = np.array(nonzero[1]) left_fit = line.left_fit right_fit = line.right_fit left_lane_inds = ((nonzerox > (left_fit[0]*(nonzeroy**2) + left_fit[1]*nonzeroy + left_fit[2] - margin)) & (nonzerox < (left_fit[0]*(nonzeroy**2) + left_fit[1]*nonzeroy + left_fit[2] + margin))) right_lane_inds = ((nonzerox > (right_fit[0]*(nonzeroy**2) + right_fit[1]*nonzeroy + right_fit[2] - margin)) & (nonzerox < (right_fit[0]*(nonzeroy**2) + right_fit[1]*nonzeroy + right_fit[2] + margin))) # Again, extract left and right line pixel positions leftx = nonzerox[left_lane_inds] lefty = nonzeroy[left_lane_inds] rightx = nonzerox[right_lane_inds] righty = nonzeroy[right_lane_inds] # Fit a second order polynomial to each line.update_fits(np.polyfit(lefty, leftx, 2), np.polyfit(righty, rightx, 2)) left_fit = line.left_fit right_fit = line.right_fit ploty = np.linspace(0, binary_warped.shape[0]-1, binary_warped.shape[0] ) left_fitx = left_fit[0]*ploty**2 + left_fit[1]*ploty + left_fit[2] right_fitx = right_fit[0]*ploty**2 + right_fit[1]*ploty + right_fit[2] warp_zero = np.zeros_like(binary_warped).astype(np.uint8) color_warp = np.dstack((warp_zero, warp_zero, warp_zero)) # Recast the x and y points into usable format for cv2.fillPoly() pts_left = np.array([np.transpose(np.vstack([left_fitx, ploty]))]) pts_right = np.array([np.flipud(np.transpose(np.vstack([right_fitx, ploty])))]) pts = np.hstack((pts_left, pts_right)) # Draw the lane onto the warped blank image cv2.fillPoly(color_warp, np.int_([pts]), (0,255, 0)) newwarp = cv2.warpPerspective(color_warp, Minv, (img.shape[1], img.shape[0])) # Combine the result with the original image result = cv2.addWeighted(img, 1, newwarp, 0.3, 0) ## Add Radius of Curvature cv2.putText(result,'Radius of Curvature: %.2fm' % line.curvature,(20,40), cv2.FONT_HERSHEY_SIMPLEX, 1,(255,255,255),2) ## Add distance from center position_from_center = line.get_position_from_center() if position_from_center < 0: text = 'left' else: text = 'right' cv2.putText(result,'Distance From Center: %.2fm %s' % (np.absolute(position_from_center), text),(20,80), cv2.FONT_HERSHEY_SIMPLEX, 1,(255,255,255),2) return result dist_pickle = pickle.load( open( "camera_cal/wide_dist_pickle.p", "rb" ) ) objpoints = dist_pickle["objpoints"] imgpoints = dist_pickle["imgpoints"] mtx = dist_pickle["mtx"] dist = dist_pickle["dist"] img = cv2.imread('camera_cal/calibration5.jpg') img_size = (img.shape[1], img.shape[0]) #ret, mtx, dist, rvecs, tvecs = cv2.calibrateCamera(objpoints, imgpoints, img_size,None,None) images = glob.glob('test_images/*.jpg') nCount = 0 for idx, fname in enumerate(images): image = mpimg.imread(fname) img1 = pipeline(image) plt.figure(nCount) f, (ax1, ax2) = plt.subplots(1, 2, figsize=(20,10)) ax1.imshow(image) # ax1.imshow(img) ax1.set_title('Original Image', fontsize=30) ax2.imshow(img1) ax2.set_title('Binary Image', fontsize=30) nCount+=1
8,646
1,329
138
54d91d9ffe932c56641df845d5520675cc8f9b5a
500
py
Python
vis/latex_tables.py
dhpollack/mgc
ed1b8fb512f0b42cb8121a2809def65f232dc154
[ "MIT" ]
null
null
null
vis/latex_tables.py
dhpollack/mgc
ed1b8fb512f0b42cb8121a2809def65f232dc154
[ "MIT" ]
null
null
null
vis/latex_tables.py
dhpollack/mgc
ed1b8fb512f0b42cb8121a2809def65f232dc154
[ "MIT" ]
null
null
null
import os from tabulate import tabulate OUTPATH = "output/latex" a = [["Dataset Name", "# of Samples", "Total Length"], ["Balanced", "3,146", "8.74 hours"], ["Eval", "2,574", "7.15 hours"], ["Unbalanced", "224,155", "622.65 hours"], ["Unbalanced - Subset", "19,042", "52.89 hours"]] if not os.path.exists(OUTPATH): try: os.makedirs(OUTPATH) except: raise with open(os.path.join(OUTPATH, "audioset.tex"), "w") as f: f.write(tabulate(a, tablefmt="latex", floatfmt=".2f"))
35.714286
217
0.618
import os from tabulate import tabulate OUTPATH = "output/latex" a = [["Dataset Name", "# of Samples", "Total Length"], ["Balanced", "3,146", "8.74 hours"], ["Eval", "2,574", "7.15 hours"], ["Unbalanced", "224,155", "622.65 hours"], ["Unbalanced - Subset", "19,042", "52.89 hours"]] if not os.path.exists(OUTPATH): try: os.makedirs(OUTPATH) except: raise with open(os.path.join(OUTPATH, "audioset.tex"), "w") as f: f.write(tabulate(a, tablefmt="latex", floatfmt=".2f"))
0
0
0
e6c0bba16d38f75f94d0fd5e47e63b18ed184940
29,409
py
Python
modisco/hit_scoring/densityadapted_hitscoring.py
Bluedragon137/tfmodisco
d7c56b21e1bb58b07695ef3035f173b7d1a039e6
[ "MIT" ]
null
null
null
modisco/hit_scoring/densityadapted_hitscoring.py
Bluedragon137/tfmodisco
d7c56b21e1bb58b07695ef3035f173b7d1a039e6
[ "MIT" ]
null
null
null
modisco/hit_scoring/densityadapted_hitscoring.py
Bluedragon137/tfmodisco
d7c56b21e1bb58b07695ef3035f173b7d1a039e6
[ "MIT" ]
null
null
null
from __future__ import division, print_function from collections import defaultdict, OrderedDict, namedtuple import numpy as np import time import itertools from .. import core from .. import affinitymat from .. import util from .. import cluster from .. import aggregator from .. import seqlet_embedding from .. import affinitymat from .. import coordproducers from .. import tfmodisco_workflow from joblib import Parallel, delayed #patterns should already be subsampled MotifMatch = namedtuple("MotifMatch", ["patternidx", "patternidx_rank", "exampleidx", "start", "end", "is_revcomp", "seqlet_orig_start", "seqlet_orig_end", "seqlet_orig_revcomp", "aggregate_sim", "mod_delta", "mod_precision", "mod_percentile", "fann_perclasssum_perc", "fann_perclassavg_perc"]) MotifMatchWithImportance = namedtuple("MotifMatchWithImportance", ["patternidx", "patternidx_rank", "total_importance", "exampleidx", "start", "end", "is_revcomp", "seqlet_orig_start", "seqlet_orig_end", "seqlet_orig_revcomp", "aggregate_sim", "mod_delta", "mod_precision", "mod_percentile", "fann_perclasssum_perc", "fann_perclassavg_perc"])
45.666149
81
0.622292
from __future__ import division, print_function from collections import defaultdict, OrderedDict, namedtuple import numpy as np import time import itertools from .. import core from .. import affinitymat from .. import util from .. import cluster from .. import aggregator from .. import seqlet_embedding from .. import affinitymat from .. import coordproducers from .. import tfmodisco_workflow from joblib import Parallel, delayed class MakeHitScorer(object): def __init__(self, patterns, target_seqlet_size, bg_freq, task_names_and_signs, n_cores, additional_trimandsubcluster_kwargs={}, additional_seqletscorer_kwargs={}): self.target_seqlet_size = target_seqlet_size onehot_track_name = "sequence" #the default task_names = [x[0] for x in task_names_and_signs] self.task_names = task_names self.task_names_and_signs = task_names_and_signs print("Getting trimmed patterns, subclustering them") self.trimmed_subclustered_patterns = trim_and_subcluster_patterns( patterns=patterns, window_size=target_seqlet_size, onehot_track_name=onehot_track_name, task_names=task_names, bg_freq=bg_freq, n_cores=n_cores, **additional_trimandsubcluster_kwargs) print("Preparing seqlet scorer") self.seqlet_scorer = prepare_seqlet_scorer( patterns=self.trimmed_subclustered_patterns, onehot_track_name=onehot_track_name, task_names_and_signs=task_names_and_signs, n_cores=n_cores, **additional_seqletscorer_kwargs) self.tnt_results = None def get_coordproducer_score_track(self, contrib_scores): combined_contribs = np.zeros_like(contrib_scores[self.task_names[0]]) for task_name,sign in self.task_names_and_signs: combined_contribs += contrib_scores[task_name]*sign return np.sum(combined_contribs, axis=-1) def set_coordproducer(self, contrib_scores, core_sliding_window_size, target_fdr, min_passing_windows_frac, max_passing_windows_frac, null_track=coordproducers.LaplaceNullDist(num_to_samp=10000), **additional_coordproducer_kwargs): assert (self.target_seqlet_size-core_sliding_window_size)%2==0,\ ("Please provide a core_sliding_window_size that is an" +" even number smaller than target_seqlet_size") self.coordproducer = coordproducers.VariableWindowAroundChunks( sliding=[core_sliding_window_size], flank=int((self.target_seqlet_size-core_sliding_window_size)/2.0), suppress=core_sliding_window_size, target_fdr=target_fdr, min_passing_windows_frac=min_passing_windows_frac, max_passing_windows_frac=max_passing_windows_frac, **additional_coordproducer_kwargs ) coordproducer_results = self.coordproducer( score_track=self.get_coordproducer_score_track( contrib_scores=contrib_scores), null_track=null_track) self.tnt_results = coordproducer_results.tnt_results return self def __call__(self, contrib_scores, hypothetical_contribs, one_hot, hits_to_return_per_seqlet=1, min_mod_precision=0, revcomp=True, coordproducer_settings=None): if (coordproducer_settings is None): if (self.tnt_results is None): raise RuntimeError("Please set a coordproducer or provide" +" coordproducer settings") else: self.set_coordproducer(contrib_scores=contrib_scores, **coordproducer_settings) score_track = self.get_coordproducer_score_track( contrib_scores=contrib_scores) coords = self.coordproducer( score_track=score_track, tnt_results=self.tnt_results, null_track=None).coords track_set = tfmodisco_workflow.workflow.prep_track_set( task_names=self.task_names, contrib_scores=contrib_scores, hypothetical_contribs=hypothetical_contribs, one_hot=one_hot, custom_perpos_contribs=None, revcomp=revcomp, other_tracks=[]) seqlets = track_set.create_seqlets(coords) (all_seqlet_hits, patternidx_to_matches, exampleidx_to_matches) =\ self.seqlet_scorer(seqlets=seqlets, hits_to_return_per_seqlet=hits_to_return_per_seqlet, min_mod_precision=min_mod_precision) exampleidx_to_matcheswithimportance = defaultdict(list) patternidx_to_matcheswithimportance = defaultdict(list) for exampleidx in exampleidx_to_matches: for motifmatch in sorted(exampleidx_to_matches[exampleidx], key=lambda x: x.start): total_importance = np.sum(score_track[exampleidx][ max(motifmatch.start,0):motifmatch.end]) #tedious but i want to keep them tuples motifmatch_with_importance = MotifMatchWithImportance( patternidx=motifmatch.patternidx, patternidx_rank=motifmatch.patternidx_rank, total_importance=total_importance, exampleidx=motifmatch.exampleidx, start=motifmatch.start, end=motifmatch.end, seqlet_orig_start=motifmatch.seqlet_orig_start, seqlet_orig_end=motifmatch.seqlet_orig_end, seqlet_orig_revcomp=motifmatch.seqlet_orig_revcomp, is_revcomp=motifmatch.is_revcomp, aggregate_sim=motifmatch.aggregate_sim, mod_delta=motifmatch.mod_delta, mod_precision=motifmatch.mod_precision, mod_percentile=motifmatch.mod_percentile, fann_perclasssum_perc=motifmatch.fann_perclasssum_perc, fann_perclassavg_perc=motifmatch.fann_perclassavg_perc) exampleidx_to_matcheswithimportance[exampleidx].append( motifmatch_with_importance) patternidx_to_matcheswithimportance[ motifmatch.patternidx].append(motifmatch_with_importance) return (exampleidx_to_matcheswithimportance, patternidx_to_matcheswithimportance) def trim_and_subcluster_patterns(patterns, window_size, onehot_track_name, task_names, bg_freq, n_cores, subpattern_perplexity=50, verbose=True): if (verbose): print("Trimming the patterns to the target length") patterns = util.trim_patterns_by_ic( patterns=patterns, window_size=window_size, onehot_track_name=onehot_track_name, bg_freq=bg_freq) if (verbose): print("Apply subclustering") track_names = ([x+"_contrib_scores" for x in task_names] +[x+"_hypothetical_contribs" for x in task_names]) util.apply_subclustering_to_patterns( patterns=patterns, track_names=track_names, n_jobs=n_cores, perplexity=subpattern_perplexity, verbose=True) return patterns def prepare_seqlet_scorer(patterns, onehot_track_name, task_names_and_signs, n_cores, max_seqlets_per_submotif=100, min_overlap_size=10, crosspattern_perplexity=10, coarsegrained_topn=500, verbose=True): assert len(set([len(x) for x in patterns]))==1, ( "patterns should be of equal lengths - are: " +str(set([len(x) for x in patterns]))) target_seqlet_size = len(patterns[0]) if (verbose): print("Pattern length (and hence target seqlet size) is " +str(target_seqlet_size)) assert min_overlap_size < target_seqlet_size, ( "min_overlap_size must be < target_seqlet_size; are " +str(min_overlap_size)+" and "+str(target_seqlet_size)) subpatterns = [] subpattern_to_superpattern_mapping = {} subpattern_count = 0 for i,pattern in enumerate(patterns): for subpattern in pattern.subcluster_to_subpattern.values(): if (len(subpattern.seqlets) > max_seqlets_per_submotif): if (verbose): print("Subsampling subpattern "+str(subpattern_count)) subpattern = util.subsample_pattern( pattern=subpattern, num_to_subsample=max_seqlets_per_submotif) subpatterns.append(subpattern) subpattern_to_superpattern_mapping[subpattern_count] = i subpattern_count += 1 if (verbose): print("Prepare seqlet scorer") track_names = ([x[0]+"_contrib_scores" for x in task_names_and_signs] +[x[0]+"_hypothetical_contribs" for x in task_names_and_signs]) seqlet_scorer = CoreDensityAdaptedSeqletScorer( patterns=subpatterns, coarsegrained_seqlet_embedder=( seqlet_embedding.advanced_gapped_kmer .AdvancedGappedKmerEmbedderFactory()( onehot_track_name=onehot_track_name, toscore_track_names_and_signs=[ (x[0]+"_hypothetical_contribs", x[1]) for x in task_names_and_signs], n_jobs=n_cores)), coarsegrained_topn=coarsegrained_topn, #set to 500 for real seqs affmat_from_seqlets_with_nn_pairs= affinitymat.core.AffmatFromSeqletsWithNNpairs( pattern_comparison_settings= affinitymat.core.PatternComparisonSettings( track_names=track_names, #L1 norm is important for contin jaccard sim track_transformer=affinitymat.L1Normalizer(), min_overlap=float(min_overlap_size/target_seqlet_size)), sim_metric_on_nn_pairs=\ affinitymat.core.ParallelCpuCrossMetricOnNNpairs( n_cores=n_cores, cross_metric_single_region= affinitymat.core.CrossContinJaccardSingleRegion())), aff_to_dist_mat= affinitymat.transformers.AffToDistViaInvLogistic(), perplexity=crosspattern_perplexity, n_cores=n_cores, pattern_aligner=core.CrossContinJaccardPatternAligner( pattern_comparison_settings= affinitymat.core.PatternComparisonSettings( track_names=track_names, track_transformer=affinitymat.L1Normalizer(), min_overlap=float(min_overlap_size)/target_seqlet_size)), pattern_to_superpattern_mapping=subpattern_to_superpattern_mapping, superpatterns=patterns, verbose=verbose ) return seqlet_scorer class CoreDensityAdaptedSeqletScorer(object): #patterns should already be subsampled def __init__(self, patterns, coarsegrained_seqlet_embedder, coarsegrained_topn, affmat_from_seqlets_with_nn_pairs, aff_to_dist_mat, perplexity, n_cores, pattern_aligner, pattern_to_superpattern_mapping=None, superpatterns=None, leiden_numseedstotry=50, verbose=True): self.patterns = patterns if (pattern_to_superpattern_mapping is None): pattern_to_superpattern_mapping = dict([ (i,i) for i in range(len(patterns))]) self.class_patterns = patterns else: self.class_patterns = superpatterns self.pattern_to_superpattern_mapping = pattern_to_superpattern_mapping self.coarsegrained_seqlet_embedder = coarsegrained_seqlet_embedder self.coarsegrained_topn = coarsegrained_topn self.affmat_from_seqlets_with_nn_pairs =\ affmat_from_seqlets_with_nn_pairs self.aff_to_dist_mat = aff_to_dist_mat self.perplexity = perplexity self.n_cores = n_cores self.pattern_aligner = pattern_aligner self.leiden_numseedstotry = leiden_numseedstotry self.verbose = verbose self.build() def get_classwise_fine_affmat_nn_sumavg(self, fine_affmat_nn, seqlet_neighbors): num_classes = max(self.motifmemberships)+1 #(not used in the density-adapted scoring) for each class, compute # the total fine-grained similarity for each class in the topk # nearest neighbors. Will be used to instantiate a class-wise # precision scorer fine_affmat_nn_perclassum = np.zeros( (len(fine_affmat_nn), num_classes)) fine_affmat_nn_perclassavg = np.zeros( (len(fine_affmat_nn), num_classes)) for i in range(len(fine_affmat_nn)): for classidx in range(num_classes): class_entries = [fine_affmat_nn[i][j] for j in range(len(fine_affmat_nn[i])) if self.motifmemberships[seqlet_neighbors[i][j]]==classidx] if (len(class_entries) > 0): fine_affmat_nn_perclassum[i][classidx] =\ np.sum(class_entries) fine_affmat_nn_perclassavg[i][classidx] =\ np.mean(class_entries) return (fine_affmat_nn_perclassum, fine_affmat_nn_perclassavg) def build(self): #for all the seqlets in the patterns, use the # coarsegrained_seqlet_embedder to compute the embeddings for fwd and # rev sequences. *store it* motifseqlets = [seqlet for pattern in self.patterns for seqlet in pattern.seqlets] self.motifseqlets = motifseqlets motifmemberships = np.array([ self.pattern_to_superpattern_mapping[i] for i in range(len(self.patterns)) for j in self.patterns[i].seqlets]) self.motifmemberships = motifmemberships assert (max(self.motifmemberships)+1) == len(self.class_patterns),\ (max(self.motifmemberships), len(self.class_patterns)) if (self.verbose): print("Computing coarse-grained embeddings") orig_embedding_fwd, orig_embedding_rev =\ self.coarsegrained_seqlet_embedder(seqlets=motifseqlets) self.orig_embedding_fwd = orig_embedding_fwd self.orig_embedding_rev = orig_embedding_rev if (self.verbose): print("Computing coarse top k nn via cosine sim") #then find the topk nearest neighbors by cosine sim, coarse_affmat_nn, seqlet_neighbors =\ affinitymat.core.SparseNumpyCosineSimFromFwdAndRevOneDVecs( n_neighbors=self.coarsegrained_topn, verbose=self.verbose)( fwd_vecs=self.orig_embedding_fwd, rev_vecs=self.orig_embedding_rev, initclusters=None) if (self.verbose): print("Computing fine-grained sim for top k") #and finegrained sims for the topk nearest neighbors. fine_affmat_nn = self.affmat_from_seqlets_with_nn_pairs( seqlets=motifseqlets, filter_seqlets=None, seqlet_neighbors=seqlet_neighbors, return_sparse=True) #fann = fine affmat nn. This is not used for density-adaptive # scoring; rather it's a way to get a sense of within-motif # similarity WITHOUT the density-adaptation step (fann_perclassum, fann_perclassavg) = ( self.get_classwise_fine_affmat_nn_sumavg( fine_affmat_nn=fine_affmat_nn, seqlet_neighbors=seqlet_neighbors)) self.fann_perclasssum_precscorer = util.ClasswisePrecisionScorer( true_classes=motifmemberships, class_membership_scores=fann_perclassum) self.fann_perclassavg_precscorer = util.ClasswisePrecisionScorer( true_classes=motifmemberships, class_membership_scores=fann_perclassavg) if (self.verbose): print("Mapping affinity to distmat") #Map aff to dist distmat_nn = self.aff_to_dist_mat(affinity_mat=fine_affmat_nn) if (self.verbose): print("Symmetrizing nearest neighbors") #Note: the fine-grained similarity metric isn't actually symmetric # because a different input will get padded with zeros depending # on which seqlets are specified as the filters and which seqlets # are specified as the 'thing to scan'. So explicit symmetrization # is worthwhile sym_seqlet_neighbors, sym_distmat_nn = util.symmetrize_nn_distmat( distmat_nn=distmat_nn, nn=seqlet_neighbors, average_with_transpose=True) del distmat_nn del seqlet_neighbors if (self.verbose): print("Computing betas for density adaptation") #Compute beta values for the density adaptation. *store it* betas_and_ps = Parallel(n_jobs=self.n_cores)( delayed(util.binary_search_perplexity)( self.perplexity, distances) for distances in sym_distmat_nn) self.motifseqlet_betas = np.array([x[0] for x in betas_and_ps]) del betas_and_ps if (self.verbose): print("Computing normalizing denominators") #also compute the normalization factor needed to get probs to sum to 1 #note: sticking to lists here because different rows of # sym_distmat_nn may have different lengths after adding in # the symmetric pairs densadapted_affmat_nn_unnorm = [np.exp(-np.array(distmat_row)/beta) for distmat_row, beta in zip(sym_distmat_nn, self.motifseqlet_betas)] normfactors = np.array([max(np.sum(x),1e-8) for x in densadapted_affmat_nn_unnorm]) self.motifseqlet_normfactors = normfactors del normfactors if (self.verbose): print("Computing density-adapted nn affmat") #Do density-adaptation using average of self-Beta and other-Beta. sym_densadapted_affmat_nn = self.densadapt_wrt_motifseqlets( new_rows_distmat_nn=sym_distmat_nn, new_rows_nn=sym_seqlet_neighbors, new_rows_betas=self.motifseqlet_betas, new_rows_normfactors=self.motifseqlet_normfactors) #Make csr matrix csr_sym_density_adapted_affmat = util.coo_matrix_from_neighborsformat( entries=sym_densadapted_affmat_nn, neighbors=sym_seqlet_neighbors, ncols=len(sym_densadapted_affmat_nn)).tocsr() #Run Leiden to get clusters based on sym_densadapted_affmat_nn clusterer = cluster.core.LeidenClusterParallel( n_jobs=self.n_cores, affmat_transformer=None, numseedstotry=self.leiden_numseedstotry, n_leiden_iterations=-1, refine=True, verbose=self.verbose) recluster_idxs = clusterer( orig_affinity_mat=csr_sym_density_adapted_affmat, initclusters=motifmemberships).cluster_indices if (self.verbose): print("Number of reclustered idxs:", len(set(recluster_idxs))) oldandreclust_pairs = set(zip(recluster_idxs, motifmemberships)) #sanity check that 'recluster_idxs' are a stict subset of the original # motif memberships print(oldandreclust_pairs) assert len(oldandreclust_pairs)==len(set(recluster_idxs)) reclusteridxs_to_motifidx = dict([ (pair[0], pair[1]) for pair in oldandreclust_pairs]) assert np.max(np.abs(np.array([reclusteridxs_to_motifidx[x] for x in recluster_idxs])-motifmemberships))==0 if (self.verbose): print("Preparing modularity scorer") #Set up machinery needed to score modularity delta. self.modularity_scorer = util.ModularityScorer( clusters=recluster_idxs, nn=sym_seqlet_neighbors, affmat_nn=sym_densadapted_affmat_nn, cluster_to_supercluster_mapping=reclusteridxs_to_motifidx ) def densadapt_wrt_motifseqlets(self, new_rows_distmat_nn, new_rows_nn, new_rows_betas, new_rows_normfactors): new_rows_densadapted_affmat_nn = [] for i in range(len(new_rows_distmat_nn)): densadapted_row = [] for j,distance in zip(new_rows_nn[i], new_rows_distmat_nn[i]): densadapted_row.append(np.sqrt( (np.exp(-distance/new_rows_betas[i])/new_rows_normfactors[i]) *(np.exp(-distance/self.motifseqlet_betas[j])/ self.motifseqlet_normfactors[j]))) new_rows_densadapted_affmat_nn.append(densadapted_row) return new_rows_densadapted_affmat_nn def __call__(self, seqlets, hits_to_return_per_seqlet=1, min_mod_precision=0): embedding_fwd, _ =\ self.coarsegrained_seqlet_embedder(seqlets=seqlets, only_compute_fwd=True) #then find the topk nearest neighbors by cosine sim coarse_affmat_nn, seqlet_neighbors =\ affinitymat.core.SparseNumpyCosineSimFromFwdAndRevOneDVecs( n_neighbors=self.coarsegrained_topn, verbose=self.verbose)( fwd_vecs=self.orig_embedding_fwd, rev_vecs=self.orig_embedding_rev, initclusters=None, fwd_vecs2=embedding_fwd) #and finegrained sims for the topk nearest neighbors. fine_affmat_nn = self.affmat_from_seqlets_with_nn_pairs( seqlets=seqlets, filter_seqlets=self.motifseqlets, seqlet_neighbors=seqlet_neighbors, return_sparse=True) (fann_perclassum, fann_perclassavg) = ( self.get_classwise_fine_affmat_nn_sumavg( fine_affmat_nn=fine_affmat_nn, seqlet_neighbors=seqlet_neighbors)) #Map aff to dist distmat_nn = self.aff_to_dist_mat(affinity_mat=fine_affmat_nn) betas_and_ps = Parallel(n_jobs=self.n_cores)( delayed(util.binary_search_perplexity)( self.perplexity, distances) for distances in distmat_nn) betas = np.array([x[0] for x in betas_and_ps]) del betas_and_ps #also compute the normalization factor needed to get probs to sum to 1 #note: sticking to lists here because in the future I could # have an implementation where different rows of # distmat_nn may have different lengths (e.g. when considering # a set of initial cluster assigments produced by another method) densadapted_affmat_nn_unnorm = [np.exp(-np.array(distmat)/beta) for distmat, beta in zip(distmat_nn, betas)] normfactors = np.array([max(np.sum(x),1e-8) for x in densadapted_affmat_nn_unnorm]) new_rows_densadapted_affmat_nn = self.densadapt_wrt_motifseqlets( new_rows_distmat_nn=distmat_nn, new_rows_nn=seqlet_neighbors, new_rows_betas=betas, new_rows_normfactors=normfactors) argmax_classes, mod_percentiles, mod_precisions, mod_deltas =\ self.modularity_scorer( new_rows_affmat_nn=new_rows_densadapted_affmat_nn, new_rows_nn=seqlet_neighbors, hits_to_return_per_input=hits_to_return_per_seqlet) fann_perclasssum_perc = (self.fann_perclasssum_precscorer. score_percentile(score= fann_perclassum[np.arange(len(argmax_classes))[:,None], argmax_classes].ravel(), top_class=argmax_classes.ravel()).reshape( argmax_classes.shape)) fann_perclassavg_perc = (self.fann_perclassavg_precscorer. score_percentile(score= fann_perclassavg[np.arange(len(argmax_classes))[:,None], argmax_classes].ravel(), top_class=argmax_classes.ravel()).reshape( argmax_classes.shape)) all_seqlet_hits = [] for i in range(len(argmax_classes)): this_seqlet_hits = [] for class_rank,class_idx in enumerate(argmax_classes[i]): if (mod_precisions[i][class_rank] > min_mod_precision): seqlet = seqlets[i] mappedtomotif = self.class_patterns[class_idx] (alignment, rc, sim) = self.pattern_aligner( parent_pattern=seqlet, child_pattern=mappedtomotif) motif_hit = MotifMatch( patternidx=class_idx, patternidx_rank=class_rank, exampleidx=seqlet.coor.example_idx, start=seqlet.coor.start+alignment if seqlet.coor.is_revcomp==False else (seqlet.coor.end-alignment)-len(mappedtomotif), end=seqlet.coor.start+alignment+len(mappedtomotif) if seqlet.coor.is_revcomp==False else (seqlet.coor.end-alignment), is_revcomp=seqlet.coor.is_revcomp if rc==False else (seqlet.coor.is_revcomp==False), seqlet_orig_start=seqlet.coor.start, seqlet_orig_end=seqlet.coor.end, seqlet_orig_revcomp=seqlet.coor.is_revcomp, aggregate_sim=sim, mod_delta=mod_deltas[i][class_rank], mod_precision=mod_precisions[i][class_rank], mod_percentile=mod_percentiles[i][class_rank], fann_perclasssum_perc=fann_perclasssum_perc[i][class_rank], fann_perclassavg_perc=fann_perclassavg_perc[i][class_rank]) this_seqlet_hits.append(motif_hit) all_seqlet_hits.append(this_seqlet_hits) #organize by example/patternidx #Remove duplicate motif matches that can occur due to overlapping seqlets unique_motifmatches = dict() duplicates_found = 0 for seqlet_hits in all_seqlet_hits: for motifmatch in seqlet_hits: match_identifier = (motifmatch.patternidx, motifmatch.exampleidx, motifmatch.start, motifmatch.end, motifmatch.is_revcomp) if match_identifier not in unique_motifmatches: unique_motifmatches[match_identifier] = motifmatch else: if (motifmatch.mod_percentile > unique_motifmatches[match_identifier].mod_percentile): unique_motifmatches[match_identifier] = motifmatch duplicates_found += 1 print("Removed",duplicates_found,"duplicates") patternidx_to_matches = defaultdict(list) exampleidx_to_matches = defaultdict(list) for motifmatch in unique_motifmatches.values(): patternidx_to_matches[motifmatch.patternidx].append(motifmatch) exampleidx_to_matches[motifmatch.exampleidx].append(motifmatch) return (all_seqlet_hits, patternidx_to_matches, exampleidx_to_matches) MotifMatch = namedtuple("MotifMatch", ["patternidx", "patternidx_rank", "exampleidx", "start", "end", "is_revcomp", "seqlet_orig_start", "seqlet_orig_end", "seqlet_orig_revcomp", "aggregate_sim", "mod_delta", "mod_precision", "mod_percentile", "fann_perclasssum_perc", "fann_perclassavg_perc"]) MotifMatchWithImportance = namedtuple("MotifMatchWithImportance", ["patternidx", "patternidx_rank", "total_importance", "exampleidx", "start", "end", "is_revcomp", "seqlet_orig_start", "seqlet_orig_end", "seqlet_orig_revcomp", "aggregate_sim", "mod_delta", "mod_precision", "mod_percentile", "fann_perclasssum_perc", "fann_perclassavg_perc"])
27,855
31
339
273c03d48184ab1f7f82a588a4e85ab8215354df
460
py
Python
Projetos Python/pythonexercicios/des113.py
Moyses-Nunes/Projetos-Python
71ae170fb0d7be6afea18608bca630b57b9f0dff
[ "MIT" ]
null
null
null
Projetos Python/pythonexercicios/des113.py
Moyses-Nunes/Projetos-Python
71ae170fb0d7be6afea18608bca630b57b9f0dff
[ "MIT" ]
null
null
null
Projetos Python/pythonexercicios/des113.py
Moyses-Nunes/Projetos-Python
71ae170fb0d7be6afea18608bca630b57b9f0dff
[ "MIT" ]
null
null
null
num = leiaInt('Digite um valor: ') print(f'Você digitou o número {num}')
21.904762
76
0.554348
def leiaInt(msg): while True: try: n = int(input(msg)) except (ValueError, TypeError): print('\033[31mERRO: Digite um número inteiro válido.\033[m') continue except KeyboardInterrupt: print('\n\033[31mERRO: O usuário interrompeu o programa.\033[m') return 0 else: return n num = leiaInt('Digite um valor: ') print(f'Você digitou o número {num}')
362
0
22
df9d10b687bbbe0ed587c3c1a23fb3e7ada4e76a
427
py
Python
Zarooni/gopro/src/openfromsocket.py
AV-Lab/SNAIL
c07ff9a9a8ca1e171c83d10011d037cf6844cfc7
[ "MIT" ]
1
2021-11-21T12:54:12.000Z
2021-11-21T12:54:12.000Z
Zarooni/gopro/src/openfromsocket.py
majid-khonji/SNAIL
c07ff9a9a8ca1e171c83d10011d037cf6844cfc7
[ "MIT" ]
3
2021-09-15T21:19:23.000Z
2021-12-19T20:34:12.000Z
Zarooni/gopro/src/openfromsocket.py
majid-khonji/SNAIL
c07ff9a9a8ca1e171c83d10011d037cf6844cfc7
[ "MIT" ]
1
2021-11-21T12:56:47.000Z
2021-11-21T12:56:47.000Z
#!/usr/bin/env python3 # import rospy import socket import cv2 import numpy as np import time cap = cv2.VideoCapture("udp://10.5.5.9:10000", cv2.CAP_FFMPEG) sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM) last_message = time.time() while True: # Get an image ret, img = cap.read() # Do something with img cv2.imshow("My Window", img) cv2.waitKey(1) cv2.destroyWindow(window_name) cap.release()
18.565217
62
0.702576
#!/usr/bin/env python3 # import rospy import socket import cv2 import numpy as np import time cap = cv2.VideoCapture("udp://10.5.5.9:10000", cv2.CAP_FFMPEG) sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM) last_message = time.time() while True: # Get an image ret, img = cap.read() # Do something with img cv2.imshow("My Window", img) cv2.waitKey(1) cv2.destroyWindow(window_name) cap.release()
0
0
0
a2135f0efcd8f453d9288597d6319a5e4b435fe5
1,219
py
Python
tf_autoaugment/transforms/rotate.py
sebastian-sz/tf-autoaugment
6807f5095df1b842a8a17265dc2361165f5d1658
[ "MIT" ]
null
null
null
tf_autoaugment/transforms/rotate.py
sebastian-sz/tf-autoaugment
6807f5095df1b842a8a17265dc2361165f5d1658
[ "MIT" ]
null
null
null
tf_autoaugment/transforms/rotate.py
sebastian-sz/tf-autoaugment
6807f5095df1b842a8a17265dc2361165f5d1658
[ "MIT" ]
null
null
null
"""Code for Rotate Transform.""" import tensorflow as tf import tensorflow_addons as tfa from tf_autoaugment.transforms.base_transform import BaseTransform class Rotate(BaseTransform): """Transform for Rotate op.""" def __call__(self, images: tf.Tensor, level: tf.Tensor) -> tf.Tensor: """Run rotate on image batch.""" angles = self._parse_level(level) return tfa.image.rotate( images=images, angles=angles, fill_value=self.fill_value ) def _debug_run(self, images: tf.Tensor, level: tf.Tensor) -> tf.Tensor: """Only for testing. Call transform without self._randomly_negate_tensor.""" angles = tf.cast((level / self._MAX_LEVEL) * 30.0, tf.float32) return tfa.image.rotate( images=images, angles=angles, fill_value=self.fill_value )
35.852941
84
0.673503
"""Code for Rotate Transform.""" import tensorflow as tf import tensorflow_addons as tfa from tf_autoaugment.transforms.base_transform import BaseTransform class Rotate(BaseTransform): """Transform for Rotate op.""" def __init__(self, fill_value=128, tf_function: bool = False): super().__init__(tf_function=tf_function) self.fill_value = fill_value def __call__(self, images: tf.Tensor, level: tf.Tensor) -> tf.Tensor: """Run rotate on image batch.""" angles = self._parse_level(level) return tfa.image.rotate( images=images, angles=angles, fill_value=self.fill_value ) def _parse_level(self, level: tf.Tensor) -> tf.Tensor: level = (level / self._MAX_LEVEL) * 30.0 level = self._randomly_negate_tensor(tf.convert_to_tensor(level)) return tf.cast(level, tf.float32) def _debug_run(self, images: tf.Tensor, level: tf.Tensor) -> tf.Tensor: """Only for testing. Call transform without self._randomly_negate_tensor.""" angles = tf.cast((level / self._MAX_LEVEL) * 30.0, tf.float32) return tfa.image.rotate( images=images, angles=angles, fill_value=self.fill_value )
327
0
54
5847f016de6efae3149713498e64bdc415dafa59
572
py
Python
recipe_recommender/tests/test_scraping_and_processing.py
lisamnash/recipe_recommender
f02ea57c36b39f4965625d90f6d6f73a4131b449
[ "BSD-3-Clause" ]
1
2019-01-07T19:56:40.000Z
2019-01-07T19:56:40.000Z
recipe_recommender/tests/test_scraping_and_processing.py
lisamnash/recipe_recommender
f02ea57c36b39f4965625d90f6d6f73a4131b449
[ "BSD-3-Clause" ]
7
2018-12-28T21:22:15.000Z
2019-01-08T22:07:26.000Z
recipe_recommender/tests/test_scraping_and_processing.py
lisamnash/recipe_recommender
f02ea57c36b39f4965625d90f6d6f73a4131b449
[ "BSD-3-Clause" ]
1
2018-12-26T23:19:59.000Z
2018-12-26T23:19:59.000Z
""" Tests for scraping and processing """ import pytest import recipe_recommender as rr @pytest.fixture() def test_bodybuilding_scrape(testing_data): """ Test that pulling single recipe from bodybuilding database works. """ data = testing_data # Write more tests here to see this data is what we expect (TODO) def test_bodybuilding_process(): """ Test that processing is done correctly """ data = testing_data # TODO
19.724138
71
0.70979
""" Tests for scraping and processing """ import pytest import recipe_recommender as rr @pytest.fixture() def testing_data(): data = rr.scraping_and_processing.bodybuilding.scrape_db(test=True) return data def test_bodybuilding_scrape(testing_data): """ Test that pulling single recipe from bodybuilding database works. """ data = testing_data # Write more tests here to see this data is what we expect (TODO) def test_bodybuilding_process(): """ Test that processing is done correctly """ data = testing_data # TODO
86
0
22
cc37cfc49a0a2389cc7757855f918ffec9cc417c
1,302
py
Python
recipe-search/recipe/urls.py
talpor/recipe-search-hackathon
7471f08e1067317f3bb1f35b4ebd4b3cd96e0580
[ "BSD-3-Clause" ]
null
null
null
recipe-search/recipe/urls.py
talpor/recipe-search-hackathon
7471f08e1067317f3bb1f35b4ebd4b3cd96e0580
[ "BSD-3-Clause" ]
null
null
null
recipe-search/recipe/urls.py
talpor/recipe-search-hackathon
7471f08e1067317f3bb1f35b4ebd4b3cd96e0580
[ "BSD-3-Clause" ]
null
null
null
# -*- coding: utf-8 -*- from __future__ import unicode_literals from django.conf.urls import patterns, url, include from rest_framework.routers import DefaultRouter from serializers import RecipeViewSet, IngredientViewSet, \ RecipeSearchIngTimeViewSet, RecipeRandomIngTimeViewSet router = DefaultRouter() router.register('recipes', RecipeViewSet) router.register('ingredients', IngredientViewSet) recipe_list = RecipeViewSet.as_view({ 'get': 'list', }) recipe_detail = RecipeViewSet.as_view({ 'get': 'retrieve', 'put': 'update', 'delete': 'destroy', }) recipe_search_ingtime = RecipeSearchIngTimeViewSet.as_view() recipe_random_ingtime = RecipeRandomIngTimeViewSet.as_view() ingredient_list = IngredientViewSet.as_view({ 'get': 'list', 'post': 'create', }) ingredient_detail = IngredientViewSet.as_view({ 'get': 'retrieve', 'put': 'update', 'delete': 'destroy', }) urlpatterns = patterns('', # Home url(r'^', include(router.urls)), # Recipe search by ingredients and time url(r'^recipes/search/ingredient_time/$', recipe_search_ingtime, name="recipe-search-ingtime"), # Random recipe by ingredients and time url(r'^recipes/random/ingredient_time/$', recipe_random_ingtime, name="recipe-random-ingtime"), )
23.672727
68
0.715822
# -*- coding: utf-8 -*- from __future__ import unicode_literals from django.conf.urls import patterns, url, include from rest_framework.routers import DefaultRouter from serializers import RecipeViewSet, IngredientViewSet, \ RecipeSearchIngTimeViewSet, RecipeRandomIngTimeViewSet router = DefaultRouter() router.register('recipes', RecipeViewSet) router.register('ingredients', IngredientViewSet) recipe_list = RecipeViewSet.as_view({ 'get': 'list', }) recipe_detail = RecipeViewSet.as_view({ 'get': 'retrieve', 'put': 'update', 'delete': 'destroy', }) recipe_search_ingtime = RecipeSearchIngTimeViewSet.as_view() recipe_random_ingtime = RecipeRandomIngTimeViewSet.as_view() ingredient_list = IngredientViewSet.as_view({ 'get': 'list', 'post': 'create', }) ingredient_detail = IngredientViewSet.as_view({ 'get': 'retrieve', 'put': 'update', 'delete': 'destroy', }) urlpatterns = patterns('', # Home url(r'^', include(router.urls)), # Recipe search by ingredients and time url(r'^recipes/search/ingredient_time/$', recipe_search_ingtime, name="recipe-search-ingtime"), # Random recipe by ingredients and time url(r'^recipes/random/ingredient_time/$', recipe_random_ingtime, name="recipe-random-ingtime"), )
0
0
0
c2150ce62ffd47c29665cff5b2c8493e916833e2
1,432
py
Python
pytest/speed_tests/conftest.py
ribuild/delphin_6_automation
12024381fc1042b46314c55d88b6349229ea33b7
[ "MIT" ]
2
2017-11-08T18:37:36.000Z
2018-01-09T12:10:58.000Z
pytest/speed_tests/conftest.py
ribuild/delphin_6_automation
12024381fc1042b46314c55d88b6349229ea33b7
[ "MIT" ]
111
2018-02-26T08:25:44.000Z
2021-03-31T19:17:19.000Z
pytest/speed_tests/conftest.py
thp44/delphin_6_automation
12024381fc1042b46314c55d88b6349229ea33b7
[ "MIT" ]
3
2017-11-06T10:01:25.000Z
2018-02-14T09:45:28.000Z
__author__ = "Christian Kongsgaard" __license__ = 'MIT' # -------------------------------------------------------------------------------------------------------------------- # # IMPORTS # Modules import pytest import datetime import os # RiBuild Modules from delphin_6_automation.backend import simulation_worker from delphin_6_automation.delphin_setup import weather_modeling # -------------------------------------------------------------------------------------------------------------------- # # RIBuild @pytest.fixture() @pytest.fixture()
31.130435
120
0.594274
__author__ = "Christian Kongsgaard" __license__ = 'MIT' # -------------------------------------------------------------------------------------------------------------------- # # IMPORTS # Modules import pytest import datetime import os # RiBuild Modules from delphin_6_automation.backend import simulation_worker from delphin_6_automation.delphin_setup import weather_modeling # -------------------------------------------------------------------------------------------------------------------- # # RIBuild @pytest.fixture() def mock_wait_until_finished(monkeypatch): def mock_return(sim_id: str, estimated_run_time: int, simulation_folder: str): finished = False start_time = None while not start_time: if os.path.exists(f"{simulation_folder}/{sim_id}"): start_time = datetime.datetime.now() while not finished: if os.path.exists(f"{simulation_folder}/{sim_id}/log/summary.txt"): finished = True monkeypatch.setattr(simulation_worker, 'wait_until_finished', mock_return) @pytest.fixture() def mock_driving_rain(monkeypatch): def mock_return(precipitation: list, wind_direction: list, wind_speed: list, wall_location: dict, orientation, inclination=90, catch_ratio=None): return [0.0 for _ in range(len(precipitation))] monkeypatch.setattr(weather_modeling, 'driving_rain', mock_return)
836
0
44
2550ad92d37eed2fc01a6851b66824b9b3d88803
7,728
py
Python
bookclub/bookclub/bookclub_server/accountsettingscontroller.py
bookclubapp/bookclub_server
be6cf974373eb8aac436c9b3812864dcb53cdc89
[ "MIT" ]
null
null
null
bookclub/bookclub/bookclub_server/accountsettingscontroller.py
bookclubapp/bookclub_server
be6cf974373eb8aac436c9b3812864dcb53cdc89
[ "MIT" ]
null
null
null
bookclub/bookclub/bookclub_server/accountsettingscontroller.py
bookclubapp/bookclub_server
be6cf974373eb8aac436c9b3812864dcb53cdc89
[ "MIT" ]
1
2019-07-05T12:46:18.000Z
2019-07-05T12:46:18.000Z
import hashlib from django.core.serializers.json import DjangoJSONEncoder from django.forms import model_to_dict from rest_framework.decorators import api_view from rest_framework.response import Response from rest_framework.utils import json from .models import User, Match, TradeList, Suggestion, WishList, Book, AccountSettings from django.http import JsonResponse from django.db.models import Q import random @api_view(['GET']) @api_view(['GET']) @api_view(['GET']) @api_view(['GET']) @api_view(['GET']) @api_view(['GET']) @api_view(['POST']) @api_view(['POST']) @api_view(['POST']) @api_view(['POST']) @api_view(['POST'])
35.944186
107
0.654891
import hashlib from django.core.serializers.json import DjangoJSONEncoder from django.forms import model_to_dict from rest_framework.decorators import api_view from rest_framework.response import Response from rest_framework.utils import json from .models import User, Match, TradeList, Suggestion, WishList, Book, AccountSettings from django.http import JsonResponse from django.db.models import Q import random @api_view(['GET']) def index(request): if "user" in request.session: status = "success" message = "here is the account info" account_info = AccountSettings.objects.get(user_id=request.session['user']) else: status = "error" message = "you should login first" json_data = {"status": status, "message": message, "account_settings": None} json_data = {"status": status, "message": message, "account_settings": model_to_dict(account_info)} return JsonResponse(json_data, safe=False) @api_view(['GET']) def reset(request): if "user" in request.session: status = "success" message = "account settings were reset succesfully" account_info = AccountSettings.objects.get(user_id=request.session['user']) account_info.userAvailability = True account_info.userMessagable = True account_info.lastSeen = True account_info.save() json_data = {"status": status, "message": message, "account_settings": model_to_dict(account_info)} else: status = "error" message = "you should login first" json_data = {"status": status, "message": message, "account_settings": None} return JsonResponse(json_data, safe=False) @api_view(['GET']) def change_user_availability(request): if "user" in request.session: status = "success" message = "user availability was changed succesfully" account_info = AccountSettings.objects.get(user_id=request.session['user']) if account_info.userAvailability: account_info.userAvailability = False else: account_info.userAvailability = True account_info.save() json_data = {"status": status, "message": message, "account_settings": model_to_dict(account_info)} else: status = "error" message = "you should login first" json_data = {"status": status, "message": message, "account_settings": None} return JsonResponse(json_data, safe=False) @api_view(['GET']) def change_user_messagable(request): if "user" in request.session: status = "success" message = "user messagable was changed succesfully" account_info = AccountSettings.objects.get(user_id=request.session['user']) if account_info.userMessagable: account_info.userMessagable = False else: account_info.userMessagable = True account_info.save() json_data = {"status": status, "message": message, "account_settings": model_to_dict(account_info)} else: status = "error" message = "you should login first" json_data = {"status": status, "message": message, "account_settings": None} return JsonResponse(json_data, safe=False) @api_view(['GET']) def change_last_seen_state(request): if "user" in request.session: status = "success" message = "last seen state was changed succesfully" account_info = AccountSettings.objects.get(user_id=request.session['user']) if account_info.lastSeen: account_info.lastSeen = False else: account_info.lastSeen = True account_info.save() json_data = {"status": status, "message": message, "account_settings": model_to_dict(account_info)} else: status = "error" message = "you should login first" json_data = {"status": status, "message": message, "account_settings": None} return JsonResponse(json_data, safe=False) @api_view(['GET']) def change_online_state(request): if "user" in request.session: user = User.objects.get(id=request.session['user']) if user.onlineState: user.onlineState = False else: user.onlineState = True user.save() # will use the real picture to store status = 'success' message = 'the user\'s online state was updated successfully' else: status = 'error' message = 'you should login first' json_data = {"status": status, "message": message} return JsonResponse(json_data) @api_view(['POST']) def change_profile_picture(request): user_data = json.loads(request.body) # {"profile_picture":"something.jpg"} if "user" in request.session: user = User.objects.get(id=request.session['user']) user.profilePicture = user_data['profile_picture'] user.save() # will use the real picture to store status = 'success' message = 'the profile picture was updated successfully' else: status = 'error' message = 'you should login first' json_data = {"status": status, "message": message} return JsonResponse(json_data) @api_view(['POST']) def change_phone_number(request): user_data = json.loads(request.body) # {"phone_number":"5318316467 if "user" in request.session: user = User.objects.get(id=request.session['user']) user.phoneNumber = user_data['phone_number'] user.save() # will use the real picture to store status = 'success' message = 'the phone number was updated successfully' else: status = 'error' message = 'you should login first' json_data = {"status": status, "message": message} return JsonResponse(json_data) @api_view(['POST']) def change_location(request): user_data = json.loads(request.body) # {"long":"0.0000", "lat":"0.0000", "country":"Turkey"} if "user" in request.session: user = User.objects.get(id=request.session['user']) user.long = user_data['long'] user.lat = user_data['lat'] user.country = user_data['country'] user.save() # will use the real picture to store status = 'success' message = 'the user\'s location was updated successfully' else: status = 'error' message = 'you should login first' json_data = {"status": status, "message": message} return JsonResponse(json_data) @api_view(['POST']) def change_email(request): # gps will be added (discussed) user_data = json.loads(request.body) # {"mail":"something@gmail.com"} if "user" in request.session: user = User.objects.get(id=request.session['user']) user.mail = user_data['mail'] user.save() # will use the real picture to store status = 'success' message = 'the email address was updated successfully' else: status = 'error' message = 'you should login first' json_data = {"status": status, "message": message} return JsonResponse(json_data) @api_view(['POST']) def change_password(request): user_data = json.loads(request.body) # {"password":"acacac"} if "user" in request.session: user = User.objects.get(id=request.session['user']) salt = "%7hYY+5" to_be_hashed = user_data["password"] + salt hashed = hashlib.md5(to_be_hashed.encode('utf8')).hexdigest() user.password = hashed user.save() # will use the real picture to store status = 'success' message = 'the password was updated successfully' else: status = 'error' message = 'you should login first' json_data = {"status": status, "message": message} return JsonResponse(json_data)
6,837
0
242
0401599b259c818b191c532022ed908f5a7a63b2
1,155
py
Python
__manifest__.py
danieldemedziuk/odoo12-work_schedule
67f583472926e81aaf84d90aa5cff5a38a0149ef
[ "MIT" ]
null
null
null
__manifest__.py
danieldemedziuk/odoo12-work_schedule
67f583472926e81aaf84d90aa5cff5a38a0149ef
[ "MIT" ]
1
2021-07-01T11:45:58.000Z
2021-07-07T13:40:09.000Z
__manifest__.py
danieldemedziuk/odoo12-work_schedule
67f583472926e81aaf84d90aa5cff5a38a0149ef
[ "MIT" ]
3
2020-11-05T14:06:26.000Z
2021-03-20T00:43:40.000Z
# -*- coding: utf-8 -*- { 'name': 'Work schedule', 'version': '1.0', 'author': 'Daniel Demedziuk', 'sequence': 110, 'summary': 'Projects, Employees, Schedule', 'company': 'Daniel Demedziuk', 'description': """ Work schedule of employees ================================== This module provides insight into employee involvement in company projects. Load the number of working hours on a project. The module allows you to verify vacations and availability for new tasks. It allows for effective and convenient personnel management by observing the progress and project load of individual employees. If you need help, contact the author of the module. email: daniel.demedziuk@gmail.com """, 'website': 'website', 'category': 'Tool', 'depends': [ 'project', 'base', 'mail', 'hr_holidays', 'web_timeline' ], 'data': [ 'views/work_schedule_view.xml', 'views/server_action.xml', 'security/work_schedule_security.xml', 'security/ir.model.access.csv', ], 'auto_install': False, 'application': True, 'installable': True, }
30.394737
201
0.624242
# -*- coding: utf-8 -*- { 'name': 'Work schedule', 'version': '1.0', 'author': 'Daniel Demedziuk', 'sequence': 110, 'summary': 'Projects, Employees, Schedule', 'company': 'Daniel Demedziuk', 'description': """ Work schedule of employees ================================== This module provides insight into employee involvement in company projects. Load the number of working hours on a project. The module allows you to verify vacations and availability for new tasks. It allows for effective and convenient personnel management by observing the progress and project load of individual employees. If you need help, contact the author of the module. email: daniel.demedziuk@gmail.com """, 'website': 'website', 'category': 'Tool', 'depends': [ 'project', 'base', 'mail', 'hr_holidays', 'web_timeline' ], 'data': [ 'views/work_schedule_view.xml', 'views/server_action.xml', 'security/work_schedule_security.xml', 'security/ir.model.access.csv', ], 'auto_install': False, 'application': True, 'installable': True, }
0
0
0
efd0c534c43c8dd2eba0992804b750104c674229
874
py
Python
backend/config/views/graphql.py
hovedstyret/indok-web
598e9ca0b5f3a5e776a85dec0a8694b9bcd5a159
[ "MIT" ]
3
2021-11-18T09:29:14.000Z
2022-01-13T20:12:11.000Z
backend/config/views/graphql.py
rubberdok/indok-web
598e9ca0b5f3a5e776a85dec0a8694b9bcd5a159
[ "MIT" ]
277
2022-01-17T18:16:44.000Z
2022-03-31T19:44:04.000Z
backend/config/views/graphql.py
hovedstyret/indok-web
598e9ca0b5f3a5e776a85dec0a8694b9bcd5a159
[ "MIT" ]
null
null
null
from graphene_django.views import GraphQLView from sentry_sdk.api import start_transaction
36.416667
112
0.6373
from graphene_django.views import GraphQLView from sentry_sdk.api import start_transaction class CustomGraphQLView(GraphQLView): def execute_graphql_request(self, request, data, query, variables, operation_name, show_graphiql=False): """ Enables performance tracing for GraphQL calls """ backend = self.get_backend(request) if backend and query: operation_type = backend.document_from_string(self.schema, query).get_operation_type(operation_name) else: operation_type = "http.server" with start_transaction(op=operation_type, name=operation_name): return super().execute_graphql_request( request, data, query, variables, operation_name, show_graphiql=show_graphiql, )
0
759
23
0d357d0608fbe266eec21e0bf22de150016a09bf
838
py
Python
tests/gen_test.py
nim65s/mdmail
10c9f4c422ea5bcdf3e687eb8c500ec4906ae9f9
[ "BSD-2-Clause" ]
56
2017-11-13T23:40:55.000Z
2022-03-19T19:37:17.000Z
tests/gen_test.py
nim65s/mdmail
10c9f4c422ea5bcdf3e687eb8c500ec4906ae9f9
[ "BSD-2-Clause" ]
4
2019-07-08T10:47:20.000Z
2021-04-03T15:10:27.000Z
tests/gen_test.py
nim65s/mdmail
10c9f4c422ea5bcdf3e687eb8c500ec4906ae9f9
[ "BSD-2-Clause" ]
9
2018-02-07T20:59:40.000Z
2021-01-01T14:28:28.000Z
#!/usr/bin/env python """ A tool to generate html and txt file for a markdown file. This is mainly used to generate test cases. """ import argparse import os from io import open import mdmail if __name__ == '__main__': main()
27.032258
104
0.682578
#!/usr/bin/env python """ A tool to generate html and txt file for a markdown file. This is mainly used to generate test cases. """ import argparse import os from io import open import mdmail def main(): parser = argparse.ArgumentParser(description=__doc__, formatter_class=argparse.RawTextHelpFormatter) parser.add_argument("file", help="Markdown file for email content") args = parser.parse_args() content = open(args.file, encoding='utf-8').read() email = mdmail.EmailContent(content) base_fname = args.file.rsplit('.', 1)[0] html_fname = base_fname + '.html' with open(html_fname, 'w', encoding='utf-8') as f: f.write(email.html) text_fname = base_fname + '.txt' with open(text_fname, 'w', encoding='utf-8') as f: f.write(email.text) if __name__ == '__main__': main()
581
0
23
244e7eb5f0e54c2259e9480dae8cf5e1507a7e4b
12,077
py
Python
train.py
RecoHut-Stanzas/S168471
7e0ac621c36f839e1df6876ec517d0ad00672790
[ "BSD-3-Clause" ]
37
2020-06-15T02:04:37.000Z
2022-02-09T06:26:42.000Z
train.py
RecoHut-Stanzas/S168471
7e0ac621c36f839e1df6876ec517d0ad00672790
[ "BSD-3-Clause" ]
5
2020-08-06T13:16:34.000Z
2022-02-04T07:29:29.000Z
train.py
RecoHut-Stanzas/S168471
7e0ac621c36f839e1df6876ec517d0ad00672790
[ "BSD-3-Clause" ]
11
2020-09-01T23:08:51.000Z
2022-02-09T06:26:44.000Z
import argparse import time import gc import os import numpy as np import torch from torch.utils.data import DataLoader from models.models import GroupIM from utils.user_utils import TrainUserDataset, EvalUserDataset from utils.group_utils import TrainGroupDataset, EvalGroupDataset from eval.evaluate import evaluate_user, evaluate_group if torch.cuda.is_available(): os.system('nvidia-smi -q -d Memory |grep -A4 GPU|grep Free >tmp') memory_available = [int(x.split()[2]) for x in open('tmp', 'r').readlines()] gpu_id = int(np.argmax(memory_available)) torch.cuda.set_device(gpu_id) parser = argparse.ArgumentParser(description='PyTorch GroupIM: Group Information Maximization for Group Recommendation') parser.add_argument('--dataset', type=str, default='weeplaces', help='Name of dataset') # Training settings. parser.add_argument('--lr', type=float, default=5e-3, help='initial learning rate') parser.add_argument('--wd', type=float, default=0.00, help='weight decay coefficient') parser.add_argument('--lambda_mi', type=float, default=1.0, help='MI lambda hyper param') parser.add_argument('--drop_ratio', type=float, default=0.4, help='Dropout ratio') parser.add_argument('--batch_size', type=int, default=256, help='batch size') parser.add_argument('--epochs', type=int, default=200, help='maximum # training epochs') parser.add_argument('--eval_freq', type=int, default=5, help='frequency to evaluate performance on validation set') # Model settings. parser.add_argument('--emb_size', type=int, default=64, help='layer size') parser.add_argument('--aggregator', type=str, default='attention', help='choice of group preference aggregator', choices=['maxpool', 'meanpool', 'attention']) parser.add_argument('--negs_per_group', type=int, default=5, help='# negative users sampled per group') # Pre-training settings. parser.add_argument('--pretrain_user', action='store_true', help='Pre-train user encoder on user-item interactions') parser.add_argument('--pretrain_mi', action='store_true', help='Pre-train MI estimator for a few epochs') parser.add_argument('--pretrain_epochs', type=int, default=100, help='# pre-train epochs for user encoder layer') parser.add_argument('--cuda', action='store_true', help='use CUDA') parser.add_argument('--seed', type=int, default=1111, help='random seed for reproducibility') # Model save file parameters. parser.add_argument('--save', type=str, default='model_user.pt', help='path to save the final model') parser.add_argument('--save_group', type=str, default='model_group.pt', help='path to save the final model') args = parser.parse_args() torch.manual_seed(args.seed) # Set the random seed manually for reproducibility. if torch.cuda.is_available(): if not args.cuda: print("WARNING: You have a CUDA device, so you should probably run with --cuda") ############################################################################### # Load data ############################################################################### train_params = {'batch_size': args.batch_size, 'shuffle': False, 'num_workers': 6, 'pin_memory': True} eval_params = {'batch_size': args.batch_size, 'shuffle': False, 'num_workers': 6, 'pin_memory': True} device = torch.device("cuda" if args.cuda else "cpu") # Define train/val/test datasets on user interactions. train_dataset = TrainUserDataset(args.dataset) # train dataset for user-item interactions. n_items, n_users = train_dataset.n_items, train_dataset.n_users val_dataset = EvalUserDataset(args.dataset, n_items, datatype='val') test_dataset = EvalUserDataset(args.dataset, n_items, datatype='test') # Define train/val/test datasets on group and user interactions. train_group_dataset = TrainGroupDataset(args.dataset, n_items, args.negs_per_group) padding_idx = train_group_dataset.padding_idx val_group_dataset = EvalGroupDataset(args.dataset, n_items, padding_idx, datatype='val') test_group_dataset = EvalGroupDataset(args.dataset, n_items, padding_idx, datatype='test') # Define data loaders on user interactions. train_loader = DataLoader(train_dataset, **train_params) val_loader = DataLoader(val_dataset, **eval_params) test_loader = DataLoader(test_dataset, **eval_params) # Define data loaders on group interactions. train_group_loader = DataLoader(train_group_dataset, **train_params) val_group_loader = DataLoader(val_group_dataset, **eval_params) test_group_loader = DataLoader(test_group_dataset, **eval_params) ############################################################################### # Build the model ############################################################################### user_layers = [args.emb_size] # user encoder layer configuration is tunable. model = GroupIM(n_items, user_layers, drop_ratio=args.drop_ratio, aggregator_type=args.aggregator, lambda_mi=args.lambda_mi).to(device) optimizer_gr = torch.optim.Adam(model.parameters(), lr=args.lr, weight_decay=args.wd) best_user_n100, best_group_n100 = -np.inf, -np.inf print("args", args) # At any point you can hit Ctrl + C to break out of training early. try: if args.pretrain_user: optimizer_ur = torch.optim.Adam(model.parameters(), lr=0.01, weight_decay=args.wd) print("Pre-training model on user-item interactions") for epoch in range(0, args.pretrain_epochs): epoch_start_time = time.time() model.train() train_user_loss = 0.0 start_time = time.time() for batch_index, data in enumerate(train_loader): optimizer_ur.zero_grad() data = [x.to(device, non_blocking=True) for x in data] (train_users, train_items) = data user_logits, user_embeds = model.user_preference_encoder.pre_train_forward(train_items) user_loss = model.user_loss(user_logits, train_items) user_loss.backward() train_user_loss += user_loss.item() optimizer_ur.step() del train_users, train_items, user_logits, user_embeds elapsed = time.time() - start_time print('| epoch {:3d} | time {:4.2f} | loss {:4.2f}'.format(epoch + 1, elapsed, train_user_loss / len(train_loader))) if epoch % args.eval_freq == 0: val_loss, n100, r20, r50, _ = evaluate_user(model, val_loader, device, mode='pretrain') if n100 > best_user_n100: torch.save(model.state_dict(), args.save) best_user_n100 = n100 print("Load best pre-trained user encoder") model.load_state_dict(torch.load(args.save)) model = model.to(device) val_loss, n100, r20, r50, _ = evaluate_user(model, val_loader, device, mode='pretrain') print('=' * 89) print('| User evaluation | val loss {:4.4f} | n100 {:4.4f} | r20 {:4.4f} | ' 'r50 {:4.4f}'.format(val_loss, n100, r20, r50)) print("Initializing group recommender with pre-train user encoder") # Initialize the group predictor (item embedding) weight based on the pre-trained user predictor. model.group_predictor.weight.data = model.user_preference_encoder.user_predictor.weight.data if args.pretrain_mi: # pre-train MI estimator. for epoch in range(0, 10): model.train() t = time.time() mi_epoch_loss = 0.0 for batch_index, data in enumerate(train_group_loader): data = [x.to(device, non_blocking=True) for x in data] group, group_users, group_mask, group_items, user_items, corrupted_user_items = data optimizer_gr.zero_grad() model.zero_grad() model.train() _, group_embeds, _ = model(group, group_users, group_mask, user_items) obs_user_embed = model.user_preference_encoder(user_items).detach() # [B, G, D] corrupted_user_embed = model.user_preference_encoder(corrupted_user_items).detach() # [B, # negs, D] scores_observed = model.discriminator(group_embeds, obs_user_embed, group_mask) # [B, G] scores_corrupted = model.discriminator(group_embeds, corrupted_user_embed, group_mask) # [B, # negs] mi_loss = model.discriminator.mi_loss(scores_observed, group_mask, scores_corrupted, device=device) mi_loss.backward() optimizer_gr.step() mi_epoch_loss += mi_loss del group, group_users, group_mask, group_items, user_items, corrupted_user_items, \ obs_user_embed, corrupted_user_embed gc.collect() print("MI loss: {}".format(float(mi_epoch_loss) / len(train_group_loader))) optimizer_gr = torch.optim.Adam(model.parameters(), lr=args.lr, weight_decay=args.wd) for epoch in range(0, args.epochs): epoch_start_time = time.time() model.train() train_group_epoch_loss = 0.0 for batch_index, data in enumerate(train_group_loader): data = [x.to(device, non_blocking=True) for x in data] group, group_users, group_mask, group_items, user_items, corrupted_user_items = data optimizer_gr.zero_grad() model.zero_grad() group_logits, group_embeds, scores_ug = model(group.squeeze(), group_users, group_mask, user_items) group_loss = model.loss(group_logits, group_embeds, scores_ug, group_mask, group_items, user_items, corrupted_user_items, device=device) group_loss.backward() train_group_epoch_loss += group_loss.item() optimizer_gr.step() del group, group_users, group_mask, group_items, user_items, corrupted_user_items, \ group_logits, group_embeds, scores_ug gc.collect() print("Train loss: {}".format(float(train_group_epoch_loss) / len(train_group_loader))) if epoch % args.eval_freq == 0: # Group evaluation. val_loss_group, n100_group, r20_group, r50_group, _ = evaluate_group(model, val_group_loader, device) print('-' * 89) print('| end of epoch {:3d} | time: {:4.2f}s | n100 (group) {:5.4f} | r20 (group) {:5.4f} | r50 (group) ' '{:5.4f}'.format(epoch + 1, time.time() - epoch_start_time, n100_group, r20_group, r50_group)) print('-' * 89) # Save the model if the n100 is the best we've seen so far. if n100_group > best_group_n100: with open(args.save_group, 'wb') as f: torch.save(model, f) best_group_n100 = n100_group except KeyboardInterrupt: print('-' * 89) print('Exiting from training early') # Load the best saved model. with open(args.save_group, 'rb') as f: model = torch.load(f, map_location='cuda') model = model.to(device) # Best validation evaluation val_loss, n100, r20, r50, _ = evaluate_user(model, val_loader, device, mode='group') print('=' * 89) print('| User evaluation | val loss {:4.4f} | n100 {:4.4f} | r20 {:4.4f} | r50 {:4.4f}' .format(val_loss, n100, r20, r50)) # Test evaluation test_loss, n100, r20, r50, _ = evaluate_user(model, test_loader, device, mode='group') print('=' * 89) print('| User evaluation | test loss {:4.4f} | n100 {:4.4f} | r20 {:4.4f} | r50 {:4.4f}' .format(test_loss, n100, r20, r50)) print('=' * 89) _, n100_group, r20_group, r50_group, _ = evaluate_group(model, val_group_loader, device) print('| Group evaluation (val) | n100 (group) {:4.4f} | r20 (group) {:4.4f} | r50 (group) {:4.4f}' .format(n100_group, r20_group, r50_group)) print('=' * 89) _, n100_group, r20_group, r50_group, _ = evaluate_group(model, test_group_loader, device) print('| Group evaluation (test) | n100 (group) {:4.4f} | r20 (group) {:4.4f} | r50 (group) {:4.4f}' .format(n100_group, r20_group, r50_group))
50.112033
120
0.655212
import argparse import time import gc import os import numpy as np import torch from torch.utils.data import DataLoader from models.models import GroupIM from utils.user_utils import TrainUserDataset, EvalUserDataset from utils.group_utils import TrainGroupDataset, EvalGroupDataset from eval.evaluate import evaluate_user, evaluate_group if torch.cuda.is_available(): os.system('nvidia-smi -q -d Memory |grep -A4 GPU|grep Free >tmp') memory_available = [int(x.split()[2]) for x in open('tmp', 'r').readlines()] gpu_id = int(np.argmax(memory_available)) torch.cuda.set_device(gpu_id) parser = argparse.ArgumentParser(description='PyTorch GroupIM: Group Information Maximization for Group Recommendation') parser.add_argument('--dataset', type=str, default='weeplaces', help='Name of dataset') # Training settings. parser.add_argument('--lr', type=float, default=5e-3, help='initial learning rate') parser.add_argument('--wd', type=float, default=0.00, help='weight decay coefficient') parser.add_argument('--lambda_mi', type=float, default=1.0, help='MI lambda hyper param') parser.add_argument('--drop_ratio', type=float, default=0.4, help='Dropout ratio') parser.add_argument('--batch_size', type=int, default=256, help='batch size') parser.add_argument('--epochs', type=int, default=200, help='maximum # training epochs') parser.add_argument('--eval_freq', type=int, default=5, help='frequency to evaluate performance on validation set') # Model settings. parser.add_argument('--emb_size', type=int, default=64, help='layer size') parser.add_argument('--aggregator', type=str, default='attention', help='choice of group preference aggregator', choices=['maxpool', 'meanpool', 'attention']) parser.add_argument('--negs_per_group', type=int, default=5, help='# negative users sampled per group') # Pre-training settings. parser.add_argument('--pretrain_user', action='store_true', help='Pre-train user encoder on user-item interactions') parser.add_argument('--pretrain_mi', action='store_true', help='Pre-train MI estimator for a few epochs') parser.add_argument('--pretrain_epochs', type=int, default=100, help='# pre-train epochs for user encoder layer') parser.add_argument('--cuda', action='store_true', help='use CUDA') parser.add_argument('--seed', type=int, default=1111, help='random seed for reproducibility') # Model save file parameters. parser.add_argument('--save', type=str, default='model_user.pt', help='path to save the final model') parser.add_argument('--save_group', type=str, default='model_group.pt', help='path to save the final model') args = parser.parse_args() torch.manual_seed(args.seed) # Set the random seed manually for reproducibility. if torch.cuda.is_available(): if not args.cuda: print("WARNING: You have a CUDA device, so you should probably run with --cuda") ############################################################################### # Load data ############################################################################### train_params = {'batch_size': args.batch_size, 'shuffle': False, 'num_workers': 6, 'pin_memory': True} eval_params = {'batch_size': args.batch_size, 'shuffle': False, 'num_workers': 6, 'pin_memory': True} device = torch.device("cuda" if args.cuda else "cpu") # Define train/val/test datasets on user interactions. train_dataset = TrainUserDataset(args.dataset) # train dataset for user-item interactions. n_items, n_users = train_dataset.n_items, train_dataset.n_users val_dataset = EvalUserDataset(args.dataset, n_items, datatype='val') test_dataset = EvalUserDataset(args.dataset, n_items, datatype='test') # Define train/val/test datasets on group and user interactions. train_group_dataset = TrainGroupDataset(args.dataset, n_items, args.negs_per_group) padding_idx = train_group_dataset.padding_idx val_group_dataset = EvalGroupDataset(args.dataset, n_items, padding_idx, datatype='val') test_group_dataset = EvalGroupDataset(args.dataset, n_items, padding_idx, datatype='test') # Define data loaders on user interactions. train_loader = DataLoader(train_dataset, **train_params) val_loader = DataLoader(val_dataset, **eval_params) test_loader = DataLoader(test_dataset, **eval_params) # Define data loaders on group interactions. train_group_loader = DataLoader(train_group_dataset, **train_params) val_group_loader = DataLoader(val_group_dataset, **eval_params) test_group_loader = DataLoader(test_group_dataset, **eval_params) ############################################################################### # Build the model ############################################################################### user_layers = [args.emb_size] # user encoder layer configuration is tunable. model = GroupIM(n_items, user_layers, drop_ratio=args.drop_ratio, aggregator_type=args.aggregator, lambda_mi=args.lambda_mi).to(device) optimizer_gr = torch.optim.Adam(model.parameters(), lr=args.lr, weight_decay=args.wd) best_user_n100, best_group_n100 = -np.inf, -np.inf print("args", args) # At any point you can hit Ctrl + C to break out of training early. try: if args.pretrain_user: optimizer_ur = torch.optim.Adam(model.parameters(), lr=0.01, weight_decay=args.wd) print("Pre-training model on user-item interactions") for epoch in range(0, args.pretrain_epochs): epoch_start_time = time.time() model.train() train_user_loss = 0.0 start_time = time.time() for batch_index, data in enumerate(train_loader): optimizer_ur.zero_grad() data = [x.to(device, non_blocking=True) for x in data] (train_users, train_items) = data user_logits, user_embeds = model.user_preference_encoder.pre_train_forward(train_items) user_loss = model.user_loss(user_logits, train_items) user_loss.backward() train_user_loss += user_loss.item() optimizer_ur.step() del train_users, train_items, user_logits, user_embeds elapsed = time.time() - start_time print('| epoch {:3d} | time {:4.2f} | loss {:4.2f}'.format(epoch + 1, elapsed, train_user_loss / len(train_loader))) if epoch % args.eval_freq == 0: val_loss, n100, r20, r50, _ = evaluate_user(model, val_loader, device, mode='pretrain') if n100 > best_user_n100: torch.save(model.state_dict(), args.save) best_user_n100 = n100 print("Load best pre-trained user encoder") model.load_state_dict(torch.load(args.save)) model = model.to(device) val_loss, n100, r20, r50, _ = evaluate_user(model, val_loader, device, mode='pretrain') print('=' * 89) print('| User evaluation | val loss {:4.4f} | n100 {:4.4f} | r20 {:4.4f} | ' 'r50 {:4.4f}'.format(val_loss, n100, r20, r50)) print("Initializing group recommender with pre-train user encoder") # Initialize the group predictor (item embedding) weight based on the pre-trained user predictor. model.group_predictor.weight.data = model.user_preference_encoder.user_predictor.weight.data if args.pretrain_mi: # pre-train MI estimator. for epoch in range(0, 10): model.train() t = time.time() mi_epoch_loss = 0.0 for batch_index, data in enumerate(train_group_loader): data = [x.to(device, non_blocking=True) for x in data] group, group_users, group_mask, group_items, user_items, corrupted_user_items = data optimizer_gr.zero_grad() model.zero_grad() model.train() _, group_embeds, _ = model(group, group_users, group_mask, user_items) obs_user_embed = model.user_preference_encoder(user_items).detach() # [B, G, D] corrupted_user_embed = model.user_preference_encoder(corrupted_user_items).detach() # [B, # negs, D] scores_observed = model.discriminator(group_embeds, obs_user_embed, group_mask) # [B, G] scores_corrupted = model.discriminator(group_embeds, corrupted_user_embed, group_mask) # [B, # negs] mi_loss = model.discriminator.mi_loss(scores_observed, group_mask, scores_corrupted, device=device) mi_loss.backward() optimizer_gr.step() mi_epoch_loss += mi_loss del group, group_users, group_mask, group_items, user_items, corrupted_user_items, \ obs_user_embed, corrupted_user_embed gc.collect() print("MI loss: {}".format(float(mi_epoch_loss) / len(train_group_loader))) optimizer_gr = torch.optim.Adam(model.parameters(), lr=args.lr, weight_decay=args.wd) for epoch in range(0, args.epochs): epoch_start_time = time.time() model.train() train_group_epoch_loss = 0.0 for batch_index, data in enumerate(train_group_loader): data = [x.to(device, non_blocking=True) for x in data] group, group_users, group_mask, group_items, user_items, corrupted_user_items = data optimizer_gr.zero_grad() model.zero_grad() group_logits, group_embeds, scores_ug = model(group.squeeze(), group_users, group_mask, user_items) group_loss = model.loss(group_logits, group_embeds, scores_ug, group_mask, group_items, user_items, corrupted_user_items, device=device) group_loss.backward() train_group_epoch_loss += group_loss.item() optimizer_gr.step() del group, group_users, group_mask, group_items, user_items, corrupted_user_items, \ group_logits, group_embeds, scores_ug gc.collect() print("Train loss: {}".format(float(train_group_epoch_loss) / len(train_group_loader))) if epoch % args.eval_freq == 0: # Group evaluation. val_loss_group, n100_group, r20_group, r50_group, _ = evaluate_group(model, val_group_loader, device) print('-' * 89) print('| end of epoch {:3d} | time: {:4.2f}s | n100 (group) {:5.4f} | r20 (group) {:5.4f} | r50 (group) ' '{:5.4f}'.format(epoch + 1, time.time() - epoch_start_time, n100_group, r20_group, r50_group)) print('-' * 89) # Save the model if the n100 is the best we've seen so far. if n100_group > best_group_n100: with open(args.save_group, 'wb') as f: torch.save(model, f) best_group_n100 = n100_group except KeyboardInterrupt: print('-' * 89) print('Exiting from training early') # Load the best saved model. with open(args.save_group, 'rb') as f: model = torch.load(f, map_location='cuda') model = model.to(device) # Best validation evaluation val_loss, n100, r20, r50, _ = evaluate_user(model, val_loader, device, mode='group') print('=' * 89) print('| User evaluation | val loss {:4.4f} | n100 {:4.4f} | r20 {:4.4f} | r50 {:4.4f}' .format(val_loss, n100, r20, r50)) # Test evaluation test_loss, n100, r20, r50, _ = evaluate_user(model, test_loader, device, mode='group') print('=' * 89) print('| User evaluation | test loss {:4.4f} | n100 {:4.4f} | r20 {:4.4f} | r50 {:4.4f}' .format(test_loss, n100, r20, r50)) print('=' * 89) _, n100_group, r20_group, r50_group, _ = evaluate_group(model, val_group_loader, device) print('| Group evaluation (val) | n100 (group) {:4.4f} | r20 (group) {:4.4f} | r50 (group) {:4.4f}' .format(n100_group, r20_group, r50_group)) print('=' * 89) _, n100_group, r20_group, r50_group, _ = evaluate_group(model, test_group_loader, device) print('| Group evaluation (test) | n100 (group) {:4.4f} | r20 (group) {:4.4f} | r50 (group) {:4.4f}' .format(n100_group, r20_group, r50_group))
0
0
0
4400bb9e558de4f185705262b447d2c53bc2baf3
3,163
py
Python
run_test.py
2gunsu/SPL2021-FEN
a674df75da71290b8ab8ed330a453b1b2e94512c
[ "MIT" ]
3
2021-05-25T05:15:09.000Z
2021-12-30T07:04:45.000Z
run_test.py
2gunsu/SPL2021-FEN
a674df75da71290b8ab8ed330a453b1b2e94512c
[ "MIT" ]
null
null
null
run_test.py
2gunsu/SPL2021-FEN
a674df75da71290b8ab8ed330a453b1b2e94512c
[ "MIT" ]
null
null
null
import os import yaml import warnings from argparse import ArgumentParser from typing import Any, Union, Tuple from detectron2.config import get_cfg, CfgNode from detectron2.data import build_detection_test_loader from detectron2.data.datasets import register_coco_instances from detectron2.evaluation import COCOEvaluator, inference_on_dataset from detectron2.checkpoint import DetectionCheckpointer from module.rcnn import RCNN from engine.trainer import FENTrainer from data.mapper import generate_mapper warnings.filterwarnings('ignore') parser = ArgumentParser(description="Evaulation for FEN") parser.add_argument('--data_root', type=str, help="Directory of test dataset") parser.add_argument('--ckpt_root', type=str, help="Directory of checkpoint") parser.add_argument('--noise_type', type=str, default='none', help="What kind of noise to be added.", choices=['none', 'gaussian', 'snp']) parser.add_argument('--noise_params', nargs="+", default=[], help="Parameters for controlling the noise.") parser.add_argument('--input_size', type=int, default=800, help="Determinte the size of the image to be used for evaluation.") if __name__ == "__main__": args = parser.parse_args() # Parameters checkpoint_path: str = args.ckpt_root test_data_root: str = args.data_root test_input_size: Union[Tuple[int, int], int] = args.input_size test_noise_type: str = args.noise_type test_noise_params: Any = args.noise_params if isinstance(test_noise_params, list) and len(test_noise_params) != 0: if test_noise_type == "gaussian": noise_params = [int(p) for p in test_noise_params] elif test_noise_type == "snp": noise_params = float(test_noise_params[0]) # Register test dataset. register_coco_instances(name='test', metadata={}, json_file=os.path.join(test_data_root, 'Label.json'), image_root=os.path.join(test_data_root, 'Image')) # Load configuration from checkpoint. with open(os.path.join(checkpoint_path, 'config.yaml'), 'r') as f: data = yaml.safe_load(f) cfg = CfgNode(data) cfg.DATASETS.TRAIN, cfg.DATASETS.TEST = ('test',), ('test',) # Build trained model, evaluator, data loader for test. trainer = FENTrainer(cfg) mapper = generate_mapper(test_input_size, test_noise_type, test_noise_params) DetectionCheckpointer(trainer.model).load(cfg.MODEL.WEIGHTS) print(f'Weight "{cfg.MODEL.WEIGHTS}" is loaded for evaluation.') evaluator = COCOEvaluator(dataset_name='test', tasks=('bbox', ), distributed=False, output_dir=os.path.join(cfg.OUTPUT_DIR, 'evaluation')) test_loader = build_detection_test_loader(cfg, dataset_name='test', mapper=mapper) # Evaluate the trained model. result = inference_on_dataset(model=trainer.model, data_loader=test_loader, evaluator=evaluator)
41.077922
138
0.668037
import os import yaml import warnings from argparse import ArgumentParser from typing import Any, Union, Tuple from detectron2.config import get_cfg, CfgNode from detectron2.data import build_detection_test_loader from detectron2.data.datasets import register_coco_instances from detectron2.evaluation import COCOEvaluator, inference_on_dataset from detectron2.checkpoint import DetectionCheckpointer from module.rcnn import RCNN from engine.trainer import FENTrainer from data.mapper import generate_mapper warnings.filterwarnings('ignore') parser = ArgumentParser(description="Evaulation for FEN") parser.add_argument('--data_root', type=str, help="Directory of test dataset") parser.add_argument('--ckpt_root', type=str, help="Directory of checkpoint") parser.add_argument('--noise_type', type=str, default='none', help="What kind of noise to be added.", choices=['none', 'gaussian', 'snp']) parser.add_argument('--noise_params', nargs="+", default=[], help="Parameters for controlling the noise.") parser.add_argument('--input_size', type=int, default=800, help="Determinte the size of the image to be used for evaluation.") if __name__ == "__main__": args = parser.parse_args() # Parameters checkpoint_path: str = args.ckpt_root test_data_root: str = args.data_root test_input_size: Union[Tuple[int, int], int] = args.input_size test_noise_type: str = args.noise_type test_noise_params: Any = args.noise_params if isinstance(test_noise_params, list) and len(test_noise_params) != 0: if test_noise_type == "gaussian": noise_params = [int(p) for p in test_noise_params] elif test_noise_type == "snp": noise_params = float(test_noise_params[0]) # Register test dataset. register_coco_instances(name='test', metadata={}, json_file=os.path.join(test_data_root, 'Label.json'), image_root=os.path.join(test_data_root, 'Image')) # Load configuration from checkpoint. with open(os.path.join(checkpoint_path, 'config.yaml'), 'r') as f: data = yaml.safe_load(f) cfg = CfgNode(data) cfg.DATASETS.TRAIN, cfg.DATASETS.TEST = ('test',), ('test',) # Build trained model, evaluator, data loader for test. trainer = FENTrainer(cfg) mapper = generate_mapper(test_input_size, test_noise_type, test_noise_params) DetectionCheckpointer(trainer.model).load(cfg.MODEL.WEIGHTS) print(f'Weight "{cfg.MODEL.WEIGHTS}" is loaded for evaluation.') evaluator = COCOEvaluator(dataset_name='test', tasks=('bbox', ), distributed=False, output_dir=os.path.join(cfg.OUTPUT_DIR, 'evaluation')) test_loader = build_detection_test_loader(cfg, dataset_name='test', mapper=mapper) # Evaluate the trained model. result = inference_on_dataset(model=trainer.model, data_loader=test_loader, evaluator=evaluator)
0
0
0
8314e2fc53745a40853791c109169353cd164e28
290
py
Python
projects/code_combat/7_Sarven_Desert/329-Wandering_Souls/wandering_souls.py
only-romano/junkyard
b60a25b2643f429cdafee438d20f9966178d6f36
[ "MIT" ]
null
null
null
projects/code_combat/7_Sarven_Desert/329-Wandering_Souls/wandering_souls.py
only-romano/junkyard
b60a25b2643f429cdafee438d20f9966178d6f36
[ "MIT" ]
null
null
null
projects/code_combat/7_Sarven_Desert/329-Wandering_Souls/wandering_souls.py
only-romano/junkyard
b60a25b2643f429cdafee438d20f9966178d6f36
[ "MIT" ]
null
null
null
while True: enemies = hero.findEnemies() for enemy in enemies: while enemy.health > 0: hero.attack(enemy) items = hero.findItems() for item in items: while hero.distanceTo(item) > 2: hero.moveXY(item.pos.x, item.pos.y)
26.363636
48
0.558621
while True: enemies = hero.findEnemies() for enemy in enemies: while enemy.health > 0: hero.attack(enemy) items = hero.findItems() for item in items: while hero.distanceTo(item) > 2: hero.moveXY(item.pos.x, item.pos.y)
0
0
0
5f7bb77c03d84cef4b75a27947110c8f7f0b244d
806
py
Python
2017/day01/day01.py
icemanblues/advent-of-code
eac937ac2762d1c8b8cec358a13af352e339446c
[ "Apache-2.0" ]
null
null
null
2017/day01/day01.py
icemanblues/advent-of-code
eac937ac2762d1c8b8cec358a13af352e339446c
[ "Apache-2.0" ]
2
2020-04-06T18:56:13.000Z
2022-03-30T20:32:50.000Z
2017/day01/day01.py
icemanblues/advent-of-code
eac937ac2762d1c8b8cec358a13af352e339446c
[ "Apache-2.0" ]
null
null
null
from typing import List day_num = "01" day_title = "Inverse Captcha" if __name__ == '__main__': main()
17.911111
56
0.533499
from typing import List day_num = "01" day_title = "Inverse Captcha" def read_input(filename: str) -> List[str]: with open(filename) as f: content = [x.strip('\n') for x in f.readlines()] return content def part1(): line = read_input("input.txt")[0] curr = line[len(line)-1] count = 0 for c in line: if curr == c: count += int(c) curr = c print("Part 1:", count) def part2(): line = read_input("input.txt")[0] half = len(line)/2 count = 0 for i in range(len(line)): j = int((i+half) % len(line)) if line[i] == line[j]: count += int(line[i]) print("Part 2:", count) def main(): print("Day", day_num, ":", day_title) part1() part2() if __name__ == '__main__': main()
600
0
92
c8c7a5fce1bb23b8ac543706dc01171394f29335
3,686
py
Python
src/py_spm/_meeg.py
evanr70/py_spm
81055bb0df098d0210587e55d93731e2a285afd5
[ "MIT" ]
null
null
null
src/py_spm/_meeg.py
evanr70/py_spm
81055bb0df098d0210587e55d93731e2a285afd5
[ "MIT" ]
null
null
null
src/py_spm/_meeg.py
evanr70/py_spm
81055bb0df098d0210587e55d93731e2a285afd5
[ "MIT" ]
null
null
null
from dataclasses import dataclass import numpy as np from scipy.io import loadmat from ._channel import Channel, chan_types from ._data import Data from ._trial import Trial from .utils import check_lowered_string @dataclass
33.207207
86
0.655724
from dataclasses import dataclass import numpy as np from scipy.io import loadmat from ._channel import Channel, chan_types from ._data import Data from ._trial import Trial from .utils import check_lowered_string class MEEG: def __init__(self, filename): D = loadmat(filename, simplify_cells=True)["D"] self.type = D["type"] self.n_samples = D["Nsamples"] self.f_sample = D["Fsample"] self.time_onset = D["timeOnset"] self.trials = Trial(**D["trials"]) self.channels = [Channel.from_dict(channel) for channel in D["channels"]] self.data = Data(**D["data"]) self.fname = D["fname"] self.path = D["path"] self.sensors = D["sensors"] self.fiducials = D["fiducials"] self.transform = D["transform"] self.condlist = D["condlist"] self.montage = D["montage"] self.history = D["history"] self.other = D["other"] self.trials.calculate_samples(self.f_sample) self.index = np.ones(self.n_samples, dtype=bool) self.good_index = np.zeros(self.n_samples, dtype=int) self.mark_artefacts_as_bad() self.reindex_good_samples() self.reindex_event_samples() self.trial_definition = None def epoch_data(self, data): trial_def = self.trial_definition if trial_def is None: raise ValueError("No trials has been defined.") trials = self.trials events = check_lowered_string(self.trials.types, trial_def.event_type) starts = np.round(trials.good_samples) - trial_def.pre_stim * self.f_sample starts = starts[events] ends = np.round(trials.good_end_samples) + trial_def.post_stim * self.f_sample ends = ends[events] valid = (starts > 0) & (ends < min(self.index.sum(), data.shape[0])) epochs = [] for start, end in zip(starts[valid], ends[valid]): epochs.append(data[start:end]) return np.array(epochs) def define_trial(self, event_type, pre_stim, post_stim): self.trial_definition = TrialParameters(event_type, pre_stim, post_stim) def mark_artefacts_as_bad(self): artefacts = check_lowered_string(self.trials.types, "artefact") starts = self.trials.samples[artefacts] ends = self.trials.end_samples[artefacts] for start, end in zip(starts, ends): self.index[start:end] = False def _channel_property(self, property_): return np.array([getattr(channel, property_) for channel in self.channels]) def channel_types(self): return self._channel_property("type") def channel_selection(self, channel_type): return np.isin(self.channel_types(), chan_types[channel_type]) def full_index(self, channel_type): return np.ix_(self.index, self.channel_selection(channel_type)) def reindex_good_samples(self): self.good_index = np.zeros_like(self.index) - 1 self.good_index[self.index] = np.arange(self.index.sum()) self.good_index = np.minimum(self.good_index, self.n_samples) def reindex_event_samples(self): self.trials.good_samples = self.good_index[self.trials.samples] # TODO: Sort out this hacky solution to excess samples. # It might actually not be hacky, bad segments *may* extend past n_samples. self.trials.good_end_samples = self.good_index[ np.minimum(self.trials.end_samples, self.n_samples - 1) ] @property def n_good_samples(self): return self.index.sum() @dataclass class TrialParameters: event_type: str pre_stim: float post_stim: float
3,049
362
45
242925589fb185a5ed756cf0b989e7439c3fdd36
1,777
py
Python
mriseqplot/shapes.py
Sibgatulin/MRISeqPlot
0ca93ac5ab6c4aba6e8f56fd12d5df416df2939c
[ "MIT" ]
null
null
null
mriseqplot/shapes.py
Sibgatulin/MRISeqPlot
0ca93ac5ab6c4aba6e8f56fd12d5df416df2939c
[ "MIT" ]
2
2020-06-23T15:07:06.000Z
2020-06-23T15:08:39.000Z
mriseqplot/shapes.py
Sibgatulin/MRISeqPlot
0ca93ac5ab6c4aba6e8f56fd12d5df416df2939c
[ "MIT" ]
null
null
null
import numpy as np def trapezoid(t, t_start, t_flat_out, t_ramp_down): """ A symmetrical trapezoid of unit height Parameters ---------- t : array_like, 1D Vector of time values, specifying the entire domain of the sequence t_start : float Moment in time when the gradient is switched on and starts to linearly ramp up t_flat_out : float Moment in time when the gradient is fully on and stays constant after t_ramp_down : float Moment in time when the gradient starts to ramp down. Ramp down time in this function is considered to be the same as the rump up. Returns ------- x : np.array, 1D Array of the same dtype as t, representing the trapezoid gradient """ x = np.zeros_like(t) dt_ramp = t_flat_out - t_start idx_ramp_up = (t_start < t) & (t <= t_flat_out) idx_flat = (t_flat_out < t) & (t <= t_ramp_down) idx_ramp_down = (t_ramp_down < t) & (t <= t_ramp_down + dt_ramp) x[idx_ramp_up] = (t[idx_ramp_up] - t_start) / dt_ramp x[idx_flat] = 1 x[idx_ramp_down] = (t_ramp_down - t[idx_ramp_down]) / dt_ramp + 1 return x
34.843137
86
0.631964
import numpy as np def rf_sinc(t, t_start, duration, side_lobes): y = np.zeros_like(t) idx_rf = (t > t_start) & (t < t_start + duration) t_rf = t[idx_rf] - t_start - duration / 2 y[idx_rf] = np.sin(t_rf / duration * 2 * np.pi * (side_lobes + 1)) / t_rf y[idx_rf] = y[idx_rf] / np.max(y[idx_rf]) return y def adc(t, t_start, duration): y = np.zeros_like(t) idx_rf = np.argwhere((t > t_start) & (t < t_start + duration)) idx_rf = idx_rf[:, 0] y[idx_rf] = 1 y[idx_rf[0]] = np.finfo(np.float32).eps # edges down to zero y[idx_rf[-1]] = np.finfo(np.float32).eps # edges down to zero return y def trapezoid(t, t_start, t_flat_out, t_ramp_down): """ A symmetrical trapezoid of unit height Parameters ---------- t : array_like, 1D Vector of time values, specifying the entire domain of the sequence t_start : float Moment in time when the gradient is switched on and starts to linearly ramp up t_flat_out : float Moment in time when the gradient is fully on and stays constant after t_ramp_down : float Moment in time when the gradient starts to ramp down. Ramp down time in this function is considered to be the same as the rump up. Returns ------- x : np.array, 1D Array of the same dtype as t, representing the trapezoid gradient """ x = np.zeros_like(t) dt_ramp = t_flat_out - t_start idx_ramp_up = (t_start < t) & (t <= t_flat_out) idx_flat = (t_flat_out < t) & (t <= t_ramp_down) idx_ramp_down = (t_ramp_down < t) & (t <= t_ramp_down + dt_ramp) x[idx_ramp_up] = (t[idx_ramp_up] - t_start) / dt_ramp x[idx_flat] = 1 x[idx_ramp_down] = (t_ramp_down - t[idx_ramp_down]) / dt_ramp + 1 return x
578
0
46
7affea990ac37fd96e99bc875bf3e170057bccc1
6,733
py
Python
template.py
knightReigh/SinaSpider
dca7cd5e66c32866e2e697603dbfb2ecbb8a62d0
[ "MIT" ]
4
2018-03-02T11:11:53.000Z
2019-01-20T00:05:58.000Z
template.py
knightReigh/SinaSpider
dca7cd5e66c32866e2e697603dbfb2ecbb8a62d0
[ "MIT" ]
null
null
null
template.py
knightReigh/SinaSpider
dca7cd5e66c32866e2e697603dbfb2ecbb8a62d0
[ "MIT" ]
null
null
null
def tempalte_PinkElegance(timecards, ignore_retweet=True): """ A builder for template body: PinkElegance Abandoned for incomplet js generation Source: https://codepen.io/mo7hamed/pen/dRoMwo """ # build body body_string = "" for i in range(0, len(timecards.content)): if ignore_retweet and timecards.content[i].startswith('转发'): continue else: meta_string = ("点赞:" + str(timecards.meta[i]['up_num']) + " 转发:" + str(timecards.meta[i]['retweet_num']) + " 评论:" + str(timecards.meta[i]['comment_num'])) body_string = body_string + "<li>\n" + "<span></span>\n" body_string = (body_string + "<div class=\"title\">" + timecards.time[i][:4] + "</div>\n" + "<div class=\"info\">" + timecards.content[i] + "</div>\n" + "<div class=\"name\">" + meta_string + "</div>\n" + "<div class=\"time\">" + "\n<span>" + timecards.time[i][4:6] + "月" + timecards.time[i][6:8] + "日</span>\n" + "<span>" + timecards.time[i][8:10] + ":" + timecards.time[i][10:12] + "</span>\n" + "</div>") return body_string def template_FlexBox(timecards, ignore_retweet=True): """ A builder for template: FlexBox CSS broekn somehow Source: https://codepen.io/paulhbarker/pen/apvGdv """ body_string = "" for i in range(0, len(timecards.content)): if ignore_retweet and timecards.content[i].startswith('转发'): continue else: meta_string = ("点赞:" + str(timecards.meta[i]['up_num']) + " 转发:" + str(timecards.meta[i]['retweet_num']) + " 评论:" + str(timecards.meta[i]['comment_num'])) body_string = (body_string + "<div class=\"demo-card weibo-card\">\n" + "<div class=\"head\">\n" + "<div class=\"number-box\">\n" + "<span>" + timecards.time[i][6:8] + "</span>\n" + "</div>" + "<h2><span class=\"small\">" + timecards.time[i][:4] + "年" + timecards.time[i][4:6] + "月" + "</span>" + timecards.content[i][:8] + "</h2>\n" + "</div>\n" + "<div class=\"body\">\n" + "<p>" + timecards.content[i][8:] + "\n\n" + meta_string + "</p>\n" # + "<img src=\"" + timecards.img_src[i] + "\">\n" + "</div>\n</div>\n\n") return body_string def template_PinkStar(timecards, weibo_url, ignore_retweet=True): """ A builder for template: FlexBox Source: https://codepen.io/itbruno/pen/KwarLp """ icon_string_star = ('<div class="timeline-icon">\n' + '<svg version="1.1" id="Layer_1" xmlns="http://www.w3.org/2000/svg" ' + 'xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="21px" ' + 'height="20px" viewBox="0 0 21 20" enable-background="new 0 0 21 20" xml:space="preserve">\n' + '<path fill="#FFFFFF" d="M19.998,6.766l-5.759-0.544c-0.362-0.032-0.676-0.264-0.822-0.61l-2.064-4.999\n' + 'c-0.329-0.825-1.5-0.825-1.83,0L7.476,5.611c-0.132,0.346-0.462,0.578-0.824,0.61L0.894,6.766C0.035,6.848-0.312,7.921,0.333,8.499\n' + 'l4.338,3.811c0.279,0.246,0.395,0.609,0.314,0.975l-1.304,5.345c-0.199,0.842,0.708,1.534,1.468,1.089l4.801-2.822\n' + 'c0.313-0.181,0.695-0.181,1.006,0l4.803,2.822c0.759,0.445,1.666-0.23,1.468-1.089l-1.288-5.345\n' + 'c-0.081-0.365,0.035-0.729,0.313-0.975l4.34-3.811C21.219,7.921,20.855,6.848,19.998,6.766z" />\n' + '</svg>\n' + '</div>\n') icon_string_book = ('<div class="timeline-icon">\n' + '<svg version="1.1" id="Layer_1" xmlns="http://www.w3.org/2000/svg" ' + '<g>' + 'xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="21px" ' + 'height="20px" viewBox="0 0 21 20" enable-background="new 0 0 21 20" xml:space="preserve">\n' + '<path fill="#FFFFFF" d="M17.92,3.065l-1.669-2.302c-0.336-0.464-0.87-0.75-1.479-0.755C14.732,0.008,7.653,0,7.653,0v5.6\n' + 'c0,0.096-0.047,0.185-0.127,0.237c-0.081,0.052-0.181,0.06-0.268,0.02l-1.413-0.64C5.773,5.183,5.69,5.183,5.617,5.215l-1.489,0.65\n' + 'c-0.087,0.038-0.19,0.029-0.271-0.023c-0.079-0.052-0.13-0.141-0.13-0.235V0H2.191C1.655,0,1.233,0.434,1.233,0.97\n' + 'c0,0,0.025,15.952,0.031,15.993c0.084,0.509,0.379,0.962,0.811,1.242l2.334,1.528C4.671,19.905,4.974,20,5.286,20h10.307\n' + 'c1.452,0,2.634-1.189,2.634-2.64V4.007C18.227,3.666,18.12,3.339,17.92,3.065z M16.42,17.36c0,0.464-0.361,0.833-0.827,0.833H5.341\n' + 'l-1.675-1.089h10.341c0.537,0,0.953-0.44,0.953-0.979V2.039l1.459,2.027V17.36L16.42,17.36z" />\n' + '</g>\n' + '</svg>\n' + '</div>\n') body_string = "" RightDirection = False for i in range(0, len(timecards.content)): if ignore_retweet and timecards.content[i].startswith('转发'): continue else: meta_string = ("点赞:" + str(timecards.meta[i]['up_num']) + " 转发:" + str(timecards.meta[i]['retweet_num']) + " 评论:" + str(timecards.meta[i]['comment_num'])) time_string = (timecards.time[i][:4] + '年' + timecards.time[i][4:6] + '月' + timecards.time[i][6:8] + '日' + ' ' + timecards.time[i][8:10] + ':' + timecards.time[i][10:12]) body_string = (body_string + '<div class="timeline-item">\n' + (icon_string_book if RightDirection else icon_string_star + '\n') + ('<div class="timeline-content right">\n' if RightDirection else '<div class="timeline-content">\n') + '<h2>' + time_string + '</h2>\n' + '<p>' + timecards.content[i] + '</p>\n' + '<a href="' + weibo_url + '" class="btn">' + meta_string + "</a>" + '</div>' + '</div>') RightDirection = not RightDirection return body_string
61.209091
157
0.477499
def tempalte_PinkElegance(timecards, ignore_retweet=True): """ A builder for template body: PinkElegance Abandoned for incomplet js generation Source: https://codepen.io/mo7hamed/pen/dRoMwo """ # build body body_string = "" for i in range(0, len(timecards.content)): if ignore_retweet and timecards.content[i].startswith('转发'): continue else: meta_string = ("点赞:" + str(timecards.meta[i]['up_num']) + " 转发:" + str(timecards.meta[i]['retweet_num']) + " 评论:" + str(timecards.meta[i]['comment_num'])) body_string = body_string + "<li>\n" + "<span></span>\n" body_string = (body_string + "<div class=\"title\">" + timecards.time[i][:4] + "</div>\n" + "<div class=\"info\">" + timecards.content[i] + "</div>\n" + "<div class=\"name\">" + meta_string + "</div>\n" + "<div class=\"time\">" + "\n<span>" + timecards.time[i][4:6] + "月" + timecards.time[i][6:8] + "日</span>\n" + "<span>" + timecards.time[i][8:10] + ":" + timecards.time[i][10:12] + "</span>\n" + "</div>") return body_string def template_FlexBox(timecards, ignore_retweet=True): """ A builder for template: FlexBox CSS broekn somehow Source: https://codepen.io/paulhbarker/pen/apvGdv """ body_string = "" for i in range(0, len(timecards.content)): if ignore_retweet and timecards.content[i].startswith('转发'): continue else: meta_string = ("点赞:" + str(timecards.meta[i]['up_num']) + " 转发:" + str(timecards.meta[i]['retweet_num']) + " 评论:" + str(timecards.meta[i]['comment_num'])) body_string = (body_string + "<div class=\"demo-card weibo-card\">\n" + "<div class=\"head\">\n" + "<div class=\"number-box\">\n" + "<span>" + timecards.time[i][6:8] + "</span>\n" + "</div>" + "<h2><span class=\"small\">" + timecards.time[i][:4] + "年" + timecards.time[i][4:6] + "月" + "</span>" + timecards.content[i][:8] + "</h2>\n" + "</div>\n" + "<div class=\"body\">\n" + "<p>" + timecards.content[i][8:] + "\n\n" + meta_string + "</p>\n" # + "<img src=\"" + timecards.img_src[i] + "\">\n" + "</div>\n</div>\n\n") return body_string def template_PinkStar(timecards, weibo_url, ignore_retweet=True): """ A builder for template: FlexBox Source: https://codepen.io/itbruno/pen/KwarLp """ icon_string_star = ('<div class="timeline-icon">\n' + '<svg version="1.1" id="Layer_1" xmlns="http://www.w3.org/2000/svg" ' + 'xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="21px" ' + 'height="20px" viewBox="0 0 21 20" enable-background="new 0 0 21 20" xml:space="preserve">\n' + '<path fill="#FFFFFF" d="M19.998,6.766l-5.759-0.544c-0.362-0.032-0.676-0.264-0.822-0.61l-2.064-4.999\n' + 'c-0.329-0.825-1.5-0.825-1.83,0L7.476,5.611c-0.132,0.346-0.462,0.578-0.824,0.61L0.894,6.766C0.035,6.848-0.312,7.921,0.333,8.499\n' + 'l4.338,3.811c0.279,0.246,0.395,0.609,0.314,0.975l-1.304,5.345c-0.199,0.842,0.708,1.534,1.468,1.089l4.801-2.822\n' + 'c0.313-0.181,0.695-0.181,1.006,0l4.803,2.822c0.759,0.445,1.666-0.23,1.468-1.089l-1.288-5.345\n' + 'c-0.081-0.365,0.035-0.729,0.313-0.975l4.34-3.811C21.219,7.921,20.855,6.848,19.998,6.766z" />\n' + '</svg>\n' + '</div>\n') icon_string_book = ('<div class="timeline-icon">\n' + '<svg version="1.1" id="Layer_1" xmlns="http://www.w3.org/2000/svg" ' + '<g>' + 'xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="21px" ' + 'height="20px" viewBox="0 0 21 20" enable-background="new 0 0 21 20" xml:space="preserve">\n' + '<path fill="#FFFFFF" d="M17.92,3.065l-1.669-2.302c-0.336-0.464-0.87-0.75-1.479-0.755C14.732,0.008,7.653,0,7.653,0v5.6\n' + 'c0,0.096-0.047,0.185-0.127,0.237c-0.081,0.052-0.181,0.06-0.268,0.02l-1.413-0.64C5.773,5.183,5.69,5.183,5.617,5.215l-1.489,0.65\n' + 'c-0.087,0.038-0.19,0.029-0.271-0.023c-0.079-0.052-0.13-0.141-0.13-0.235V0H2.191C1.655,0,1.233,0.434,1.233,0.97\n' + 'c0,0,0.025,15.952,0.031,15.993c0.084,0.509,0.379,0.962,0.811,1.242l2.334,1.528C4.671,19.905,4.974,20,5.286,20h10.307\n' + 'c1.452,0,2.634-1.189,2.634-2.64V4.007C18.227,3.666,18.12,3.339,17.92,3.065z M16.42,17.36c0,0.464-0.361,0.833-0.827,0.833H5.341\n' + 'l-1.675-1.089h10.341c0.537,0,0.953-0.44,0.953-0.979V2.039l1.459,2.027V17.36L16.42,17.36z" />\n' + '</g>\n' + '</svg>\n' + '</div>\n') body_string = "" RightDirection = False for i in range(0, len(timecards.content)): if ignore_retweet and timecards.content[i].startswith('转发'): continue else: meta_string = ("点赞:" + str(timecards.meta[i]['up_num']) + " 转发:" + str(timecards.meta[i]['retweet_num']) + " 评论:" + str(timecards.meta[i]['comment_num'])) time_string = (timecards.time[i][:4] + '年' + timecards.time[i][4:6] + '月' + timecards.time[i][6:8] + '日' + ' ' + timecards.time[i][8:10] + ':' + timecards.time[i][10:12]) body_string = (body_string + '<div class="timeline-item">\n' + (icon_string_book if RightDirection else icon_string_star + '\n') + ('<div class="timeline-content right">\n' if RightDirection else '<div class="timeline-content">\n') + '<h2>' + time_string + '</h2>\n' + '<p>' + timecards.content[i] + '</p>\n' + '<a href="' + weibo_url + '" class="btn">' + meta_string + "</a>" + '</div>' + '</div>') RightDirection = not RightDirection return body_string
0
0
0
581abe937af4b9203e2451f8eb92730dc67f08f0
347
py
Python
setup.py
thiagodk/python-event-emitter
3767f852a8151a918a44572af679dfc00d3bff5c
[ "MIT" ]
null
null
null
setup.py
thiagodk/python-event-emitter
3767f852a8151a918a44572af679dfc00d3bff5c
[ "MIT" ]
null
null
null
setup.py
thiagodk/python-event-emitter
3767f852a8151a918a44572af679dfc00d3bff5c
[ "MIT" ]
null
null
null
from distutils.core import setup setup( name="event-emitter-js", version="0.1.2", description="JavaScript-like EventEmitter class for Python 3", author="Thiago Costa", author_email="admin@rootbsd.info", url="https://github.com/thiagodk/python-event-emitter", package_dir={"": "src"}, packages=["event_emitter"] )
24.785714
66
0.680115
from distutils.core import setup setup( name="event-emitter-js", version="0.1.2", description="JavaScript-like EventEmitter class for Python 3", author="Thiago Costa", author_email="admin@rootbsd.info", url="https://github.com/thiagodk/python-event-emitter", package_dir={"": "src"}, packages=["event_emitter"] )
0
0
0
49dddc3c965ea40abf0f046e4452d7ddf809ce42
8,931
py
Python
apps/core/files/base.py
ZhuoZhuoCrayon/bk-nodeman
76cb71fcc971c2a0c2be161fcbd6b019d4a7a8ab
[ "MIT" ]
null
null
null
apps/core/files/base.py
ZhuoZhuoCrayon/bk-nodeman
76cb71fcc971c2a0c2be161fcbd6b019d4a7a8ab
[ "MIT" ]
null
null
null
apps/core/files/base.py
ZhuoZhuoCrayon/bk-nodeman
76cb71fcc971c2a0c2be161fcbd6b019d4a7a8ab
[ "MIT" ]
null
null
null
# -*- coding: utf-8 -*- """ TencentBlueKing is pleased to support the open source community by making 蓝鲸智云-节点管理(BlueKing-BK-NODEMAN) available. Copyright (C) 2017-2021 THL A29 Limited, a Tencent company. All rights reserved. Licensed under the MIT License (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at https://opensource.org/licenses/MIT 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 abc import ABC, abstractmethod from copy import deepcopy from typing import Any, Callable, Dict, List, Union from django.conf import settings from django.core.exceptions import SuspiciousFileOperation from django.core.files.storage import Storage from django.utils.crypto import get_random_string from django.utils.translation import ugettext_lazy as _ from common.api import JobApi from . import constants, exceptions, models
40.049327
115
0.624006
# -*- coding: utf-8 -*- """ TencentBlueKing is pleased to support the open source community by making 蓝鲸智云-节点管理(BlueKing-BK-NODEMAN) available. Copyright (C) 2017-2021 THL A29 Limited, a Tencent company. All rights reserved. Licensed under the MIT License (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at https://opensource.org/licenses/MIT 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 abc import ABC, abstractmethod from copy import deepcopy from typing import Any, Callable, Dict, List, Union from django.conf import settings from django.core.exceptions import SuspiciousFileOperation from django.core.files.storage import Storage from django.utils.crypto import get_random_string from django.utils.translation import ugettext_lazy as _ from common.api import JobApi from . import constants, exceptions, models class StorageFileOverwriteMixin: file_overwrite = settings.FILE_OVERWRITE def get_available_name(self, name, max_length=None): """重写获取文件有效名称函数,支持在 file_overwrite=True 时不随机生成文件名""" dir_name, file_name = os.path.split(name) file_root, file_ext = os.path.splitext(file_name) def _gen_random_name(_file_root) -> str: # 在文件名的起始位置添加随机串,源码规则为 "%s_%s%s" % (_file_root, get_random_string(7), file_ext) # 上述规则对 .tar.gz 不友好,会在类型后缀中间加随机串,所以改为随机串作为前缀 return os.path.join(dir_name, "%s_%s%s" % (get_random_string(7), _file_root, file_ext)) # not self.file_overwrite and self.exists(name) 利用 and 短路特点,如果 file_overwrite=True 就无需校验文件是否存在 while (not self.file_overwrite and self.exists(name)) or (max_length and len(name) > max_length): # file_ext includes the dot. name = name if self.file_overwrite else _gen_random_name(file_root) if max_length is None: continue # Truncate file_root if max_length exceeded. truncation = len(name) - max_length if truncation > 0: file_root = file_root[:-truncation] # Entire file_root was truncated in attempt to find an available filename. if not file_root: raise SuspiciousFileOperation( 'Storage can not find an available filename for "%s". ' "Please make sure that the corresponding file field " 'allows sufficient "max_length".' % name ) name = name if self.file_overwrite else _gen_random_name(file_root) return name class BkJobMixin: @abstractmethod def _handle_file_source_list( self, file_source_list: List[Dict[str, Any]], extra_transfer_file_params: Dict[str, Any] ) -> List[Dict[str, Any]]: """ 预处理源文件列表,添加文件源等信息 :param file_source_list: 源文件 :param extra_transfer_file_params: transfer_files 的其他参数 :return: 源文件对象列表 """ raise NotImplementedError @classmethod def gen_transfer_file_log(cls, file_target_path: str, file_source_list: List[Dict[str, Any]]) -> str: """ 生成文件分发日志 :param file_target_path: 文件分发目标路径 :param file_source_list: 源文件列表 :return: 日志字符串 """ third_part_file_source_ids: List[str] = [ file_source["file_source_id"] for file_source in file_source_list if file_source.get("file_type") == constants.JobFileType.THIRD_PART.value ] # 获取第三方文件源信息,判空避免无效IO if third_part_file_source_ids: third_part_file_source_infos = models.BKJobFileSource.objects.filter( file_source_id__in=third_part_file_source_ids ).values("file_source_id", "alias") file_source_id__info_map = { third_part_file_source_info["file_source_id"]: third_part_file_source_info for third_part_file_source_info in third_part_file_source_infos } else: file_source_id__info_map = {} # 源文件分发日志 files_transfer_log_list: List[str] = [] # 遍历源文件分发列表,一般来说该列表长度为1 for file_source in file_source_list: file_type = file_source.get("file_type", constants.JobFileType.SERVER.value) file_type_alias = constants.JobFileType.get_member_value__alias_map().get(file_type, _("未知文件源")) if file_type == constants.JobFileType.THIRD_PART.value: source_info_str = _("{file_type_alias}-{file_source_alias}").format( file_type_alias=file_type_alias, file_source_alias=file_source_id__info_map[file_source["file_source_id"]]["alias"], ) elif file_type == constants.JobFileType.SERVER.value: server_ip_str_set = { f"{ip_info['bk_cloud_id']}-{ip_info['ip']}" for ip_info in file_source["server"]["ip_list"] } source_info_str = _("{file_type_alias}-{server_ips_str}").format( file_type_alias=file_type_alias, server_ips_str=",".join(server_ip_str_set) ) else: source_info_str = _("未知文件源-{file_type}").format(file_type=file_type) files_transfer_log_list.append( _("从 [{source_info_str}] 下发文件 [{file_list_str}] 到目标机器路径 [{file_target_path}]").format( source_info_str=source_info_str, file_list_str=",".join(file_source.get("file_list")), file_target_path=file_target_path, ) ) return "\n".join(files_transfer_log_list) def process_query_params( self, job_api_func: Callable[[Dict[str, Any]], Dict[str, Any]], query_params: Dict[str, Any] ) -> Dict[str, Any]: """ 预处理请求参数 :param job_api_func: JobApi method :param query_params: 请求参数 :return: 预处理后的参数 """ # 如果后续预处理的job api增多,考虑拆分逻辑 if job_api_func == JobApi.fast_transfer_file: query_params = deepcopy(query_params) query_params["file_source_list"] = self._handle_file_source_list( file_source_list=query_params.get("file_source_list", []), extra_transfer_file_params=query_params ) return query_params def fast_transfer_file( self, bk_biz_id: int, task_name: str, timeout: int, account_alias: str, file_target_path: str, file_source_list: List[Dict[str, Any]], target_server: Dict[str, List[Dict[str, Union[str, int]]]], **kwargs, ) -> str: """ 分发文件 :param bk_biz_id: 业务ID :param task_name: 任务名称 :param timeout: 超时时间 :param account_alias: 目标执行账号别名 :param file_target_path: 文件目标路径 :param file_source_list: 源文件路径列表 :param kwargs: 额外的调用参数 :param target_server: 目标服务器 可选: 1. ip_list - 静态IP列表 bk_cloud_id - 云区域ID ip - IP地址 2. dynamic_group_list - 动态分组ID列表 3. topo_node_list - 动态topo节点列表 id - 动态topo节点ID,对应CMDB API 中的 bk_inst_id node_type - 动态topo节点类型,对应CMDB API 中的 bk_obj_id,比如"module","set" target_server 示例 { "ip_list": [ {"bk_cloud_id": 0, "ip": "127.0.0.1"}, {"bk_cloud_id": 0, "ip": "127.0.0.2"} ] } :return: 作业实例ID """ base_transfer_file_params = deepcopy( { "bk_biz_id": bk_biz_id, "task_name": task_name, "timeout": timeout, "account_alias": account_alias, "file_target_path": file_target_path, "target_server": target_server, **kwargs, } ) # 根据文件源对文件路径列表进行处理,并返回源文件对象数组 file_source_list = self._handle_file_source_list( file_source_list=deepcopy(file_source_list), extra_transfer_file_params=base_transfer_file_params ) try: job_instance_id = JobApi.fast_transfer_file( {"file_source_list": file_source_list, **base_transfer_file_params} )["job_instance_id"] except Exception as err: # 捕获异常并抛出当前层级的异常 raise exceptions.FilesTransferError(_("文件分发错误:err_msg -> {err_msg}").format(err_msg=err)) return job_instance_id class BaseStorage(StorageFileOverwriteMixin, BkJobMixin, Storage, ABC): storage_type: str = None
374
8,124
69
3fb636122c6c24f5d484d3cabf472d868ae882bf
2,562
py
Python
make_alignment_mapper.py
leejz/scripts
ab23af0bac5a5051df83fb9f59f23e7c413fd81a
[ "MIT" ]
1
2021-05-24T06:15:16.000Z
2021-05-24T06:15:16.000Z
make_alignment_mapper.py
leejz/misc-scripts
ab23af0bac5a5051df83fb9f59f23e7c413fd81a
[ "MIT" ]
1
2015-09-08T16:40:49.000Z
2015-09-08T16:40:49.000Z
make_alignment_mapper.py
leejz/misc-scripts
ab23af0bac5a5051df83fb9f59f23e7c413fd81a
[ "MIT" ]
null
null
null
#!/usr/bin/env python """ -------------------------------------------------------------------------------- Created: Jackson Lee 2012 This script reads in the ecoli reference alignment in a particular format and generates a mapping file which assigns a sequential count of each base pair to the current alignment position. Specifically, this script is used to build a mapping file to convert silva alignments into ecoli position counts for comparison of data with an alignment reference to the whole 16S structure. alignment infile format: a single fasta sequence with header removed formatted into the mapping alignment outfile format (infile.mapping): 1 1 2 1 3 1 4 2 5 3 etc -------------------------------------------------------------------------------- usage: make_alignment_mapper.py -a alignment.fasta """ #------------------------------------------------------------------------------- #Header - Linkers, Libs, Constants from string import strip #------------------------------------------------------------------------------- #Body print "Running..." #Header - Linkers, Libs, Constants from string import strip from argparse import ArgumentParser, RawDescriptionHelpFormatter import csv #import pandas as pd #------------------------------------------------------------------------------- #function declarations #------------------------------------------------------------------------------- #Body print "Running..." if __name__ == '__main__': parser = ArgumentParser(usage = "make_aligment_mapper.py -a alignment.fasta", description=__doc__, formatter_class=RawDescriptionHelpFormatter) parser.add_argument("-a", "--fasta_file", action="store", dest="alignmentfilename", help="SILVA output fasta FAI") options = parser.parse_args() mandatories = ["alignmentfilename"] for m in mandatories: if not options.__dict__[m]: print "\nError: Missing Arguments\n" parser.print_help() exit(-1) alignmentfilename= options.alignmentfilename outfilename= alignmentfilename+'.mapping' #open file with open(alignmentfilename,'U') as alignmentfile, open(outfilename,'w') as outfile: line=alignmentfile.readline().strip() columncount=0 ecoli=0 for character in line: columncount+=1 if character in ['A','T','G','C','U']: ecoli+=1 outline=str(columncount)+'\t'+str(ecoli)+'\n' outfile.write(outline) print "Done!"
32.846154
87
0.556987
#!/usr/bin/env python """ -------------------------------------------------------------------------------- Created: Jackson Lee 2012 This script reads in the ecoli reference alignment in a particular format and generates a mapping file which assigns a sequential count of each base pair to the current alignment position. Specifically, this script is used to build a mapping file to convert silva alignments into ecoli position counts for comparison of data with an alignment reference to the whole 16S structure. alignment infile format: a single fasta sequence with header removed formatted into the mapping alignment outfile format (infile.mapping): 1 1 2 1 3 1 4 2 5 3 etc -------------------------------------------------------------------------------- usage: make_alignment_mapper.py -a alignment.fasta """ #------------------------------------------------------------------------------- #Header - Linkers, Libs, Constants from string import strip #------------------------------------------------------------------------------- #Body print "Running..." #Header - Linkers, Libs, Constants from string import strip from argparse import ArgumentParser, RawDescriptionHelpFormatter import csv #import pandas as pd #------------------------------------------------------------------------------- #function declarations #------------------------------------------------------------------------------- #Body print "Running..." if __name__ == '__main__': parser = ArgumentParser(usage = "make_aligment_mapper.py -a alignment.fasta", description=__doc__, formatter_class=RawDescriptionHelpFormatter) parser.add_argument("-a", "--fasta_file", action="store", dest="alignmentfilename", help="SILVA output fasta FAI") options = parser.parse_args() mandatories = ["alignmentfilename"] for m in mandatories: if not options.__dict__[m]: print "\nError: Missing Arguments\n" parser.print_help() exit(-1) alignmentfilename= options.alignmentfilename outfilename= alignmentfilename+'.mapping' #open file with open(alignmentfilename,'U') as alignmentfile, open(outfilename,'w') as outfile: line=alignmentfile.readline().strip() columncount=0 ecoli=0 for character in line: columncount+=1 if character in ['A','T','G','C','U']: ecoli+=1 outline=str(columncount)+'\t'+str(ecoli)+'\n' outfile.write(outline) print "Done!"
0
0
0
08b20c4bcadfbb49f301222e13604c78dd4fc6ca
290
py
Python
jaxns/prior_transforms/__init__.py
fehiepsi/jaxns
9cf9366f11ace564e21f938edf4d090fb5de137d
[ "Apache-2.0" ]
null
null
null
jaxns/prior_transforms/__init__.py
fehiepsi/jaxns
9cf9366f11ace564e21f938edf4d090fb5de137d
[ "Apache-2.0" ]
null
null
null
jaxns/prior_transforms/__init__.py
fehiepsi/jaxns
9cf9366f11ace564e21f938edf4d090fb5de137d
[ "Apache-2.0" ]
null
null
null
from jaxns.prior_transforms.common import * from jaxns.prior_transforms.deterministic import * from jaxns.prior_transforms.identifiable import * from jaxns.prior_transforms.levy import * from jaxns.prior_transforms.mixture import * from jaxns.prior_transforms.prior_chain import PriorChain
41.428571
57
0.858621
from jaxns.prior_transforms.common import * from jaxns.prior_transforms.deterministic import * from jaxns.prior_transforms.identifiable import * from jaxns.prior_transforms.levy import * from jaxns.prior_transforms.mixture import * from jaxns.prior_transforms.prior_chain import PriorChain
0
0
0
551165f70f57801d8c76d23d9c5de24e83f6ba2f
2,004
py
Python
adat/2010/scrape.py
korenmiklos/106
9925a2bda18915eb43d7bdd2b54d4d7aa113bc66
[ "MIT" ]
1
2018-04-07T20:44:45.000Z
2018-04-07T20:44:45.000Z
adat/2010/scrape.py
korenmiklos/106
9925a2bda18915eb43d7bdd2b54d4d7aa113bc66
[ "MIT" ]
null
null
null
adat/2010/scrape.py
korenmiklos/106
9925a2bda18915eb43d7bdd2b54d4d7aa113bc66
[ "MIT" ]
null
null
null
#!/usr/bin/env python # -*- coding: utf-8 -*- import requests import re import csv OEVK_URL = 'http://www.valasztas.hu/dyn/pv10vt/vertaj-static/pv10vt/v11.html' TELEPULES_URL = 'http://www.valasztas.hu/dyn/pv10vt/vertaj-static/pv10vt/maz/{}/oevk/{}/v12.html' SZAVAZOKOR_URL = 'http://www.valasztas.hu/dyn/pv10vt/vertaj-static/pv10vt/maz/{}/taz/{}/v21.html' TELEPULESNEV_RE = re.compile(r'<i>&nbsp;(.*?) szavazókörei&nbsp;</i>') OEVK_RE = re.compile(r'/maz/(?P<megye>\d{2})/oevk/(?P<telepules>\d{2})') TELEPULES_RE = re.compile(r'/maz/(?P<megye>\d{2})/taz/(?P<telepules>\d{3})') SZAVAZOKOR_RE = re.compile(r'/maz/(\d{2})/taz/(\d{3})/v23-so(\d{3}).html') if __name__ == '__main__': datastore = dict( szavazokor=[], telepules=[]) oevk_lista = parse_table(requests.get(OEVK_URL).text, OEVK_RE) for oevk in oevk_lista: oevk_id = 'M{}/E{}'.format(*oevk) print(oevk_id) telepules_lista = parse_table(requests.get(TELEPULES_URL.format(*oevk)).text, TELEPULES_RE) for telepules in telepules_lista: telepules_id = 'M{}/T{}'.format(*telepules) html = requests.get(SZAVAZOKOR_URL.format(*telepules)).text telepules_nev = TELEPULESNEV_RE.search(html).group(1) store_telepules(dict(id2010=telepules_id, nev=telepules_nev), datastore['telepules']) szavazokor_lista = parse_table(html, SZAVAZOKOR_RE) for kor in szavazokor_lista: szavazokor_id = 'M{}/T{}/{}'.format(*kor) datastore['szavazokor'].append(dict( szavazokor=szavazokor_id, telepules=telepules_id, oevk=oevk_id )) for key in datastore.keys(): write_csv(key, datastore[key])
37.811321
116
0.708084
#!/usr/bin/env python # -*- coding: utf-8 -*- import requests import re import csv OEVK_URL = 'http://www.valasztas.hu/dyn/pv10vt/vertaj-static/pv10vt/v11.html' TELEPULES_URL = 'http://www.valasztas.hu/dyn/pv10vt/vertaj-static/pv10vt/maz/{}/oevk/{}/v12.html' SZAVAZOKOR_URL = 'http://www.valasztas.hu/dyn/pv10vt/vertaj-static/pv10vt/maz/{}/taz/{}/v21.html' TELEPULESNEV_RE = re.compile(r'<i>&nbsp;(.*?) szavazókörei&nbsp;</i>') OEVK_RE = re.compile(r'/maz/(?P<megye>\d{2})/oevk/(?P<telepules>\d{2})') TELEPULES_RE = re.compile(r'/maz/(?P<megye>\d{2})/taz/(?P<telepules>\d{3})') SZAVAZOKOR_RE = re.compile(r'/maz/(\d{2})/taz/(\d{3})/v23-so(\d{3}).html') def parse_table(html, regex): return regex.findall(html) def store_telepules(telepules, telepules_lista): if telepules not in telepules_lista: telepules_lista.append(telepules) def write_csv(list_name, datastore): writer = csv.DictWriter(open('{}.csv'.format(list_name), 'w', encoding='utf-8'), fieldnames=datastore[0].keys()) writer.writeheader() for row in datastore: writer.writerow(row) if __name__ == '__main__': datastore = dict( szavazokor=[], telepules=[]) oevk_lista = parse_table(requests.get(OEVK_URL).text, OEVK_RE) for oevk in oevk_lista: oevk_id = 'M{}/E{}'.format(*oevk) print(oevk_id) telepules_lista = parse_table(requests.get(TELEPULES_URL.format(*oevk)).text, TELEPULES_RE) for telepules in telepules_lista: telepules_id = 'M{}/T{}'.format(*telepules) html = requests.get(SZAVAZOKOR_URL.format(*telepules)).text telepules_nev = TELEPULESNEV_RE.search(html).group(1) store_telepules(dict(id2010=telepules_id, nev=telepules_nev), datastore['telepules']) szavazokor_lista = parse_table(html, SZAVAZOKOR_RE) for kor in szavazokor_lista: szavazokor_id = 'M{}/T{}/{}'.format(*kor) datastore['szavazokor'].append(dict( szavazokor=szavazokor_id, telepules=telepules_id, oevk=oevk_id )) for key in datastore.keys(): write_csv(key, datastore[key])
349
0
69
1e7d873b2c2edc1720e0fa2326aef58203fab3fc
6,280
py
Python
tests/types/test_threshold.py
Chuseuiti/cryptoconditions
9cee492d4a792205b29824399224861841a785b0
[ "MIT" ]
null
null
null
tests/types/test_threshold.py
Chuseuiti/cryptoconditions
9cee492d4a792205b29824399224861841a785b0
[ "MIT" ]
null
null
null
tests/types/test_threshold.py
Chuseuiti/cryptoconditions
9cee492d4a792205b29824399224861841a785b0
[ "MIT" ]
null
null
null
from pytest import mark, raises
47.938931
75
0.721019
from pytest import mark, raises class TestThresholdSha256: @mark.parametrize('threshold', (0, 0.1, 'a')) def test_init_with_invalid_threshold(self, threshold): from cryptoconditions.types.threshold import ThresholdSha256 with raises(ValueError) as exc: ThresholdSha256(threshold=threshold) assert exc.value.args == ( 'Threshold must be a integer greater than zero, was: {}'. format(threshold), ) def test_add_subcondition_type_error(self): from cryptoconditions.types.threshold import ThresholdSha256 threshold_obj = ThresholdSha256() with raises(TypeError) as exc: threshold_obj.add_subcondition(123) assert exc.value.args == ( 'Subconditions must be URIs or objects of type Condition',) def test_add_subcondition_as_uri(self, minimal_threshold): from cryptoconditions.types.threshold import ThresholdSha256 from cryptoconditions.fulfillment import Fulfillment threshold_obj = ThresholdSha256( threshold=minimal_threshold.json['threshold']) subfulfillment = Fulfillment.from_json( minimal_threshold.json['subfulfillments'][0]) subcondition_uri = subfulfillment.condition_uri threshold_obj.add_subcondition(subcondition_uri) threshold_obj.serialize_uri == minimal_threshold.fulfillment def test_add_subcondition_as_object(self, minimal_threshold): from cryptoconditions.types.threshold import ThresholdSha256 from cryptoconditions.fulfillment import Fulfillment threshold_obj = ThresholdSha256( threshold=minimal_threshold.json['threshold']) subfulfillment = Fulfillment.from_json( minimal_threshold.json['subfulfillments'][0]) subcondition_object = subfulfillment.condition threshold_obj.add_subcondition(subcondition_object) threshold_obj.serialize_uri == minimal_threshold.fulfillment def test_add_subfulfillment_type_error(self): from cryptoconditions.types.threshold import ThresholdSha256 threshold_obj = ThresholdSha256() with raises(TypeError) as exc: threshold_obj.add_subfulfillment(123) assert exc.value.args == ( 'Subfulfillments must be URIs or objects of type Fulfillment',) def test_add_subfulfillment_as_uri(self, minimal_threshold): from cryptoconditions.types.threshold import ThresholdSha256 from cryptoconditions.fulfillment import Fulfillment threshold_obj = ThresholdSha256( threshold=minimal_threshold.json['threshold']) subfulfillment = Fulfillment.from_json( minimal_threshold.json['subfulfillments'][0]) subfulfillment_uri = subfulfillment.serialize_uri() threshold_obj.add_subfulfillment(subfulfillment_uri) threshold_obj.serialize_uri == minimal_threshold.fulfillment def test_add_subfulfillment_as_object(self, minimal_threshold): from cryptoconditions.types.threshold import ThresholdSha256 from cryptoconditions.fulfillment import Fulfillment threshold_obj = ThresholdSha256( threshold=minimal_threshold.json['threshold']) subfulfillment_object = Fulfillment.from_json( minimal_threshold.json['subfulfillments'][0]) threshold_obj.add_subfulfillment(subfulfillment_object) threshold_obj.serialize_uri == minimal_threshold.fulfillment def test_asn1_dict_payload(self): from cryptoconditions.exceptions import ValidationError from cryptoconditions.types.threshold import ThresholdSha256 threshold_obj = ThresholdSha256(threshold=1) with raises(ValidationError) as exc: threshold_obj.asn1_dict_payload assert exc.value.args == ('Not enough fulfillments',) def test_calculate_worst_case_length(self): from cryptoconditions.types.threshold import ThresholdSha256 cost = ThresholdSha256.calculate_worst_case_length(1, ()) assert cost == float('-inf') def test_calculate_cost_missing_data_error(self): from cryptoconditions.exceptions import MissingDataError from cryptoconditions.types.threshold import ThresholdSha256 threshold_obj = ThresholdSha256(threshold=1) with raises(MissingDataError) as exc: threshold_obj.calculate_cost() assert exc.value.args == ( 'Insufficient number of subconditions to meet the threshold',) def test_validate_threshold_not_met(self): from cryptoconditions.exceptions import ValidationError from cryptoconditions.types.threshold import ThresholdSha256 threshold_obj = ThresholdSha256(threshold=1) with raises(ValidationError) as exc: threshold_obj.validate() assert exc.value.args == ('Threshold not met',) def test_validate_threshold_exceeded(self, basic_threshold): from cryptoconditions.exceptions import ValidationError from cryptoconditions.fulfillment import Fulfillment from cryptoconditions.types.threshold import ThresholdSha256 threshold_obj = ThresholdSha256(threshold=2) for subfulfillment in basic_threshold.json['subfulfillments']: threshold_obj.add_subfulfillment( Fulfillment.from_json(subfulfillment)) with raises(ValidationError) as exc: threshold_obj.validate() assert exc.value.args == ('Fulfillment is not minimal',) def test_parse_json_with_subconditions(self, minimal_threshold): from cryptoconditions.fulfillment import Fulfillment from cryptoconditions.types.threshold import ThresholdSha256 subfulfillment = Fulfillment.from_json( minimal_threshold.json.pop('subfulfillments')[0]) subcondition_object = subfulfillment.condition minimal_threshold.json['subconditions'] = [ subcondition_object.to_json() ] threshold_obj = ThresholdSha256() threshold_obj.parse_json(minimal_threshold.json) assert len(threshold_obj.subconditions) == 1 assert (threshold_obj.subconditions[0]['body'].serialize_uri() == subfulfillment.condition_uri)
5,818
406
23
6170a11e553d643013561b1917d8cbf1a3dc6612
1,679
py
Python
pyjwt_key_fetcher/http_client.py
danmichaelo/pyjwt-key-fetcher
627faafa6c5f36fbab3ccf9fb77fcbb1917d4109
[ "BSD-3-Clause" ]
3
2021-05-24T09:47:47.000Z
2021-06-21T08:07:47.000Z
pyjwt_key_fetcher/http_client.py
danmichaelo/pyjwt-key-fetcher
627faafa6c5f36fbab3ccf9fb77fcbb1917d4109
[ "BSD-3-Clause" ]
1
2021-06-21T07:51:34.000Z
2021-06-21T08:23:31.000Z
pyjwt_key_fetcher/http_client.py
danmichaelo/pyjwt-key-fetcher
627faafa6c5f36fbab3ccf9fb77fcbb1917d4109
[ "BSD-3-Clause" ]
2
2021-06-19T18:41:47.000Z
2021-09-02T16:19:32.000Z
import abc from json import JSONDecodeError from typing import Any, Dict import aiohttp from pyjwt_key_fetcher.errors import JWTHTTPFetchError class HTTPClient(abc.ABC): """ Abstract base class for HTTP Clients used to fetch the openid-configuration and JWKs in JSON format. """ @abc.abstractmethod async def get_json(self, url: str) -> Dict[str, Any]: """ Get and parse JSON data from a URL. :param url: The URL to fetch the data from. :return: The JSON data as a dictionary. :raise JWTHTTPFetchError: If there's a problem fetching the data. """ raise NotImplementedError class DefaultHTTPClient(HTTPClient): """ A default client implemented using aiohttp. """ async def get_json(self, url: str) -> Dict[str, Any]: """ Get and parse JSON data from a URL. :param url: The URL to fetch the data from. :return: The JSON data as a dictionary. :raise JWTHTTPFetchError: If there's a problem fetching or decoding the data. """ if not (url.startswith("https://") or url.startswith("http://")): raise JWTHTTPFetchError("Unsupported protocol in 'iss'") try: async with self.session.get(url) as resp: data = await resp.json() if resp.status != 200: raise JWTHTTPFetchError(f"Failed to fetch or decode {url}") except (aiohttp.ClientError, JSONDecodeError) as e: raise JWTHTTPFetchError(f"Failed to fetch or decode {url}") from e return data
29.982143
85
0.628946
import abc from json import JSONDecodeError from typing import Any, Dict import aiohttp from pyjwt_key_fetcher.errors import JWTHTTPFetchError class HTTPClient(abc.ABC): """ Abstract base class for HTTP Clients used to fetch the openid-configuration and JWKs in JSON format. """ @abc.abstractmethod async def get_json(self, url: str) -> Dict[str, Any]: """ Get and parse JSON data from a URL. :param url: The URL to fetch the data from. :return: The JSON data as a dictionary. :raise JWTHTTPFetchError: If there's a problem fetching the data. """ raise NotImplementedError class DefaultHTTPClient(HTTPClient): """ A default client implemented using aiohttp. """ def __init__(self): self.session = aiohttp.ClientSession() async def get_json(self, url: str) -> Dict[str, Any]: """ Get and parse JSON data from a URL. :param url: The URL to fetch the data from. :return: The JSON data as a dictionary. :raise JWTHTTPFetchError: If there's a problem fetching or decoding the data. """ if not (url.startswith("https://") or url.startswith("http://")): raise JWTHTTPFetchError("Unsupported protocol in 'iss'") try: async with self.session.get(url) as resp: data = await resp.json() if resp.status != 200: raise JWTHTTPFetchError(f"Failed to fetch or decode {url}") except (aiohttp.ClientError, JSONDecodeError) as e: raise JWTHTTPFetchError(f"Failed to fetch or decode {url}") from e return data
45
0
27
f3c22e64e7835364d57dd7dacad8aa4de8cdaf49
458
py
Python
src/lewd_cog.py
jupytergirl/Lewdbot
1044fd08424bd6367e7a8b1a2ed33ed2b9330c1b
[ "MIT" ]
2
2021-08-12T02:03:23.000Z
2021-08-12T02:19:44.000Z
src/lewd_cog.py
jupytergirl/Lewdbot
1044fd08424bd6367e7a8b1a2ed33ed2b9330c1b
[ "MIT" ]
null
null
null
src/lewd_cog.py
jupytergirl/Lewdbot
1044fd08424bd6367e7a8b1a2ed33ed2b9330c1b
[ "MIT" ]
null
null
null
from buttplug.client import ButtplugClient import discord from discord.ext import commands import lewd_manager as lm
25.444444
57
0.676856
from buttplug.client import ButtplugClient import discord from discord.ext import commands import lewd_manager as lm class LewdCog(commands.Cog): def __init__(self, bot): self.bot = bot self.buttplug_client = ButtplugClient("Lewd Bot") @commands.command() async def ping(self, ctx: commands.Context): await ctx.send("pong!") @commands.command() async def test(self, ctx: commands.Context): pass
175
143
23
61b7ad7324ad24b52a4494738a06ea629b0d5dc9
2,052
py
Python
example.py
neural-dialogue-metrics/rouge
0cecc508dfef0415c2611b21ed32629481a0b3f4
[ "MIT" ]
18
2019-03-18T15:35:18.000Z
2022-03-23T04:30:12.000Z
example.py
ibrahim85/rouge
0cecc508dfef0415c2611b21ed32629481a0b3f4
[ "MIT" ]
1
2019-04-15T07:57:45.000Z
2019-04-15T07:57:45.000Z
example.py
ibrahim85/rouge
0cecc508dfef0415c2611b21ed32629481a0b3f4
[ "MIT" ]
6
2019-04-14T21:57:09.000Z
2021-03-06T18:05:02.000Z
#!/usr/bin/env python3 """Examples.""" from rouge import rouge_n_sentence_level from rouge import rouge_l_sentence_level from rouge import rouge_n_summary_level from rouge import rouge_l_summary_level from rouge import rouge_w_sentence_level from rouge import rouge_w_summary_level if __name__ == '__main__': # The use of sentence level rouges. reference_sentence = 'the police killed the gunman'.split() summary_sentence = 'the gunman police killed'.split() print('Sentence level:') score = rouge_n_sentence_level(summary_sentence, reference_sentence, 1) print('ROUGE-1: %f' % score.f1_measure) _, _, rouge_2 = rouge_n_sentence_level(summary_sentence, reference_sentence, 2) print('ROUGE-2: %f' % rouge_2) _, _, rouge_l = rouge_l_sentence_level(summary_sentence, reference_sentence) print('ROUGE-L: %f' % rouge_l) _, _, rouge_w = rouge_w_sentence_level(summary_sentence, reference_sentence) print('ROUGE-W: %f' % rouge_w) # The use of summary level rouges. # Each summary is a list of sentences. reference_sentences = [ 'The gunman was shot dead by the police before more people got hurt'.split(), 'This tragedy causes lives of five , the gunman included'.split(), 'The motivation of the gunman remains unclear'.split(), ] summary_sentences = [ 'Police killed the gunman . no more people got hurt'.split(), 'Five people got killed including the gunman'.split(), 'It is unclear why the gunman killed people'.split(), ] print('Summary level:') _, _, rouge_1 = rouge_n_summary_level(summary_sentences, reference_sentences, 1) print('ROUGE-1: %f' % rouge_1) _, _, rouge_2 = rouge_n_summary_level(summary_sentences, reference_sentences, 2) print('ROUGE-2: %f' % rouge_2) _, _, rouge_l = rouge_l_summary_level(summary_sentences, reference_sentences) print('ROUGE-L: %f' % rouge_l) _, _, rouge_w = rouge_w_summary_level(summary_sentences, reference_sentences) print('ROUGE-W: %f' % rouge_w)
38
85
0.714425
#!/usr/bin/env python3 """Examples.""" from rouge import rouge_n_sentence_level from rouge import rouge_l_sentence_level from rouge import rouge_n_summary_level from rouge import rouge_l_summary_level from rouge import rouge_w_sentence_level from rouge import rouge_w_summary_level if __name__ == '__main__': # The use of sentence level rouges. reference_sentence = 'the police killed the gunman'.split() summary_sentence = 'the gunman police killed'.split() print('Sentence level:') score = rouge_n_sentence_level(summary_sentence, reference_sentence, 1) print('ROUGE-1: %f' % score.f1_measure) _, _, rouge_2 = rouge_n_sentence_level(summary_sentence, reference_sentence, 2) print('ROUGE-2: %f' % rouge_2) _, _, rouge_l = rouge_l_sentence_level(summary_sentence, reference_sentence) print('ROUGE-L: %f' % rouge_l) _, _, rouge_w = rouge_w_sentence_level(summary_sentence, reference_sentence) print('ROUGE-W: %f' % rouge_w) # The use of summary level rouges. # Each summary is a list of sentences. reference_sentences = [ 'The gunman was shot dead by the police before more people got hurt'.split(), 'This tragedy causes lives of five , the gunman included'.split(), 'The motivation of the gunman remains unclear'.split(), ] summary_sentences = [ 'Police killed the gunman . no more people got hurt'.split(), 'Five people got killed including the gunman'.split(), 'It is unclear why the gunman killed people'.split(), ] print('Summary level:') _, _, rouge_1 = rouge_n_summary_level(summary_sentences, reference_sentences, 1) print('ROUGE-1: %f' % rouge_1) _, _, rouge_2 = rouge_n_summary_level(summary_sentences, reference_sentences, 2) print('ROUGE-2: %f' % rouge_2) _, _, rouge_l = rouge_l_summary_level(summary_sentences, reference_sentences) print('ROUGE-L: %f' % rouge_l) _, _, rouge_w = rouge_w_summary_level(summary_sentences, reference_sentences) print('ROUGE-W: %f' % rouge_w)
0
0
0
73c1352f66fe4d329735eed601197bbae418e7bb
8,123
py
Python
scripts/sisc/paper_plot_thread_scaling_7_pt_const_coeff.py
tareqmalas/girih
0c126788937d189147be47115703b752235e585c
[ "BSD-3-Clause" ]
7
2015-07-14T08:29:14.000Z
2021-07-30T14:53:13.000Z
scripts/sisc/paper_plot_thread_scaling_7_pt_const_coeff.py
tareqmalas/girih
0c126788937d189147be47115703b752235e585c
[ "BSD-3-Clause" ]
null
null
null
scripts/sisc/paper_plot_thread_scaling_7_pt_const_coeff.py
tareqmalas/girih
0c126788937d189147be47115703b752235e585c
[ "BSD-3-Clause" ]
3
2016-08-30T01:25:40.000Z
2017-06-22T05:50:05.000Z
#!/usr/bin/env python if __name__ == "__main__": main()
31.854902
231
0.538102
#!/usr/bin/env python def main(): import sys raw_data = load_csv(sys.argv[1]) k_l = set() for k in raw_data: k_l.add(get_stencil_num(k)) k_l = list(k_l) # for ts in ['Naive', 'Dynamic-Intra-Diamond'] for k in k_l: for is_dp in [1]: for t in [0, 1]: plot_lines(raw_data, k, is_dp, t) def get_stencil_num(k): # add the stencil operator if k['Stencil Kernel coefficients'] in 'constant': if int(k['Stencil Kernel semi-bandwidth'])==4: stencil = 0 else: stencil = 1 elif 'no-symmetry' in k['Stencil Kernel coefficients']: stencil = 5 elif 'sym' in k['Stencil Kernel coefficients']: if int(k['Stencil Kernel semi-bandwidth'])==1: stencil = 3 else: stencil = 4 else: stencil = 2 return stencil def plot_lines(raw_data, stencil_kernel, is_dp, t): from operator import itemgetter import matplotlib.pyplot as plt import matplotlib import pylab from pylab import arange,pi,sin,cos,sqrt fig_width = 4.0*0.393701 # inches fig_height = 1.0*fig_width #* 210.0/280.0#433.62/578.16 fig_size = [fig_width,fig_height] params = { 'axes.labelsize': 7, 'axes.linewidth': 0.5, 'lines.linewidth': 0.75, 'text.fontsize': 7, 'legend.fontsize': 5, 'xtick.labelsize': 7, 'ytick.labelsize': 7, 'lines.markersize': 3, 'text.usetex': True, 'figure.figsize': fig_size} pylab.rcParams.update(params) ts_l = set() for k in raw_data: ts_l.add(k['Time stepper orig name']) ts_l = list(ts_l) th = set() for k in raw_data: th.add(int(k['OpenMP Threads'])) th = list(th) tb_l = set() for k in raw_data: tb_l.add(k['Time unroll']) tb_l = list(tb_l) tb_l = map(int,tb_l) tb_l.sort() tgs_l = set() for k in raw_data: tgs_l.add(k['Thread group size']) tgs_l = list(tgs_l) tgs_l = map(int,tgs_l) tgs_l.sort() req_fields = [('Thread group size', int), ('WD main-loop RANK0 MStencil/s MAX', float), ('Time stepper orig name', str), ('OpenMP Threads', int), ('MStencil/s MAX', float), ('Time unroll',int), ('Sustained Memory BW', float)] data = [] for k in raw_data: tup = {} # add the general fileds for f in req_fields: tup[f[0]] = map(f[1], [k[f[0]]] )[0] # add the stencil operator # if k['Stencil Kernel coefficients'] in 'constant': # if int(k['Stencil Kernel semi-bandwidth'])==4: # stencil = 0 # else: # stencil = 1 # elif 'no-symmetry' in k['Stencil Kernel coefficients']: # stencil = 5 # elif 'sym' in k['Stencil Kernel coefficients']: # if int(k['Stencil Kernel semi-bandwidth'])==1: # stencil = 3 # else: # stencil = 4 # else: # stencil = 2 # tup['stencil'] = stencil tup['stencil'] = get_stencil_num(k) # add the precision information if k['Precision'] in 'DP': p = 1 else: p = 0 tup['Precision'] = p data.append(tup) data = sorted(data, key=itemgetter('Time stepper orig name', 'Time unroll', 'Thread group size', 'OpenMP Threads')) # for i in data: print i max_single = 0 # fig, ax1 = plt.subplots() # lns = [] # add power results at points of interest if t == 1: p_spt = '40W_26pJ/LUP' p_1wd = '36W_9pJ/LUP' p_2wd = '30W_8pJ/LUP' p_5wd = '22W_6pJ/LUP' p_10wd = '20W_6pJ/LUP' marker = 'o' x = [] y = [] y_m = [] for k in data: if ( ('Naive' in k['Time stepper orig name']) and (k['stencil']==stencil_kernel) and (k['Precision']==is_dp)): if k['OpenMP Threads'] == 1 and max_single < k['MStencil/s MAX']/10**3: max_single = k['MStencil/s MAX']/10**3 y_m.append(k['Sustained Memory BW']/10**3) x.append(k['OpenMP Threads']) y.append(k['MStencil/s MAX']/10**3) marker = 'o' col = 'g' ts2 = 'Spt.blk.' if(x) and t==0: plt.plot(x, y, color=col, marker=marker, linestyle='-', label=ts2) if(y_m) and t==1: plt.plot(x, y_m, color=col, marker=marker, linestyle='-', label=ts2) # plt.annotate(p_spt, xy=(10, y_m[-1]), xytext=(6.25, 35), # arrowprops=dict(facecolor='black', shrink=0.09, width=0.5, frac=0.2, headwidth=7)) x = [] y = [] y_m = [] perf_str = 'WD main-loop RANK0 MStencil/s MAX' for k in data: if ( ('Diamond' in k['Time stepper orig name']) and (k['Thread group size'] == 10) and (k['stencil']==stencil_kernel) and (k['Precision']==is_dp)): y_m.append(k['Sustained Memory BW']/10**3) x.append(k['OpenMP Threads']) y.append(k[perf_str]/10**3) marker = '*' markersize = 12 col = 'm' ts2 = str(10) + 'WD' if(x) and t==0: plt.plot(x, y, color=col, marker=marker, markersize=markersize,linestyle='', label=ts2) if(y_m) and t==1: plt.plot(x, y_m, color=col, marker=marker, markersize=markersize,linestyle='', label=ts2) # plt.annotate(p_10wd, xy=(10, y_m[-1]), xytext=(7, 2.5), # arrowprops=dict(facecolor='black', shrink=0.09, width=0.5, frac=0.1, headwidth=7)) cols = {0:'y', 1:'k', 2:'b', 4:'c', 5:'r', 8:'m'} markers = {0:'.', 1:'^', 2:'v', 4:'.', 5:'x', 8:'.'} ann_loc = {1:(6.25,0), 2:(6.25,3), 5:(7,-7)} if t==1: p_wd = {1:p_1wd, 2:p_2wd, 5:p_5wd} for tgs in [1,2, 4, 8, 5]: marker = markers[tgs] x = [] y = [] y_m = [] for k in data: if ( ('Diamond' in k['Time stepper orig name']) and (k['Thread group size'] == tgs) and (k['stencil']==stencil_kernel) and (k['Precision']==is_dp) ): if k['OpenMP Threads'] == 1 and max_single < k[perf_str]/10**3: max_single = k[perf_str]/10**3 y_m.append(k['Sustained Memory BW']/10**3) x.append(k['OpenMP Threads']) y.append(k[perf_str]/10**3) col = cols[tgs] ts2 = str(tgs) + 'WD' if(x) and t==0: plt.plot(x, y, color=col, marker=marker, linestyle='-', label=ts2) if(y_m) and t==1: plt.plot(x, y_m, color=col, marker=marker, linestyle='-', label=ts2) # plt.annotate(p_wd[tgs], xy=(10, y_m[-1]), xytext=(ann_loc[tgs][0], y_m[-1]+ann_loc[tgs][1]), # arrowprops=dict(facecolor='black', shrink=0.09, width=0.5, frac=0.1, headwidth=7)) # add limits mem_limit=0 # sus_mem_bw = 36500 #SB sus_mem_bw = 40 #IB if stencil_kernel == 0: mem_limit = sus_mem_bw/16 elif stencil_kernel == 1: mem_limit = sus_mem_bw/12 elif stencil_kernel == 2: mem_limit = sus_mem_bw/20 if is_dp == 1: mem_limit = mem_limit / 2 if t == 0: #plt.plot([1, len(th)], [mem_limit, mem_limit], color='g', linestyle='--', label='Spatial blk. limit') pass # add ideal scaling ideal = [i*max_single for i in th] if t == 0: plt.plot(th, ideal, color='k', linestyle='--', label='Ideal scaling') if t == 0: title = '7_pt_const_all_methods_perf' plt.ylabel('GLUP/s') else: title = '7_pt_const_all_methods_bw' plt.ylabel('GBytes/s') f_name = title plt.xlabel('Threads') if t ==0: plt.legend(loc='best') plt.grid() pylab.savefig(f_name+'.png', bbox_inches="tight", pad_inches=0.04) pylab.savefig(f_name+'.pdf', format='pdf', bbox_inches="tight", pad_inches=0) #plt.show() plt.clf() def load_csv(data_file): from csv import DictReader with open(data_file, 'rb') as output_file: data = DictReader(output_file) data = [k for k in data] return data if __name__ == "__main__": main()
7,948
0
104
a8f155a92d85688ba2dfde64076b6a238ae4f072
4,646
py
Python
mbp99/man-meet-woman.py
wang0618/ascii-art
7ce6f152541716034bf0a22d341a898b17e2865f
[ "MIT" ]
1
2021-08-29T09:52:06.000Z
2021-08-29T09:52:06.000Z
mbp99/man-meet-woman.py
wang0618/ascii-art
7ce6f152541716034bf0a22d341a898b17e2865f
[ "MIT" ]
null
null
null
mbp99/man-meet-woman.py
wang0618/ascii-art
7ce6f152541716034bf0a22d341a898b17e2865f
[ "MIT" ]
null
null
null
# Man meets Woman --mpb99 # https://web.archive.org/web/20000529140001/http://www.geocities.com/Tokyo/Market/4878/animman.htm duration = 350 name = "Man meets Woman" a = "\n" frames = [ " "+a+ " "+a+ " (5)"+a+ " "+a+ " mpb99 "+a, " "+a+ " "+a+ " (4)"+a+ " "+a+ " mpb99 "+a, " "+a+ " "+a+ " (3)"+a+ " "+a+ " mpb99 "+a, " "+a+ " "+a+ " (2)"+a+ " "+a+ " mpb99 "+a, " "+a+ " "+a+ " (1)"+a+ " "+a+ " mpb99 "+a, " "+a+ " "+a+ " "+a+ " "+a+ " mpb99 "+a, " "+a+ " ---------------"+a+ " man meets woman"+a+ " ---------------"+a+ " mpb99 (c) "+a, " "+a+ " ---------------"+a+ " man meets woman"+a+ " ---------------"+a+ " mpb99 (c) "+a, " "+a+ " ---------------"+a+ " man meets woman"+a+ " ---------------"+a+ " mpb99 (c) "+a, " "+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " "+a+ " "+a+ " () "+a+ "/\\/\\ (man)"+a+ " /\\ mpb99"+a, " "+a+ " "+a+ " () "+a+ "/\\/\\ (man)"+a+ " /\\ mpb99"+a, " ."+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " ."+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " o"+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " o"+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " O"+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " ()"+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " ()"+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " O"+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " o"+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " o"+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " ."+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " ."+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " (the sun)"+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " (the sun)"+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " "+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " "+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " "+a+ " "+a+ " () ()"+a+ "/\\/\\ /cc\\"+a+ " /\\ mpb99 /|"+a, " "+a+ " "+a+ " () ()"+a+ "/\\/\\ /cc\\"+a+ " /\\ mpb99 |\\"+a, " "+a+ " "+a+ " () ()"+a+ "/\\/\\ /cc\\"+a+ " /\\ mpb99 /|"+a, " "+a+ " "+a+ " () ()"+a+ "/\\/\\ /cc\\"+a+ " /\\ mpb99 |\\"+a, " "+a+ " "+a+ " () ()"+a+ "/\\/\\ <cc>"+a+ " /\\ mpb99 /\\"+a, " "+a+ " "+a+ " () ()"+a+ "/\\/\\ (woman)<cc>"+a+ " /\\ mpb99 /\\"+a, " "+a+ " "+a+ " () ()"+a+ "/\\/\\ (woman)<cc>"+a+ " /\\ mpb99 /\\"+a, " "+a+ " '' "+a+ "\\()/ ()"+a+ " \\/ <cc>"+a+ " /\\ mpb99 /\\"+a, " "+a+ " "+a+ " () ()"+a+ "/\\/\\ <cc>"+a+ " /\\ mpb99 /\\"+a, " "+a+ " ''"+a+ "\\()/ ()"+a+ " \\/ <cc>"+a+ " /\\ mpb99 /\\"+a, " "+a+ " "+a+ " () ()"+a+ "/\\/\\ <cc>"+a+ " /\\ mpb99 /\\"+a, " "+a+ " "+a+ " () ()"+a+ "/\\/\\ <cc>"+a+ " <\\ mpb99 /\\"+a, " "+a+ " "+a+ "{) ()"+a+ "\\|\\ ~ <cc>"+a+ "<\\. mpb99 /\\"+a, " "+a+ " "+a+ " ~ ()"+a+ "\\ ~ <cc>"+a+ " mpb99 /\\"+a, " "+a+ " "+a+ " ~ ()"+a+ " <cc>"+a+ " mpb99 /\\"+a, " "+a+ " ?"+a+ " ()"+a+ " <cc>"+a+ " mpb99 /\\"+a, " "+a+ " ?"+a+ " ()"+a+ " /cc\\"+a+ " mpb99 /\\"+a, " "+a+ " ?"+a+ " ()"+a+ " /cc\\"+a+ " mpb99 /\\"+a, " "+a+ " ?"+a+ " ()"+a+ " <cc>"+a+ " mpb99 /\\"+a, " "+a+ " "+a+ " ()"+a+ " <cc>"+a+ " mpb99 /\\"+a, " "+a+ " "+a+ " ()"+a+ " <cc>"+a+ " mpb99 /\\"+a, " "+a+ " "+a+ " ()"+a+ " <cc>"+a+ " mpb99 /\\"+a, " "+a+ " "+a+ " ()"+a+ " <cc>"+a+ " mpb99 /\\"+a, " "+a+ " -------"+a+ " THE END"+a+ " -------"+a+ " mpb99 "+a, " "+a+ " -------"+a+ " THE END"+a+ " -------"+a+ " mpb99 "+a, " "+a+ " "+a+ " "+a+ " "+a+ " mpb99 "+a ]
13.951952
99
0.174774
# Man meets Woman --mpb99 # https://web.archive.org/web/20000529140001/http://www.geocities.com/Tokyo/Market/4878/animman.htm duration = 350 name = "Man meets Woman" a = "\n" frames = [ " "+a+ " "+a+ " (5)"+a+ " "+a+ " mpb99 "+a, " "+a+ " "+a+ " (4)"+a+ " "+a+ " mpb99 "+a, " "+a+ " "+a+ " (3)"+a+ " "+a+ " mpb99 "+a, " "+a+ " "+a+ " (2)"+a+ " "+a+ " mpb99 "+a, " "+a+ " "+a+ " (1)"+a+ " "+a+ " mpb99 "+a, " "+a+ " "+a+ " "+a+ " "+a+ " mpb99 "+a, " "+a+ " ---------------"+a+ " man meets woman"+a+ " ---------------"+a+ " mpb99 (c) "+a, " "+a+ " ---------------"+a+ " man meets woman"+a+ " ---------------"+a+ " mpb99 (c) "+a, " "+a+ " ---------------"+a+ " man meets woman"+a+ " ---------------"+a+ " mpb99 (c) "+a, " "+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " "+a+ " "+a+ " () "+a+ "/\\/\\ (man)"+a+ " /\\ mpb99"+a, " "+a+ " "+a+ " () "+a+ "/\\/\\ (man)"+a+ " /\\ mpb99"+a, " ."+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " ."+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " o"+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " o"+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " O"+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " ()"+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " ()"+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " O"+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " o"+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " o"+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " ."+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " ."+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " (the sun)"+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " (the sun)"+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " "+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " "+a+ " "+a+ " () "+a+ "/\\/\\"+a+ " /\\ mpb99"+a, " "+a+ " "+a+ " () ()"+a+ "/\\/\\ /cc\\"+a+ " /\\ mpb99 /|"+a, " "+a+ " "+a+ " () ()"+a+ "/\\/\\ /cc\\"+a+ " /\\ mpb99 |\\"+a, " "+a+ " "+a+ " () ()"+a+ "/\\/\\ /cc\\"+a+ " /\\ mpb99 /|"+a, " "+a+ " "+a+ " () ()"+a+ "/\\/\\ /cc\\"+a+ " /\\ mpb99 |\\"+a, " "+a+ " "+a+ " () ()"+a+ "/\\/\\ <cc>"+a+ " /\\ mpb99 /\\"+a, " "+a+ " "+a+ " () ()"+a+ "/\\/\\ (woman)<cc>"+a+ " /\\ mpb99 /\\"+a, " "+a+ " "+a+ " () ()"+a+ "/\\/\\ (woman)<cc>"+a+ " /\\ mpb99 /\\"+a, " "+a+ " '' "+a+ "\\()/ ()"+a+ " \\/ <cc>"+a+ " /\\ mpb99 /\\"+a, " "+a+ " "+a+ " () ()"+a+ "/\\/\\ <cc>"+a+ " /\\ mpb99 /\\"+a, " "+a+ " ''"+a+ "\\()/ ()"+a+ " \\/ <cc>"+a+ " /\\ mpb99 /\\"+a, " "+a+ " "+a+ " () ()"+a+ "/\\/\\ <cc>"+a+ " /\\ mpb99 /\\"+a, " "+a+ " "+a+ " () ()"+a+ "/\\/\\ <cc>"+a+ " <\\ mpb99 /\\"+a, " "+a+ " "+a+ "{) ()"+a+ "\\|\\ ~ <cc>"+a+ "<\\. mpb99 /\\"+a, " "+a+ " "+a+ " ~ ()"+a+ "\\ ~ <cc>"+a+ " mpb99 /\\"+a, " "+a+ " "+a+ " ~ ()"+a+ " <cc>"+a+ " mpb99 /\\"+a, " "+a+ " ?"+a+ " ()"+a+ " <cc>"+a+ " mpb99 /\\"+a, " "+a+ " ?"+a+ " ()"+a+ " /cc\\"+a+ " mpb99 /\\"+a, " "+a+ " ?"+a+ " ()"+a+ " /cc\\"+a+ " mpb99 /\\"+a, " "+a+ " ?"+a+ " ()"+a+ " <cc>"+a+ " mpb99 /\\"+a, " "+a+ " "+a+ " ()"+a+ " <cc>"+a+ " mpb99 /\\"+a, " "+a+ " "+a+ " ()"+a+ " <cc>"+a+ " mpb99 /\\"+a, " "+a+ " "+a+ " ()"+a+ " <cc>"+a+ " mpb99 /\\"+a, " "+a+ " "+a+ " ()"+a+ " <cc>"+a+ " mpb99 /\\"+a, " "+a+ " -------"+a+ " THE END"+a+ " -------"+a+ " mpb99 "+a, " "+a+ " -------"+a+ " THE END"+a+ " -------"+a+ " mpb99 "+a, " "+a+ " "+a+ " "+a+ " "+a+ " mpb99 "+a ]
0
0
0
b4a7e404253c8083fa334300d6e317a0aa8193a2
2,511
py
Python
examples/component.py
YiuRULE/nats.py
3a78ba4c385e2069daf5ff560aadc30968af1ccd
[ "Apache-2.0" ]
184
2016-02-04T13:51:52.000Z
2019-05-10T02:36:48.000Z
examples/component.py
YiuRULE/nats.py
3a78ba4c385e2069daf5ff560aadc30968af1ccd
[ "Apache-2.0" ]
48
2016-01-31T11:45:05.000Z
2019-05-05T22:00:07.000Z
examples/component.py
YiuRULE/nats.py
3a78ba4c385e2069daf5ff560aadc30968af1ccd
[ "Apache-2.0" ]
35
2016-01-04T23:03:43.000Z
2019-04-05T17:56:30.000Z
import asyncio import time import os import signal import nats if __name__ == '__main__': try: asyncio.run(main()) except: pass
25.363636
91
0.562724
import asyncio import time import os import signal import nats class Component: def __init__(self): self._nc = None self._done = asyncio.Future() async def connect(self, *args, **kwargs): self._nc = await nats.connect(*args, **kwargs) async def run_forever(self): await self._done async def close(self): await self._nc.close() if self._done: self._done.cancel() asyncio.get_running_loop().stop() async def subscribe(self, *args, **kwargs): if 'max_tasks' in kwargs: sem = asyncio.Semaphore(kwargs['max_tasks']) callback = kwargs['cb'] async def release(msg): try: await callback(msg) finally: sem.release() async def cb(msg): await sem.acquire() asyncio.create_task(release(msg)) kwargs['cb'] = cb # Add some concurrency to the handler. del kwargs['max_tasks'] return await self._nc.subscribe(*args, **kwargs) async def publish(self, *args): await self._nc.publish(*args) async def main(): c = Component() await c.connect("nats://localhost:4222") async def handler(msg): # Cause some head of line blocking await asyncio.sleep(0.5) print(time.ctime(), f"Received on 'test': {msg.data.decode()}") async def wildcard_handler(msg): print(time.ctime(), f"Received on '>': {msg.data.decode()}") await c.subscribe("test", cb=handler, max_tasks=5) await c.subscribe(">", cb=wildcard_handler) async def producer(label): i = 0 while True: # print(time.ctime(), f"Published {i}") await c.publish("test", f"{label} :: Hello {i}!".encode()) await asyncio.sleep(0.2) i += 1 tasks = [] t = asyncio.create_task(producer("A")) tasks.append(t) asyncio.create_task(producer("B")) tasks.append(t) asyncio.create_task(producer("C")) tasks.append(t) def signal_handler(): print("Exiting...") for task in tasks: task.cancel() asyncio.create_task(c.close()) for sig in ('SIGINT', 'SIGTERM'): asyncio.get_running_loop().add_signal_handler(getattr(signal, sig), signal_handler) await c.run_forever() if __name__ == '__main__': try: asyncio.run(main()) except: pass
2,155
-5
207
dadda3883a72630c7414a7827f85e4bab08a89e0
11,096
py
Python
gcloud/tests/taskflow3/models/taskflow/test_is_manual_intervention_required.py
DomineCore/bk-sops
1461d7d80d979778cf9dafb62819c3234387fabc
[ "Apache-2.0" ]
881
2019-03-25T02:45:42.000Z
2022-03-30T09:10:49.000Z
gcloud/tests/taskflow3/models/taskflow/test_is_manual_intervention_required.py
DomineCore/bk-sops
1461d7d80d979778cf9dafb62819c3234387fabc
[ "Apache-2.0" ]
3,303
2019-03-25T04:18:03.000Z
2022-03-31T11:52:03.000Z
gcloud/tests/taskflow3/models/taskflow/test_is_manual_intervention_required.py
DomineCore/bk-sops
1461d7d80d979778cf9dafb62819c3234387fabc
[ "Apache-2.0" ]
395
2019-03-25T02:53:36.000Z
2022-03-31T08:37:28.000Z
# -*- coding: utf-8 -*- """ Tencent is pleased to support the open source community by making 蓝鲸智云PaaS平台社区版 (BlueKing PaaS Community Edition) available. Copyright (C) 2017-2021 THL A29 Limited, a Tencent company. All rights reserved. Licensed under the MIT License (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://opensource.org/licenses/MIT 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 django.test import TestCase from pipeline.engine import states from gcloud.taskflow3.models import TaskFlowInstance from gcloud.tests.mock import * # noqa from gcloud.tests.mock_settings import * # noqa
40.794118
120
0.523342
# -*- coding: utf-8 -*- """ Tencent is pleased to support the open source community by making 蓝鲸智云PaaS平台社区版 (BlueKing PaaS Community Edition) available. Copyright (C) 2017-2021 THL A29 Limited, a Tencent company. All rights reserved. Licensed under the MIT License (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://opensource.org/licenses/MIT 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 django.test import TestCase from pipeline.engine import states from gcloud.taskflow3.models import TaskFlowInstance from gcloud.tests.mock import * # noqa from gcloud.tests.mock_settings import * # noqa class IsManualInterventionRequiredTestCase(TestCase): @classmethod def setUpClass(cls): cls.pipeline_instance_descriptor = TaskFlowInstance.pipeline_instance TaskFlowInstance.pipeline_instance = None @classmethod def tearDownClass(cls): TaskFlowInstance.pipeline_instance = cls.pipeline_instance_descriptor def _new_taskflow(self): taskflow = TaskFlowInstance() setattr(taskflow, "pipeline_instance", MagicMock()) return taskflow def test_get_task_status_return_false(self): taskflow = self._new_taskflow() dispatcher = MagicMock() dispatcher.get_task_status = MagicMock(return_value={"result": False, "message": "fail"}) with patch(TASKFLOW_MODEL_TASK_COMMAND_DISPATCHER, MagicMock(return_value=dispatcher)): try: taskflow.is_manual_intervention_required except ValueError: pass def test_root_state_in_exempts_states(self): for state in [states.CREATED, states.FINISHED, states.REVOKED]: taskflow = self._new_taskflow() dispatcher = MagicMock() dispatcher.get_task_status = MagicMock(return_value={"result": True, "data": {"state": state}}) with patch(TASKFLOW_MODEL_TASK_COMMAND_DISPATCHER, MagicMock(return_value=dispatcher)): self.assertFalse(taskflow.is_manual_intervention_required) def test_task_is_not_started(self): taskflow = self._new_taskflow() taskflow.pipeline_instance.is_started = False self.assertFalse(taskflow.is_manual_intervention_required) def test_1_layer_nodes_has_intervention_states(self): taskflow = self._new_taskflow() state = { "id": "0", "state": states.BLOCKED, "children": { "1": {"id": "1", "state": states.RUNNING, "children": {}}, "2": {"id": "2", "state": states.FAILED, "children": {}}, }, } dispatcher = MagicMock() dispatcher.get_task_status = MagicMock(return_value={"result": True, "data": state}) with patch(TASKFLOW_MODEL_TASK_COMMAND_DISPATCHER, MagicMock(return_value=dispatcher)): self.assertTrue(taskflow.is_manual_intervention_required) def test_2_layer_nodes_has_intervention_states(self): taskflow = self._new_taskflow() state = { "id": "0", "state": states.BLOCKED, "children": { "1": {"id": "1", "state": states.RUNNING, "children": {}}, "2": { "id": "2", "state": states.RUNNING, "children": {"3": {"id": "3", "state": states.SUSPENDED, "children": {}}}, }, }, } dispatcher = MagicMock() dispatcher.get_task_status = MagicMock(return_value={"result": True, "data": state}) with patch(TASKFLOW_MODEL_TASK_COMMAND_DISPATCHER, MagicMock(return_value=dispatcher)): self.assertTrue(taskflow.is_manual_intervention_required) def test_3_layer_nodes_without_intervention_states(self): taskflow = self._new_taskflow() state = { "id": "0", "state": states.BLOCKED, "children": { "1": {"id": "1", "state": states.RUNNING, "children": {}}, "2": { "id": "2", "state": states.RUNNING, "children": { "3": { "id": "3", "state": states.RUNNING, "children": {"4": {"id": "4", "state": states.RUNNING, "children": {}}}, } }, }, }, } dispatcher = MagicMock() dispatcher.get_task_status = MagicMock(return_value={"result": True, "data": state}) with patch(TASKFLOW_MODEL_TASK_COMMAND_DISPATCHER, MagicMock(return_value=dispatcher)): self.assertFalse(taskflow.is_manual_intervention_required) def test_4_layer_nodes_has_intervention_states(self): taskflow = self._new_taskflow() state = { "id": "0", "state": states.BLOCKED, "children": { "1": {"id": "1", "state": states.RUNNING, "children": {}}, "2": { "id": "2", "state": states.RUNNING, "children": { "3": { "id": "3", "state": states.SUSPENDED, "children": {"4": {"id": "4", "state": states.RUNNING, "children": {}}}, } }, }, }, } dispatcher = MagicMock() dispatcher.get_task_status = MagicMock(return_value={"result": True, "data": state}) with patch(TASKFLOW_MODEL_TASK_COMMAND_DISPATCHER, MagicMock(return_value=dispatcher)): self.assertTrue(taskflow.is_manual_intervention_required) def test_without_running_nodes(self): taskflow = self._new_taskflow() state = { "id": "0", "state": states.REVOKED, "children": { "1": {"id": "1", "state": states.FINISHED, "children": {}}, "2": { "id": "2", "state": states.FINISHED, "children": { "3": { "id": "3", "state": states.FINISHED, "children": {"4": {"id": "4", "state": states.FINISHED, "children": {}}}, } }, }, }, } dispatcher = MagicMock() dispatcher.get_task_status = MagicMock(return_value={"result": True, "data": state}) with patch(TASKFLOW_MODEL_TASK_COMMAND_DISPATCHER, MagicMock(return_value=dispatcher)): self.assertFalse(taskflow.is_manual_intervention_required) def test_without_running_intervention_required_nodes(self): taskflow = self._new_taskflow() taskflow.pipeline_tree taskflow.pipeline_instance.execution_data = { "activities": { "1": {"id": "1", "type": "ServiceActivity", "component": {"code": "sleep_timer"}}, "2": {"id": "2", "type": "ServiceActivity", "component": {"code": "another_node"}}, } } state = { "id": "0", "state": states.RUNNING, "children": { "1": {"id": "1", "state": states.RUNNING, "children": {}}, "2": {"id": "2", "state": states.RUNNING, "children": {}}, }, } dispatcher = MagicMock() dispatcher.get_task_status = MagicMock(return_value={"result": True, "data": state}) with patch(TASKFLOW_MODEL_TASK_COMMAND_DISPATCHER, MagicMock(return_value=dispatcher)): self.assertFalse(taskflow.is_manual_intervention_required) def test_has_running_intervention_required_nodes(self): taskflow = self._new_taskflow() taskflow.pipeline_tree taskflow.pipeline_instance.execution_data = { "activities": { "1": {"id": "1", "type": "ServiceActivity", "component": {"code": "sleep_timer"}}, "2": {"id": "2", "type": "ServiceActivity", "component": {"code": "pause_node"}}, } } state = { "id": "0", "state": states.RUNNING, "children": { "1": {"id": "1", "state": states.RUNNING, "children": {}}, "2": {"id": "2", "state": states.RUNNING, "children": {}}, }, } dispatcher = MagicMock() dispatcher.get_task_status = MagicMock(return_value={"result": True, "data": state}) with patch(TASKFLOW_MODEL_TASK_COMMAND_DISPATCHER, MagicMock(return_value=dispatcher)): self.assertTrue(taskflow.is_manual_intervention_required) def test_has_deep_running_intervention_required_nodes(self): taskflow = self._new_taskflow() taskflow.pipeline_tree taskflow.pipeline_instance.execution_data = { "activities": { "1": {"id": "1", "type": "ServiceActivity", "component": {"code": "sleep_timer"}}, "2": { "id": "2", "type": "SubProcess", "pipeline": { "activities": { "3": { "id": "3", "type": "SubProcess", "pipeline": { "activities": { "4": {"id": "4", "type": "ServiceActivity", "component": {"code": "pause_node"}} } }, } } }, }, } } state = { "id": "0", "state": states.RUNNING, "children": { "1": {"id": "1", "state": states.RUNNING, "children": {}}, "2": { "id": "2", "state": states.RUNNING, "children": { "3": { "id": "3", "state": states.RUNNING, "children": {"4": {"id": "4", "state": states.RUNNING, "children": {}}}, } }, }, }, } dispatcher = MagicMock() dispatcher.get_task_status = MagicMock(return_value={"result": True, "data": state}) with patch(TASKFLOW_MODEL_TASK_COMMAND_DISPATCHER, MagicMock(return_value=dispatcher)): self.assertTrue(taskflow.is_manual_intervention_required)
9,683
443
23
b18bc123d4ddc09fe79be6fe8745b752b8c62111
341
py
Python
example1/data/analyse.py
eocarragain/bagit-ro
f5fca3abad60c86b3c4f95948b5d64c3bc8e51c6
[ "BSD-2-Clause" ]
18
2016-03-01T14:57:37.000Z
2020-06-07T08:01:57.000Z
example1/data/analyse.py
eocarragain/bagit-ro
f5fca3abad60c86b3c4f95948b5d64c3bc8e51c6
[ "BSD-2-Clause" ]
2
2016-04-22T09:45:24.000Z
2017-04-21T08:43:55.000Z
example1/data/analyse.py
ResearchObject/bagit-ro-ex1
7f6daf3eaa3350e6b448ef051654ace56b962432
[ "BSD-2-Clause" ]
7
2016-05-09T23:00:12.000Z
2020-06-07T08:01:59.000Z
#!/usr/bin/env python import csv,sys numbers = csv.reader(open(sys.argv[1])) drinkers = [] for row in numbers: if row[0] == "Name": continue # header row.. right? name = row[0] cups = sum(map(int, row[1:])) drinkers.append([cups, name]) drinkers.sort() drinkers.reverse() for (cups, name) in drinkers: print cups, name
21.3125
55
0.639296
#!/usr/bin/env python import csv,sys numbers = csv.reader(open(sys.argv[1])) drinkers = [] for row in numbers: if row[0] == "Name": continue # header row.. right? name = row[0] cups = sum(map(int, row[1:])) drinkers.append([cups, name]) drinkers.sort() drinkers.reverse() for (cups, name) in drinkers: print cups, name
0
0
0
430cc71029ad99febeeaf34c105278f118d09773
4,596
py
Python
tests/test_feature_extractor.py
sassy/budoux
e2a3698b529b1d748d0c4268b7628fb6210c42fc
[ "Apache-2.0" ]
null
null
null
tests/test_feature_extractor.py
sassy/budoux
e2a3698b529b1d748d0c4268b7628fb6210c42fc
[ "Apache-2.0" ]
null
null
null
tests/test_feature_extractor.py
sassy/budoux
e2a3698b529b1d748d0c4268b7628fb6210c42fc
[ "Apache-2.0" ]
null
null
null
# Copyright 2021 Google LLC # # 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 # # https://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. """Tests methods for the feature extractor.""" import unittest import os from pathlib import Path from context import feature_extractor, utils SOURCE_FILE_PATH = os.path.abspath( os.path.join(os.path.dirname(__file__), 'source_test.txt')) ENTRIES_FILE_PATH = os.path.abspath( os.path.join(os.path.dirname(__file__), 'entries_test.txt')) if __name__ == '__main__': unittest.main()
29.461538
79
0.6151
# Copyright 2021 Google LLC # # 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 # # https://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. """Tests methods for the feature extractor.""" import unittest import os from pathlib import Path from context import feature_extractor, utils SOURCE_FILE_PATH = os.path.abspath( os.path.join(os.path.dirname(__file__), 'source_test.txt')) ENTRIES_FILE_PATH = os.path.abspath( os.path.join(os.path.dirname(__file__), 'entries_test.txt')) class TestFeatureExtractor(unittest.TestCase): def setUp(self): Path(ENTRIES_FILE_PATH).touch() self.test_entry = f'これは{utils.SEP}美しい{utils.SEP}ペンです。' with open(SOURCE_FILE_PATH, 'w') as f: f.write(self.test_entry) def test_unicode_block_index(self): def check(character, block): self.assertEqual(feature_extractor.unicode_block_index(character), block) check('a', 1) # 'a' falls the 1st block 'Basic Latin'. check('あ', 108) # 'あ' falls the 108th block 'Hiragana'. check('安', 120) # '安' falls the 120th block 'Kanji'. def test_get_feature(self): feature = feature_extractor.get_feature( 'a', 'b', 'c', 'd', 'e', 'f', 'x', 'y' ,'z') self.assertSetEqual(set(feature), { # Unigram of Words (UW) 'UW1:a', 'UW2:b', 'UW3:c', 'UW4:d', 'UW5:e', 'UW6:f', # Unigram of Previous Results (UP) 'UP1:x', 'UP2:y', 'UP3:z', # Unigram of Unicode Blocks (UB) 'UB1:001', 'UB2:001', 'UB3:001', 'UB4:001', 'UB5:001', 'UB6:001', # Combination of UW and UP 'UQ1:x001', 'UQ2:y001', 'UQ3:z001', # Bigram of Words (BW), Previous Results (BP), Unicode Blocks (BB), and # its combination (BQ) 'BW1:bc', 'BW2:cd', 'BW3:de', 'BP1:xy', 'BP2:yz', 'BB1:001001', 'BB2:001001', 'BB3:001001', 'BQ1:y001001', 'BQ2:y001001', 'BQ3:z001001', 'BQ4:z001001', # Trigram of Words (BW), Previous Results (BP), Unicode Blocks (BB), and # its combination (BQ) 'TW1:abc', 'TW2:bcd', 'TW3:cde', 'TW4:def', 'TB1:001001001', 'TB2:001001001', 'TB3:001001001', 'TB4:001001001', 'TQ1:y001001001', 'TQ2:y001001001', 'TQ3:z001001001', 'TQ4:z001001001', }, 'Features should be extracted.') feature = feature_extractor.get_feature( '', 'a', 'a', 'a', 'a', 'a', 'a', 'a', 'a') self.assertIn('UW1:', feature, 'The word feature should be blank for a blank string.') self.assertIn('UB1:999', feature, 'The Unicode block feature should be 999 for a blank string.') feature = feature_extractor.get_feature( 'a', 'a', 'a', '', '', '', 'b', 'b', 'b') self.assertNotIn('UW4:', feature, 'UW features that implicate the end of line should not be included.') self.assertNotIn('UB4:999', feature, 'UB features that implicate the end of line should not be included.') self.assertNotIn('BB3:999999', feature, 'BB features that implicate the end of line should not be included.') def test_process(self): feature_extractor.process(SOURCE_FILE_PATH, ENTRIES_FILE_PATH) with open(ENTRIES_FILE_PATH) as f: entries = f.read().splitlines() test_sentence = ''.join(self.test_entry.split(utils.SEP)) self.assertEqual(len(entries), len(test_sentence) - 2, 'The first two characters\' ends should not be examined.') print(entries) labels = [int(entry.split('\t')[0]) for entry in entries] self.assertListEqual(labels, [ 1, # は -1, # 美 -1, # し 1, # い -1, # ペ -1, # ン -1, # で -1, # す 1 # 。 ], 'The first column of entries should be labels.') features = [set(entry.split('\t')[1:]) for entry in entries] self.assertIn('UW3:美', features[1]) self.assertIn('UW3:し', features[2]) self.assertIn('UW3:い', features[3]) self.assertIn('UW3:。', features[-1]) def tearDown(self): os.remove(SOURCE_FILE_PATH) os.remove(ENTRIES_FILE_PATH) if __name__ == '__main__': unittest.main()
3,513
25
148
39160b61fde98578e8fd5227bd652487216405b5
89,488
py
Python
CGATReport/Plugins/Plotter.py
AndreasHeger/CGATReport
681e198cd13ef533f1c496645a1754b2e0829232
[ "MIT" ]
9
2015-02-14T16:53:58.000Z
2022-01-03T20:22:42.000Z
CGATReport/Plugins/Plotter.py
AndreasHeger/CGATReport
681e198cd13ef533f1c496645a1754b2e0829232
[ "MIT" ]
26
2015-01-29T15:39:02.000Z
2018-02-14T09:04:21.000Z
CGATReport/Plugins/Plotter.py
AndreasHeger/CGATReport
681e198cd13ef533f1c496645a1754b2e0829232
[ "MIT" ]
4
2015-11-25T17:11:11.000Z
2022-01-03T20:22:45.000Z
"""Mixin classes for Renderers that plot. """ from __future__ import unicode_literals import os import re import math import itertools import datetime import pandas from CGATReport.ResultBlock import ResultBlock, ResultBlocks from CGATReport.Plugins.Renderer import Renderer, NumpyMatrix, TableMatrix from CGATReport.DataTree import path2str, str2path, path2key from CGATReport import DataTree, Stats, Utils from collections import OrderedDict as odict from docutils.parsers.rst import directives import numpy import matplotlib # matplotlib.use('Agg', warn=False) # This does not work: # Matplotlib might be imported beforehand? plt.switch_backend did not # change the backend. The only option I found was to change my own # matplotlibrc. import matplotlib.colors import matplotlib.pyplot as plt # For Rstyle plotting, previously used the snippets from: # see http://messymind.net/2012/07/making-matplotlib-look-like-ggplot/ # now using seaborn try: import seaborn HAS_SEABORN = True except ImportError: HAS_SEABORN = False # Python 3 Compatibility try: import matplotlib_venn except ImportError: matplotlib_venn = None def parseRanges(r): '''given a string in the format "x,y", return a tuple of values (x,y). missing values are set to None. ''' if not r: return r r = [x.strip() for x in r.split(",")] if r[0] == "": r[0] = None else: r[0] = float(r[0]) if r[1] == "": r[1] = None else: r[1] = float(r[1]) return r class Plotter(object): """Base class for Renderers that do simple 2D plotting. This mixin class provides convenience function for :class:`Renderer.Renderer` classes that do 2D plotting. The base class takes care of counting the plots created, provided that the methods:meth:`startPlot` and:meth:`endPlot` are called appropriately. It then inserts the appropriate place holders. This class adds the following options to the:term:`report` directive: :term:`logscale`: apply logscales one or more axes. :term:`xtitle`: add a label to the X axis :term:`ytitle`: add a label to the Y axis :term:`title`: title of the plot :term:`add-title`: add title to each plot :term:`legend-location`: specify the location of the legend :term:`xrange`: restrict plot a part of the x-axis :term:`yrange`: restrict plot a part of the y-axis :term:`function`: add a function to the plot. Multiple functions can be supplied as a comma-separated list. If functions are separated by a |, then they will be plotted on each separately in order, recycling if necessary :term:`vline`: add one or more vertical lines to the plot. :term:`xformat`: label for X axis :term:`yformat`: label for Y axis :term:`no-tight`: do not attempt a tight layout (see ``matplotlib.pyplot.tight_layout()``) With some plots default layout options will result in plots that are misaligned (legends truncated, etc.). To fix this it might be necessary to increase plot size, reduce font size, or others. The following options will be passed on the matplotlib to permit this control. :term:`mpl-figure`: options for matplotlib ``figure`` calls(). :term:`mpl-legend`: options for matplotlib ``legend`` calls(). :term:`mpl-subplot`: options for matplotlib ``subplots_adjust`` calls(). :term:`mpl-rc`: general environment settings for matplotlib. See the matplotlib documentation. Multiple options can be separated by ;, for example ``:mpl-rc: figure.figsize=(20,10);legend.fontsize=4`` :term:`xticks-max-chars`: if the number of characters on the tick-labels on the X-axis exceed this value, the labels will be replaced by shorter version. See :term:`xticks-action`. If set to 0, no truncation will be performed. :term:`xticks-action`: action to perform it tick-labels are to long. Valid values are ``truncate-start`` and ``truncate-end`` to truncate from the start or end of the label, respectively; ``numbers`` to replace the values with numbers. """ mLegendFontSize = 8 # number of chars to use to reduce legend font size mMaxLegendSize = 100 # maximum number of rows per column. If there are more, # the legend is split into multiple columns mLegendMaxRowsPerColumn = 30 options = ( ('logscale', directives.unchanged), ('title', directives.unchanged), ('add-title', directives.flag), ('xtitle', directives.unchanged), ('ytitle', directives.unchanged), ('xrange', directives.unchanged), ('yrange', directives.unchanged), ('zrange', directives.unchanged), ('function', directives.unchanged), ('vline', directives.unchanged), ('mpl-figure', directives.unchanged), ('mpl-legend', directives.unchanged), ('mpl-subplot', directives.unchanged), ('mpl-rc', directives.unchanged), ('legend-location', directives.unchanged), ('xformat', directives.unchanged), ('yformat', directives.unchanged), ('no-tight', directives.flag), # currently ignored ('tight', directives.flag), ('xticks-action', directives.unchanged), ('xticks-max-chars', directives.length_or_unitless), ('xticks-rotation', directives.length_or_unitless), ) if HAS_SEABORN: format_colors = seaborn.color_palette() # "bgrcmk" else: format_colors = "bgrcmk" format_markers = "so^>dph8+x" format_lines = ('-', ':', '--') mPatterns = [None, '/', '\\', '|', '-', '+', 'x', 'o', 'O', '.', '*'] # maximum number of characters in X ticks # If 0, do not perform any action xticks_max_length = 10 # xticks rotation xticks_rotation = 0 # action to perform when X ticks are longer than maximum. # Options are "truncate-start", "truncate-end", "number" xticks_action = "truncate-start" def __init__(self, *args, **kwargs): """parse option arguments.""" self.mFigure = 0 self.logscale = kwargs.get("logscale", None) self.title = kwargs.get("title", None) self.add_title = "add-title" in kwargs self.xlabel = kwargs.get("xtitle", None) self.ylabel = kwargs.get("ytitle", None) self.functions = kwargs.get("function", None) self.vline = kwargs.get("vline", None) self.tight_layout = 'tight' in kwargs if self.functions: if "," in self.functions and "|" in self.functions: raise ValueError( "functions need to be separated by , or |, not both") self.all_functions_per_plot = True if "," in self.functions: self.functions = self.functions.split(",") elif "|" in self.functions: self.all_functions_per_plot = False self.functions = self.functions.split("|") else: self.functions = [self.functions] # substitute '-' in CGATReport-speak for ' ' in matplotlib speak self.legend_location = re.sub( "-", " ", kwargs.get("legend-location", "upper right")) # ("outer-top")) self.xrange = parseRanges(kwargs.get("xrange", None)) self.yrange = parseRanges(kwargs.get("yrange", None)) self.zrange = parseRanges(kwargs.get("zrange", None)) self.xformat = kwargs.get("xformat", None) self.yformat = kwargs.get("yformat", None) self.xticks_max_length = int(kwargs.get('xticks-max-chars', self.xticks_max_length)) self.xticks_action = kwargs.get('xticks-action', 'number') self.xticks_rotation = kwargs.get('xticks-rotation', 0) if self.xticks_action not in ('number', 'truncate-start', 'truncate-end'): raise ValueError( "unknown option for xticks-action: '%s'" % self.xticks_action) self.mMPLFigureOptions = setupMPLOption("mpl-figure") self.mMPLLegendOptions = setupMPLOption("mpl-legend") self.mMPLSubplotOptions = setupMPLOption("mpl-subplot") self.mMPLRC = setupMPLOption("mpl-rc") def startPlot(self, **kwargs): """prepare everything for a plot. returns the current figure. """ # setting rc parameters disabled in order not interfere with seaborn # aesthetics # go to defaults # matplotlib.rcdefaults() # set parameters # if self.mMPLRC: # self.debug("extra plot options: %s" % str(self.mMPLRC)) # matplotlib.rcParams.update(self.mMPLRC) self.mCurrentFigure = plt.figure(**self.mMPLFigureOptions) if self.title: plt.title(self.title) return self.mCurrentFigure def wrapText(self, text, cliplen=20, separators=":_"): """wrap around text using the mathtext. Currently this subroutine uses the \frac directive, so it is not pretty. returns the wrapped text. """ # split txt into two equal parts trying # a list of separators newtext = [] for txt in text: t = len(txt) if t > cliplen: for s in separators: parts = txt.split(s) if len(parts) < 2: continue c = 0 tt = t // 2 # collect first part such that length is # more than half for x, p in enumerate(parts): if c > tt: break c += len(p) # accept if a good split (better than 2/3) if float(c) / t < 0.66: newtext.append(r"$\mathrm{\frac{ %s }{ %s }}$" % (s.join(parts[:x]), s.join(parts[x:]))) break else: newtext.append(txt) return newtext def endPlot(self, plts, legends, path): """close plots. This method performs common post-processing options on matplotlib rendered plots: * rescaling the axes * legend placement and formatting * adding a function to the plot returns blocks of restructured text with place holders for the figure. """ if not plts: return ResultBlocks() figure_key = path2key(path) # convert to log-scale ax = plt.gca() # set logscale before the xlim, as it re-scales the plot. if self.logscale: xlim = ax.get_xlim() ylim = ax.get_ylim() if "x" in self.logscale: try: ax.set_xscale('log') # rescale: log plots does not autoscale well if # negative values scale manually - needs to be # overridden by the user if small values are to be # expected if xlim[0] < 0: ax.set_xlim((0.01, None)) except OverflowError: ax.set_xscale('linear') if "y" in self.logscale: try: ax.set_yscale('log') # rescale: log plots does not autoscale well if # negative values scale manually - needs to be # overridden by the user if small values are to be # expected if ylim[0] < 0: ax.set_ylim((0.01, None)) except OverflowError: ax.set_yscale('linear') ax.relim() # truncate plot if self.xrange: plt.xlim(self.xrange) if self.yrange: plt.ylim(self.yrange) # add additional plot elements if self.functions: xstart, xend = ax.get_xlim() increment = (xend - xstart) / 100.0 if self.all_functions_per_plot: for function in self.functions: f = eval("lambda x: %s" % function) xvals = numpy.arange(xstart, xend, increment) yvals = [f(x) for x in xvals] plt.plot(xvals, yvals) else: function = self.functions[ self.get_figure_id() % len(self.functions)] f = eval("lambda x: %s" % function) xvals = numpy.arange(xstart, xend, increment) yvals = [f(x) for x in xvals] plt.plot(xvals, yvals) if self.vline: ystart, yend = ax.get_ylim() lines = [] for l in self.vline.split(","): l = l.strip() if l == "today": l = datetime.datetime.now().toordinal() else: l = int(l) lines.append(l) ax.vlines(lines, ystart, yend) # add labels and titles if self.add_title: plt.suptitle(DataTree.path2str(path)) if self.xlabel: plt.xlabel(self.xlabel) if self.ylabel: plt.ylabel(self.ylabel) # change x/y labels # change x/y axis formatter if self.xformat: if self.xformat.startswith('date'): xlim = ax.get_xlim() if xlim[0] < 1: raise ValueError( "date value out of range - needs to larger than 1") ax.xaxis_date() loc = matplotlib.dates.AutoDateLocator() ax.xaxis.set_major_locator(loc) fmt = self.xformat[5:].strip() if not fmt: fmt = '%Y-%m-%d' ax.xaxis.set_major_formatter( matplotlib.dates.AutoDateFormatter(loc, defaultfmt=fmt)) if self.yformat: if self.yformat.startswith('date'): ylim = ax.get_ylim() if ylim[0] < 1: raise ValueError( "date value out of range - needs to larger than 1") ax.yaxis_date() loc = matplotlib.dates.AutoDateLocator() ax.yaxis.set_major_locator(loc) fmt = self.yformat[5:].strip() if not fmt: fmt = '%Y-%m-%d' ax.yaxis.set_major_formatter( matplotlib.dates.AutoDateFormatter(loc, defaultfmt=fmt)) # If longest label on X-axis is larger than # threshold, either truncate, summarize or # map. # modifying labels in place did not work as # set_xticklabels expects strings, not Text attributes, # so work with text directly: preamble, postamble = "", "" xlabels = [x.get_text() for x in ax.get_xticklabels()] if xlabels and self.xticks_max_length > 0: max_len = max([len(x) for x in xlabels]) if max_len > self.xticks_max_length: if self.xticks_action.startswith("truncate"): if self.xticks_action == "truncate-end": f = lambda x, txt: txt[:self.xticks_max_length] elif self.xticks_action == "truncate-start": f = lambda x, txt: txt[-self.xticks_max_length:] new_labels = [f(x, y) for x, y in enumerate(xlabels)] elif self.xticks_action == "number": # Use chars starting at 'A' for labels nchars = int(math.ceil(len(xlabels) / 26.0)) new_labels = ["".join(x) for x in itertools.product( "ABCDEFGHIJKLMNOPQRSTUVWXYZ", repeat=nchars)] new_labels = new_labels[:len(xlabels)] else: raise ValueError( "unkown xtick-action: {}".format(self.xticks_action)) postamble = "\n" + "\n".join( ["* %s: %s" % (x, y) for x, y in zip(new_labels, xlabels)]) ax.set_xticklabels(new_labels) if self.xticks_rotation: for tick in ax.get_xticklabels(): tick.set_rotation(self.xticks_rotation) blocks = ResultBlocks( ResultBlock( text="#$mpl {}.{}$#\n".format(figure_key, self.get_figure_id()), title=DataTree.path2str(path), preamble=preamble, postamble=postamble)) legend = None maxlen = 0 # In matplotlib version < 1.1, the output of plotting was # a single element. In later versions, the output is a tuple # so take first element. if type(plts[0]) in (tuple, list): plts = [x[0] for x in plts] # convert to string if legends: legends = normalize_legends(legends) if self.legend_location != "none" and plts and legends: maxlen = max([len(x) for x in legends]) # legends = self.wrapText(legends) assert len(plts) == len(legends) if self.legend_location.startswith("outer"): legend = outer_legend(plts, legends, loc=self.legend_location, ncol=1, ) else: ax.legend(plts, legends, loc=self.legend_location, ncol=1, **self.mMPLLegendOptions) if self.legend_location == "extra" and legends: blocks.append( ResultBlock("\n".join( ("#$mpl {}.{}$#".format(figure_key, self.get_figure_id())), "", "legend"))) legend = plt.figure(**self.mMPLFigureOptions) lx = legend.add_axes((0.1, 0.1, 0.9, 0.9)) lx.set_title("Legend") lx.set_axis_off() plt.setp(lx.get_xticklabels(), visible=False) if not plts: plts = [] for x in legends: plts.append(plt.plot((0,), (0,))) lx.legend( plts, legends, 'center left', ncol=max( 1, int(math.ceil(float(len(legends) / self.mLegendMaxRowsPerColumn)))), **self.mMPLLegendOptions) # smaller font size for large legends if legend and maxlen > self.mMaxLegendSize: # all the text.Text instance in the legend ltext = legend.get_texts() plt.setp(ltext, fontsize='small') if self.mMPLSubplotOptions: # apply subplot options - useful even if there are no subplots in # order to set figure margins. plt.subplots_adjust(**self.mMPLSubplotOptions) # disabled: tight_layout not working well sometimes # causing plots to display compressed if self.tight_layout: try: plt.tight_layout() except ValueError: # some plots (with large legends) receive # ValueError("bottom cannot be >= top") pass return blocks def rescaleForVerticalLabels(self, labels, offset=0.02, cliplen=6): """rescale current plot so that vertical labels are displayed properly. In some plots the labels are clipped if the labels are vertical labels on the X-axis. This is a heuristic hack and is not guaranteed to always work. """ # rescale plotting area if labels are more than 6 characters if len(labels) == 0: return maxlen = max([len(str(x)) for x in labels]) if maxlen > cliplen: currentAxes = plt.gca() currentAxesPos = currentAxes.get_position() # scale plot by 2% for each extra character # scale at most 30% as otherwise the plot will # become illegible (and matplotlib might crash) offset = min(0.3, offset * (maxlen - cliplen)) # move the x-axis up currentAxes.set_position((currentAxesPos.xmin, currentAxesPos.ymin + offset, currentAxesPos.width, currentAxesPos.height - offset)) class PlotterMatrix(Plotter): """Plot a matrix. This mixin class provides convenience function for:class:`Renderer.Renderer` classes that plot matrices. This class adds the following options to the:term:`report` directive: :term:`colorbar-format`: numerical format for the colorbar. :term:`palette`: numerical format for the colorbar. :term:`reverse-palette`: invert palette :term:`max-rows`: maximum number of rows per plot :term:`max-cols`: maximum number of columns per plot :term:`nolabel-rows`: do not add row labels :term:`nolabel-cols`: do not add column labels """ mFontSize = 8 # after # characters, split into two # lines mSplitHeader = 20 mFontSizeSplit = 8 # separators to use to split text mSeparators = ":_" options = Plotter.options +\ (('palette', directives.unchanged), ('reverse-palette', directives.flag), ('split-rows', directives.unchanged), ('split-cols', directives.unchanged), ('colorbar-format', directives.unchanged), ('nolabel-rows', directives.flag), ('nolabel-cols', directives.flag), ) def buildWrappedHeaders(self, headers): """build headers. Long headers are split using the \frac mathtext directive (mathtext does not support multiline equations. This method is currently not in use. returns (fontsize, headers) """ fontsize = self.mFontSize maxlen = max([len(x) for x in headers]) if maxlen > self.mSplitHeader: h = [] fontsize = self.mFontSizeSplit for header in headers: if len(header) > self.mSplitHeader: # split txt into two equal parts trying # a list of separators t = len(header) for s in self.mSeparators: parts = header.split(s) if len(parts) < 2: continue c = 0 tt = t // 2 # collect first part such that length is # more than half for x, p in enumerate(parts): if c > tt: break c += len(p) # accept if a good split (better than 2/3) if float(c) / t < 0.66: h.append(r"$\mathrm{\frac{ %s }{ %s }}$" % (s.join(parts[:x]), s.join(parts[x:]))) break else: h.append(header) else: h.append(header) headers = h return fontsize, headers def plot(self, matrix, row_headers, col_headers, path): '''plot matrix. Large matrices are split into several plots. ''' self.debug("plot started") self.startPlot() nrows, ncols = matrix.shape if self.zrange: vmin, vmax = self.zrange if vmin is None: vmin = matrix.min() if vmax is None: vmax = matrix.max() matrix[matrix < vmin] = vmin matrix[matrix > vmax] = vmax else: vmin, vmax = None, None if self.mPalette: try: if self.mReversePalette: color_scheme = eval("plt.cm.%s_r" % self.mPalette) else: color_scheme = eval("plt.cm.%s" % self.mPalette) except AttributeError: raise ValueError("unknown palette '%s'" % self.mPalette) else: color_scheme = None plots, labels = [], [] if self.split_cols == "auto": self.split_cols = int(ncols / math.sqrt(ncols / nrows)) else: self.split_cols = int(self.split_cols) if self.split_rows == "auto": self.split_rows = int(nrows / math.sqrt(nrows / ncols)) else: self.split_rows = int(self.split_rows) split_row = self.split_rows > 0 and nrows > self.split_rows split_col = (self.split_cols > 0 and ncols > self.split_cols) or \ (self.split_cols == "auto") # set consistent min/max values if split_row or split_col: if vmin is None: vmin = numpy.nanmin(matrix) if vmin == numpy.inf or vmin == -numpy.inf: vmin = numpy.nanmin(matrix[matrix != vmin]) if vmax is None: vmax = numpy.nanmax(matrix) if vmax == numpy.inf or vmax == -numpy.inf: vmax = numpy.nanmax(matrix[matrix != vmax]) if (split_row and split_col) or not (split_row or split_col): self.debug("not splitting matrix") # do not split small or symmetric matrices cax = self.plotMatrix(matrix, row_headers, col_headers, vmin, vmax, color_scheme) plots.append(cax) # plots, labels = None, None self.rescaleForVerticalLabels(col_headers, cliplen=12) self.addColourBar() elif split_row: nplots = int(math.ceil(float(nrows) / self.split_rows)) self.debug("splitting matrix at rows: {} * {} x {}".format( nplots, self.split_rows, ncols)) # not sure why this switch to numbers - disable # new_headers = ["%s" % (x + 1) for x in range(len(row_headers))] new_headers = row_headers for x in range(nplots): plt.subplot(1, nplots, x + 1) start = x * self.split_rows end = start + min(nrows, self.split_rows) cax = self.plotMatrix(matrix[start:end, :], new_headers[start:end], col_headers, vmin, vmax, color_scheme) plots.append(cax) # labels = ["%s: %s" % x for x in zip(new_headers, row_headers) ] self.legend_location = "extra" plt.subplots_adjust(**self.mMPLSubplotOptions) self.addColourBar() elif split_col: nplots = int(math.ceil(float(ncols) / self.split_cols)) self.debug("splitting matrix at columns: {} * {} x {}".format( nplots, nrows, self.split_cols)) # not sure why this switch to numbers - disable # new_headers = ["%s" % (x + 1) for x in range(len(col_headers))] new_headers = col_headers for x in range(nplots): plt.subplot(nplots, 1, x + 1) start = x * self.split_cols end = start + min(ncols, self.split_cols) cax = self.plotMatrix(matrix[:, start:end], row_headers, new_headers[start:end], vmin, vmax, color_scheme) plots.append(cax) # labels = ["%s: %s" % x for x in zip(new_headers, col_headers) ] self.legend_location = "extra" plt.subplots_adjust(**self.mMPLSubplotOptions) self.addColourBar(ax=cax) self.debug("plot finished") return self.endPlot(plots, labels, path) class PlotterHinton(PlotterMatrix): '''plot a hinton diagram. Draws a Hinton diagram for visualizing a weight matrix. The size of a box reflects the weight. Taken from http://www.scipy.org/Cookbook/Matplotlib/HintonDiagrams and modified to add colours, labels, etc. ''' # column to use for error bars colour_matrix = None def buildMatrices(self, work, **kwargs): '''build matrices necessary for plotting. ''' self.colour_matrix = None if self.colour: # select label to take labels = DataTree.getPaths(work) label = list(set(labels[-1]).difference(set((self.colour,))))[0] self.matrix, self.rows, self.columns = TableMatrix.buildMatrix( self, work, apply_transformations=True, take=label, **kwargs ) if self.colour and self.colour in labels[-1]: self.colour_matrix, rows, colums = TableMatrix.buildMatrix( self, work, apply_transformations=False, take=self.colour, **kwargs ) else: self.matrix, self.rows, self.columns = TableMatrix.buildMatrix( self, work, **kwargs) return self.matrix, self.rows, self.columns def plotMatrix(self, weight_matrix, row_headers, col_headers, vmin, vmax, color_scheme=None): """ Temporarily disables matplotlib interactive mode if it is on, otherwise this takes forever. """ def _blob(x, y, area, colour): """ Draws a square-shaped blob with the given area (< 1) at the given coordinates. """ hs = numpy.sqrt(area) / 2 xcorners = numpy.array([x - hs, x + hs, x + hs, x - hs]) ycorners = numpy.array([y - hs, y - hs, y + hs, y + hs]) plt.fill(xcorners, ycorners, edgecolor=colour, facecolor=colour) plt.clf() # convert to real-valued data weight_matrix = numpy.nan_to_num(weight_matrix) height, width = weight_matrix.shape if vmax is None: # 2**numpy.ceil(numpy.log(numpy.max(numpy.abs(weight_matrix)))/numpy.log(2)) vmax = weight_matrix.max() if vmin is None: vmin = weight_matrix.min() scale = vmax - vmin if self.colour_matrix is not None: colour_matrix = self.colour_matrix else: colour_matrix = weight_matrix cmin, cmax = colour_matrix.min(), colour_matrix.max() plot = None normer = matplotlib.colors.Normalize(cmin, cmax) # save for colourbar self.normer = normer self.color_scheme = color_scheme colours = normer(colour_matrix) plt.axis('equal') for x in range(width): for y in range(height): _x = x + 1 _y = y + 1 weight = weight_matrix[y, x] - vmin _blob(_x - 0.5, _y - 0.5, weight / scale, color_scheme(colours[y, x])) offset = 0.5 xfontsize, col_headers = self.mFontSize, col_headers yfontsize, row_headers = self.mFontSize, row_headers plt.xticks([offset + x for x in range(len(col_headers))], col_headers, rotation="vertical", fontsize=xfontsize) plt.yticks([offset + y for y in range(len(row_headers))], row_headers, fontsize=yfontsize) return plot def on_draw(event): '''resize for figure legend.''' # locate figure and axes canvas = event.canvas fig = canvas.figure axes = fig.gca() # get figure coordinates dpi = fig.get_dpi() width, height = fig.get_size_inches() max_x, max_y = dpi * width, dpi * height # find legend and coords for o in fig.findobj(matplotlib.legend.Legend): legend = o legend_coords = legend.get_window_extent().get_points() legend_x, legend_y = legend_coords[1] # re-scale if legend_x > max_x: scale_x = legend_x / max_x * 1.1 else: scale_x = 1.0 if legend_y > max_y: scale_y = legend_y / max_y * 1.1 else: scale_y = 1.0 pos = axes.get_position() # re-scale axes to create space for legend axes.set_position((pos.xmin, pos.ymin, pos.width * 1.0 / scale_x, pos.height * 1.0 / scale_y)) # scale figure fig.set_figwidth(fig.get_figwidth() * scale_x) fig.set_figheight(fig.get_figheight() * scale_y) # redraw, temporarily disable event to avoid infinite recursion func_handles = fig.canvas.callbacks.callbacks[event.name] canvas.callbacks.callbacks[event.name] = {} # redraw the figure.. canvas.draw() # reset the draw event callbacks fig.canvas.callbacks.callbacks[event.name] = func_handles return False def outer_legend(*args, **kwargs): """plot legend outside of plot by rescaling it. Copied originally from http://www.mail-archive.com/matplotlib-users@lists.sourceforge.net/msg04256.html but modified. There were problems with the automatic re-scaling of the plot. Basically, the legend size seemed to be unknown and set to 0,0,1,1. Only after plotting were the correct bbox coordinates entered. The current implementation allocates 3/4 of the canvas for the legend and hopes for the best. """ # make a legend without the location # remove the location setting from the kwargs if 'loc' in kwargs: loc = kwargs.pop('loc') else: loc == "outer-top" if loc.endswith("right"): leg = plt.legend(bbox_to_anchor=(1.05, 1), loc=2, borderaxespad=0., mode="expand", *args, **kwargs) elif loc.endswith("top"): leg = plt.legend( bbox_to_anchor=(0, 1.02, 1., 1.02), loc=3, mode="expand", *args, **kwargs) else: raise ValueError("unknown legend location %s" % loc) fig = plt.gcf() cid = fig.canvas.mpl_connect('draw_event', on_draw) return leg # the following has been taken from # http://www.scipy.org/Cookbook/Matplotlib/HintonDiagrams def hinton(W, maxWeight=None): """ Draws a Hinton diagram for visualizing a weight matrix. Temporarily disables matplotlib interactive mode if it is on, otherwise this takes forever. """ def _blob(x, y, area, colour): """ Draws a square-shaped blob with the given area (< 1) at the given coordinates. """ hs = numpy.sqrt(area) / 2 xcorners = numpy.array([x - hs, x + hs, x + hs, x - hs]) ycorners = numpy.array([y - hs, y - hs, y + hs, y + hs]) plt.fill(xcorners, ycorners, colour, edgecolor=colour) reenable = False if plt.isinteractive(): reenable = True plt.ioff() plt.clf() height, width = W.shape if not maxWeight: maxWeight = 2 ** numpy.ceil( numpy.log(numpy.max(numpy.abs(W))) / numpy.log(2)) plot = plt.fill( numpy.array([0, width, width, 0]), numpy.array([0, 0, height, height]), 'gray') plt.axis('off') plt.axis('equal') for x in range(width): for y in range(height): _x = x + 1 _y = y + 1 w = W[y, x] if w > 0: _blob( _x - 0.5, height - _y + 0.5, min(1, w / maxWeight), 'white') elif w < 0: _blob( _x - 0.5, height - _y + 0.5, min(1, -w / maxWeight), 'black') if reenable: plt.ion() return plot class LinePlot(Renderer, Plotter): '''create a line plot. Plot lines from a dataframe. Separate lines are defined by: 1. multiple columns in the dataframe 2. mulitple indices in the dataframe This is a base class that provides several hooks for derived classes. initPlot() for line, data in work: initLine() for label, coords in data: xlabel, ylabels = initCoords() for ylabel in ylabels: addData(xlabel, ylabel) finishCoords() finishLine() finishPlot() This plotter accepts the following options: :term:`as-lines`: do not plot symbols :term:`yerror`: every second data track is a y error ''' nlevels = 1 options = Plotter.options +\ (('as-lines', directives.flag), ('yerror', directives.flag), ) # when splitting, keep first column (X coordinates) split_keep_first_column = True def initPlot(self, fig, dataseries, path): '''initialize plot.''' self.legend = [] self.plots = [] self.xlabels = [] self.ylabels = [] def getFormat(self, nplotted): '''return tuple with color, linestyle and marker for data series *n* within a plot.''' color = self.format_colors[nplotted % len(self.format_colors)] nplotted //= len(self.format_colors) linestyle = self.format_lines[nplotted % len(self.format_lines)] if self.as_lines: marker = None else: nplotted //= len(self.format_lines) marker = self.format_markers[nplotted % len(self.format_markers)] return color, linestyle, marker def initLine(self, line, data): '''hook for code working on a line.''' pass def initCoords(self, label, coords): '''hook for code working a collection of coords. should return a single key for xvalues and one or more keys for y-values. ''' keys = list(coords.keys()) return keys[0], keys[1:] def finishCoords(self, label, coords): '''hook called after all coords have been processed.''' pass def finishPlot(self, fig, work, path): '''hook called after plotting has finished.''' plt.xlabel("-".join(set(self.xlabels))) plt.ylabel("-".join(set(self.ylabels))) class HistogramPlot(LinePlot): '''create a line plot. This:class:`Renderer` requires at least three levels: Currently the xvalues are interpreted as left bin sizes and the last bin is the same width as the second to last bin. This could be made more correct using the bins from histogram directly. line / data / coords. ''' nlevels = 2 # column to use for error bars error = None options = LinePlot.options +\ (('error', directives.unchanged),) def initCoords(self, xvalues, yvalues): '''collect error coords and compute bar width.''' self.yerr = None # locate error bars # if self.error and self.error in coords: # self.yerr = coords[self.error] # ylabels = [ x for x in ylabels if x == self.error ] # else: # self.yerr = None # compute bar widths widths = [] xv = numpy.array(xvalues) w = xv[0] for x in xv[1:]: widths.append(x - w) w = x widths.append(widths[-1]) self.widths = widths class HistogramGradientPlot(LinePlot): '''create a series of coloured bars from histogram data. This:class:`Renderer` requires at least three levels: line / data / coords. ''' nlevels = 2 options = LinePlot.options +\ (('palette', directives.unchanged), ('reverse-palette', directives.flag), ('colorbar-format', directives.unchanged)) class BarPlot(TableMatrix, Plotter): '''A bar plot. This:class:`Renderer` requires two levels: rows[dict] / cols[dict] ''' options = TableMatrix.options + Plotter.options +\ (('label', directives.unchanged), ('error', directives.unchanged), ('colour', directives.unchanged), ('transparency', directives.unchanged), ('bottom-value', directives.unchanged), ('orientation', directives.unchanged), ('first-is-offset', directives.unchanged), ('switch', directives.unchanged), ('bar-width', directives.unchanged), ) # column to use for error bars error = None # column to use for labels label = None # column to use for custom colours colour = None # column to use for transparency values # transparency does not work yet - bar plot does not # accept a list of transparency values transparency = None # bottom value of bars (can be used to move intersection of x-axis with # y-axis) bottom_value = None label_offset_x = 10 label_offset_y = 5 # orientation of bars orientation = 'vertical' # first row is offset (not plotted) first_is_offset = False # switch rows/columns switch_row_col = False # bar width (height for horizontal plots) bar_width = 0.5 # always put multiple bars in a plot group_level = -1 def addLabels(self, xvals, yvals, labels): '''add labels at x,y at current plot. ''' if self.orientation == 'horizontal': xvals, yvals = yvals, xvals ax = plt.gca() trans = coord_offset(ax, self.mCurrentFigure, self.label_offset_x, self.label_offset_y) for xval, yval, label in zip(xvals, yvals, labels): ax.text(xval, yval, label, transform=trans) def buildMatrices(self, dataframe): '''build matrices necessary for plotting. If a matrix only contains a single row, the matrix is transposed. ''' self.error_matrix = _getMatrix(self.error, dataframe) self.label_matrix = _getMatrix(self.label, dataframe) self.colour_matrix = _getMatrix(self.colour, dataframe) self.transparency_matrix = _getMatrix(self.transparency, dataframe) # remove the special columns if self.error or self.label or self.colour or self.transparency: dataframe = dataframe[ [x for x in dataframe.columns if x not in (self.error, self.label, self.colour, self.transparency)]] # take first of the remaining columns ignoring the rest try: df = dataframe[dataframe.columns[0]].unstack() except AttributeError: # is not a multi-index object, no need to unstack df = dataframe self.rows = [path2str(x) for x in list(df.index)] self.columns = list(df.columns) self.data_matrix = df.values if self.switch_row_col or self.data_matrix.shape[0] == 1: if self.data_matrix is not None: self.data_matrix = self.data_matrix.transpose() if self.error_matrix is not None: self.error_matrix = self.error_matrix.transpose() if self.label_matrix is not None: self.label_matrix = self.label_matrix.transpose() if self.colour_matrix is not None: self.colour_matrix = self.colour_matrix.transpose() if self.transparency_matrix is not None: self.transparency_matrix = self.transparency_matrix.transpose() self.rows, self.columns = self.columns, self.rows def getColour(self, idx, column): '''return hatch and colour.''' if self.transparency_matrix is not None: alpha = self.transparency_matrix[:, column] else: alpha = None # the colour plotting has a problem with arrays, return # a list if self.colour_matrix is not None: color = list(self.colour_matrix[:, column]) hatch = None else: hatch, color = self.bar_patterns[idx % len(self.bar_patterns)] return hatch, color, alpha def addTicks(self, xvals): '''add tick marks to plots.''' rotation = "horizontal" if self.orientation == "vertical": if len(self.rows) > 5 or max([len(x) for x in self.rows]) >= 8: rotation = "vertical" self.rescaleForVerticalLabels(self.rows) if self.orientation == 'vertical': plt.xticks( xvals + self.bar_width / 2., self.rows, rotation=rotation) else: plt.yticks( xvals + self.bar_width / 2., self.rows, rotation=rotation) locs, labels = plt.xticks() plt.xticks(locs, labels, rotation='vertical') class InterleavedBarPlot(BarPlot): """A plot with interleaved bars. This:class:`Renderer` requires two levels: rows[dict] / cols[dict] """ # always put multiple bars in a plot # and multiple data points in a plot group_level = -2 class StackedBarPlot(BarPlot): """A plot with stacked bars. This:class:`Renderer` requires two levels: rows[dict] / cols[dict] """ # always put multiple bars in a plot # and multiple data points in a plot group_level = -2 class DataSeriesPlot(Renderer, Plotter): """Plot one or more data series within a single plot. The data series is given as a hierachically indexed (melted) data series or multiple columns. This:class:`Renderer` requires two levels. labels[dict] / data[array] """ options = Renderer.options + Plotter.options nlevels = 1 class MultipleSeriesPlot(Renderer, Plotter): """Plot data according to different orientations. If the dataframe has only a single column, create a single plot with row names as keys and the column as values. If the dataframe has multiple columns, create one plot for each row with the column headers as keys and the row as values. """ options = Renderer.options + Plotter.options class PlotByRow(Renderer, Plotter): '''Create multiple plots from a dataframe in row-wise fashion. Currently not used by any subclass. ''' nlevels = 1 class PiePlot(MultipleSeriesPlot): """A pie chart. If *pie-first-is-total* is set, the first entry is assumed to be the total and all the other values are subtracted. It is renamed by the value of *pie-first-is-total*. """ options = TableMatrix.options + Plotter.options +\ (('pie-min-percentage', directives.unchanged), ('pie-first-is-total', directives.unchanged),) # Do not group data group_level = 'force-none' class TableMatrixPlot(TableMatrix, PlotterMatrix): """Render a matrix as a matrix plot. """ options = TableMatrix.options + PlotterMatrix.options def render(self, work, path): """render the data.""" self.debug("building matrix started") matrix, rows, columns = self.buildMatrix(work) self.debug("building matrix finished") return self.plot(matrix, rows, columns, path) # for compatibility MatrixPlot = TableMatrixPlot class NumpyMatrixPlot(NumpyMatrix, PlotterMatrix): """Render a matrix as a matrix plot. """ options = NumpyMatrix.options + PlotterMatrix.options def render(self, work, path): """render the data.""" self.debug("building matrix started") matrix, rows, columns = self.buildMatrix(work) self.debug("building matrix finished") return self.plot(matrix, rows, columns, path) class HintonPlot(TableMatrix, PlotterHinton): """Render a matrix as a hinton plot. Draws a Hinton diagram for visualizing a weight matrix. The size of a box reflects the weight. This class adds the following options to the:term:`report` directive: :term:`colours`: colour boxes according to value. """ options = TableMatrix.options + PlotterHinton.options +\ (('colours', directives.unchanged), ) # column to use for error bars colour = None def render(self, work, path): """render the data.""" matrix, rows, columns = self.buildMatrices(work) return self.plot(matrix, rows, columns, path) class GalleryPlot(PlotByRow): '''Plot an image. ''' options = Renderer.options + Plotter.options + ( ('original', directives.flag), ('regex-title', directives.unchanged), ) nlevels = 1 class Text(PlotByRow): '''Insert data as quoted text ''' options = Renderer.options + Plotter.options +\ (('language', directives.unchanged), ) nlevels = 1 language = "guess" class ScatterPlot(Renderer, Plotter): """Scatter plot. The different tracks will be displayed with different colours. This:class:`Renderer` requires two levels: track[dict] / coords[dict] :regression: int add linear regression function of a certain degree (straight line is degree 1). """ options = Renderer.options + Plotter.options +\ (('regression', directives.unchanged), ) nlevels = 1 class ScatterPlotWithColor(ScatterPlot): """Scatter plot with individual colors for each dot. This class adds the following options to the:term:`report` directive: :term:`colorbar-format`: numerical format for the colorbar. :term:`palette`: numerical format for the colorbar. :term:`zrange`: restrict plot a part of the z-axis. This:class:`Renderer` requires one level: coords[dict] """ options = Renderer.options + Plotter.options +\ (('palette', directives.unchanged), ('reverse-palette', directives.flag), ('colorbar-format', directives.unchanged)) nlevels = 2 class VennPlot(Renderer, Plotter): '''plot a two and three circle venn diagramm. This:term:`renderer` plots a Venn diagramm. The dictionary should contain the elements * ('10', '01', and '11') for a two-circle Venn diagram. * ('100', '010', '110', '001', '101', '011', '111') for a three-circle Venn diagram. When plotting, the function looks for the first 3 or 7 element dictionary and the first 3 or 7 element list. data[dict] ''' options = Renderer.options + Plotter.options # no grouping group_level = -1
32.120603
88
0.530663
"""Mixin classes for Renderers that plot. """ from __future__ import unicode_literals import os import re import math import itertools import datetime import pandas from CGATReport.ResultBlock import ResultBlock, ResultBlocks from CGATReport.Plugins.Renderer import Renderer, NumpyMatrix, TableMatrix from CGATReport.DataTree import path2str, str2path, path2key from CGATReport import DataTree, Stats, Utils from collections import OrderedDict as odict from docutils.parsers.rst import directives import numpy import matplotlib # matplotlib.use('Agg', warn=False) # This does not work: # Matplotlib might be imported beforehand? plt.switch_backend did not # change the backend. The only option I found was to change my own # matplotlibrc. import matplotlib.colors import matplotlib.pyplot as plt # For Rstyle plotting, previously used the snippets from: # see http://messymind.net/2012/07/making-matplotlib-look-like-ggplot/ # now using seaborn try: import seaborn HAS_SEABORN = True except ImportError: HAS_SEABORN = False # Python 3 Compatibility try: import matplotlib_venn except ImportError: matplotlib_venn = None def parseRanges(r): '''given a string in the format "x,y", return a tuple of values (x,y). missing values are set to None. ''' if not r: return r r = [x.strip() for x in r.split(",")] if r[0] == "": r[0] = None else: r[0] = float(r[0]) if r[1] == "": r[1] = None else: r[1] = float(r[1]) return r def normalize_legends(original_legends): s = [path2str(x) for x in original_legends] paths = [str2path(x) for x in s] lengths = [len(x) for x in paths] assert min(lengths) == max(lengths) levels = list(zip(*paths)) pruned_levels = [x for x in levels if len(set(x)) > 1] new_legends = [path2str(x) for x in zip(*pruned_levels)] if len(new_legends) != len(original_legends): return original_legends else: return new_legends class Plotter(object): """Base class for Renderers that do simple 2D plotting. This mixin class provides convenience function for :class:`Renderer.Renderer` classes that do 2D plotting. The base class takes care of counting the plots created, provided that the methods:meth:`startPlot` and:meth:`endPlot` are called appropriately. It then inserts the appropriate place holders. This class adds the following options to the:term:`report` directive: :term:`logscale`: apply logscales one or more axes. :term:`xtitle`: add a label to the X axis :term:`ytitle`: add a label to the Y axis :term:`title`: title of the plot :term:`add-title`: add title to each plot :term:`legend-location`: specify the location of the legend :term:`xrange`: restrict plot a part of the x-axis :term:`yrange`: restrict plot a part of the y-axis :term:`function`: add a function to the plot. Multiple functions can be supplied as a comma-separated list. If functions are separated by a |, then they will be plotted on each separately in order, recycling if necessary :term:`vline`: add one or more vertical lines to the plot. :term:`xformat`: label for X axis :term:`yformat`: label for Y axis :term:`no-tight`: do not attempt a tight layout (see ``matplotlib.pyplot.tight_layout()``) With some plots default layout options will result in plots that are misaligned (legends truncated, etc.). To fix this it might be necessary to increase plot size, reduce font size, or others. The following options will be passed on the matplotlib to permit this control. :term:`mpl-figure`: options for matplotlib ``figure`` calls(). :term:`mpl-legend`: options for matplotlib ``legend`` calls(). :term:`mpl-subplot`: options for matplotlib ``subplots_adjust`` calls(). :term:`mpl-rc`: general environment settings for matplotlib. See the matplotlib documentation. Multiple options can be separated by ;, for example ``:mpl-rc: figure.figsize=(20,10);legend.fontsize=4`` :term:`xticks-max-chars`: if the number of characters on the tick-labels on the X-axis exceed this value, the labels will be replaced by shorter version. See :term:`xticks-action`. If set to 0, no truncation will be performed. :term:`xticks-action`: action to perform it tick-labels are to long. Valid values are ``truncate-start`` and ``truncate-end`` to truncate from the start or end of the label, respectively; ``numbers`` to replace the values with numbers. """ mLegendFontSize = 8 # number of chars to use to reduce legend font size mMaxLegendSize = 100 # maximum number of rows per column. If there are more, # the legend is split into multiple columns mLegendMaxRowsPerColumn = 30 options = ( ('logscale', directives.unchanged), ('title', directives.unchanged), ('add-title', directives.flag), ('xtitle', directives.unchanged), ('ytitle', directives.unchanged), ('xrange', directives.unchanged), ('yrange', directives.unchanged), ('zrange', directives.unchanged), ('function', directives.unchanged), ('vline', directives.unchanged), ('mpl-figure', directives.unchanged), ('mpl-legend', directives.unchanged), ('mpl-subplot', directives.unchanged), ('mpl-rc', directives.unchanged), ('legend-location', directives.unchanged), ('xformat', directives.unchanged), ('yformat', directives.unchanged), ('no-tight', directives.flag), # currently ignored ('tight', directives.flag), ('xticks-action', directives.unchanged), ('xticks-max-chars', directives.length_or_unitless), ('xticks-rotation', directives.length_or_unitless), ) if HAS_SEABORN: format_colors = seaborn.color_palette() # "bgrcmk" else: format_colors = "bgrcmk" format_markers = "so^>dph8+x" format_lines = ('-', ':', '--') mPatterns = [None, '/', '\\', '|', '-', '+', 'x', 'o', 'O', '.', '*'] # maximum number of characters in X ticks # If 0, do not perform any action xticks_max_length = 10 # xticks rotation xticks_rotation = 0 # action to perform when X ticks are longer than maximum. # Options are "truncate-start", "truncate-end", "number" xticks_action = "truncate-start" def __init__(self, *args, **kwargs): """parse option arguments.""" self.mFigure = 0 self.logscale = kwargs.get("logscale", None) self.title = kwargs.get("title", None) self.add_title = "add-title" in kwargs self.xlabel = kwargs.get("xtitle", None) self.ylabel = kwargs.get("ytitle", None) self.functions = kwargs.get("function", None) self.vline = kwargs.get("vline", None) self.tight_layout = 'tight' in kwargs if self.functions: if "," in self.functions and "|" in self.functions: raise ValueError( "functions need to be separated by , or |, not both") self.all_functions_per_plot = True if "," in self.functions: self.functions = self.functions.split(",") elif "|" in self.functions: self.all_functions_per_plot = False self.functions = self.functions.split("|") else: self.functions = [self.functions] # substitute '-' in CGATReport-speak for ' ' in matplotlib speak self.legend_location = re.sub( "-", " ", kwargs.get("legend-location", "upper right")) # ("outer-top")) self.xrange = parseRanges(kwargs.get("xrange", None)) self.yrange = parseRanges(kwargs.get("yrange", None)) self.zrange = parseRanges(kwargs.get("zrange", None)) self.xformat = kwargs.get("xformat", None) self.yformat = kwargs.get("yformat", None) self.xticks_max_length = int(kwargs.get('xticks-max-chars', self.xticks_max_length)) self.xticks_action = kwargs.get('xticks-action', 'number') self.xticks_rotation = kwargs.get('xticks-rotation', 0) if self.xticks_action not in ('number', 'truncate-start', 'truncate-end'): raise ValueError( "unknown option for xticks-action: '%s'" % self.xticks_action) def setupMPLOption(key): options = {} try: for k in kwargs[key].split(";"): key, val = k.split("=") # convert unicode to string try: options[str(key)] = eval(val) except NameError: options[str(key)] = val except KeyError: pass return options self.mMPLFigureOptions = setupMPLOption("mpl-figure") self.mMPLLegendOptions = setupMPLOption("mpl-legend") self.mMPLSubplotOptions = setupMPLOption("mpl-subplot") self.mMPLRC = setupMPLOption("mpl-rc") def startPlot(self, **kwargs): """prepare everything for a plot. returns the current figure. """ # setting rc parameters disabled in order not interfere with seaborn # aesthetics # go to defaults # matplotlib.rcdefaults() # set parameters # if self.mMPLRC: # self.debug("extra plot options: %s" % str(self.mMPLRC)) # matplotlib.rcParams.update(self.mMPLRC) self.mCurrentFigure = plt.figure(**self.mMPLFigureOptions) if self.title: plt.title(self.title) return self.mCurrentFigure def get_figure_id(self): return plt.gca().figure.number def wrapText(self, text, cliplen=20, separators=":_"): """wrap around text using the mathtext. Currently this subroutine uses the \frac directive, so it is not pretty. returns the wrapped text. """ # split txt into two equal parts trying # a list of separators newtext = [] for txt in text: t = len(txt) if t > cliplen: for s in separators: parts = txt.split(s) if len(parts) < 2: continue c = 0 tt = t // 2 # collect first part such that length is # more than half for x, p in enumerate(parts): if c > tt: break c += len(p) # accept if a good split (better than 2/3) if float(c) / t < 0.66: newtext.append(r"$\mathrm{\frac{ %s }{ %s }}$" % (s.join(parts[:x]), s.join(parts[x:]))) break else: newtext.append(txt) return newtext def endPlot(self, plts, legends, path): """close plots. This method performs common post-processing options on matplotlib rendered plots: * rescaling the axes * legend placement and formatting * adding a function to the plot returns blocks of restructured text with place holders for the figure. """ if not plts: return ResultBlocks() figure_key = path2key(path) # convert to log-scale ax = plt.gca() # set logscale before the xlim, as it re-scales the plot. if self.logscale: xlim = ax.get_xlim() ylim = ax.get_ylim() if "x" in self.logscale: try: ax.set_xscale('log') # rescale: log plots does not autoscale well if # negative values scale manually - needs to be # overridden by the user if small values are to be # expected if xlim[0] < 0: ax.set_xlim((0.01, None)) except OverflowError: ax.set_xscale('linear') if "y" in self.logscale: try: ax.set_yscale('log') # rescale: log plots does not autoscale well if # negative values scale manually - needs to be # overridden by the user if small values are to be # expected if ylim[0] < 0: ax.set_ylim((0.01, None)) except OverflowError: ax.set_yscale('linear') ax.relim() # truncate plot if self.xrange: plt.xlim(self.xrange) if self.yrange: plt.ylim(self.yrange) # add additional plot elements if self.functions: xstart, xend = ax.get_xlim() increment = (xend - xstart) / 100.0 if self.all_functions_per_plot: for function in self.functions: f = eval("lambda x: %s" % function) xvals = numpy.arange(xstart, xend, increment) yvals = [f(x) for x in xvals] plt.plot(xvals, yvals) else: function = self.functions[ self.get_figure_id() % len(self.functions)] f = eval("lambda x: %s" % function) xvals = numpy.arange(xstart, xend, increment) yvals = [f(x) for x in xvals] plt.plot(xvals, yvals) if self.vline: ystart, yend = ax.get_ylim() lines = [] for l in self.vline.split(","): l = l.strip() if l == "today": l = datetime.datetime.now().toordinal() else: l = int(l) lines.append(l) ax.vlines(lines, ystart, yend) # add labels and titles if self.add_title: plt.suptitle(DataTree.path2str(path)) if self.xlabel: plt.xlabel(self.xlabel) if self.ylabel: plt.ylabel(self.ylabel) # change x/y labels # change x/y axis formatter if self.xformat: if self.xformat.startswith('date'): xlim = ax.get_xlim() if xlim[0] < 1: raise ValueError( "date value out of range - needs to larger than 1") ax.xaxis_date() loc = matplotlib.dates.AutoDateLocator() ax.xaxis.set_major_locator(loc) fmt = self.xformat[5:].strip() if not fmt: fmt = '%Y-%m-%d' ax.xaxis.set_major_formatter( matplotlib.dates.AutoDateFormatter(loc, defaultfmt=fmt)) if self.yformat: if self.yformat.startswith('date'): ylim = ax.get_ylim() if ylim[0] < 1: raise ValueError( "date value out of range - needs to larger than 1") ax.yaxis_date() loc = matplotlib.dates.AutoDateLocator() ax.yaxis.set_major_locator(loc) fmt = self.yformat[5:].strip() if not fmt: fmt = '%Y-%m-%d' ax.yaxis.set_major_formatter( matplotlib.dates.AutoDateFormatter(loc, defaultfmt=fmt)) # If longest label on X-axis is larger than # threshold, either truncate, summarize or # map. # modifying labels in place did not work as # set_xticklabels expects strings, not Text attributes, # so work with text directly: preamble, postamble = "", "" xlabels = [x.get_text() for x in ax.get_xticklabels()] if xlabels and self.xticks_max_length > 0: max_len = max([len(x) for x in xlabels]) if max_len > self.xticks_max_length: if self.xticks_action.startswith("truncate"): if self.xticks_action == "truncate-end": f = lambda x, txt: txt[:self.xticks_max_length] elif self.xticks_action == "truncate-start": f = lambda x, txt: txt[-self.xticks_max_length:] new_labels = [f(x, y) for x, y in enumerate(xlabels)] elif self.xticks_action == "number": # Use chars starting at 'A' for labels nchars = int(math.ceil(len(xlabels) / 26.0)) new_labels = ["".join(x) for x in itertools.product( "ABCDEFGHIJKLMNOPQRSTUVWXYZ", repeat=nchars)] new_labels = new_labels[:len(xlabels)] else: raise ValueError( "unkown xtick-action: {}".format(self.xticks_action)) postamble = "\n" + "\n".join( ["* %s: %s" % (x, y) for x, y in zip(new_labels, xlabels)]) ax.set_xticklabels(new_labels) if self.xticks_rotation: for tick in ax.get_xticklabels(): tick.set_rotation(self.xticks_rotation) blocks = ResultBlocks( ResultBlock( text="#$mpl {}.{}$#\n".format(figure_key, self.get_figure_id()), title=DataTree.path2str(path), preamble=preamble, postamble=postamble)) legend = None maxlen = 0 # In matplotlib version < 1.1, the output of plotting was # a single element. In later versions, the output is a tuple # so take first element. if type(plts[0]) in (tuple, list): plts = [x[0] for x in plts] # convert to string if legends: legends = normalize_legends(legends) if self.legend_location != "none" and plts and legends: maxlen = max([len(x) for x in legends]) # legends = self.wrapText(legends) assert len(plts) == len(legends) if self.legend_location.startswith("outer"): legend = outer_legend(plts, legends, loc=self.legend_location, ncol=1, ) else: ax.legend(plts, legends, loc=self.legend_location, ncol=1, **self.mMPLLegendOptions) if self.legend_location == "extra" and legends: blocks.append( ResultBlock("\n".join( ("#$mpl {}.{}$#".format(figure_key, self.get_figure_id())), "", "legend"))) legend = plt.figure(**self.mMPLFigureOptions) lx = legend.add_axes((0.1, 0.1, 0.9, 0.9)) lx.set_title("Legend") lx.set_axis_off() plt.setp(lx.get_xticklabels(), visible=False) if not plts: plts = [] for x in legends: plts.append(plt.plot((0,), (0,))) lx.legend( plts, legends, 'center left', ncol=max( 1, int(math.ceil(float(len(legends) / self.mLegendMaxRowsPerColumn)))), **self.mMPLLegendOptions) # smaller font size for large legends if legend and maxlen > self.mMaxLegendSize: # all the text.Text instance in the legend ltext = legend.get_texts() plt.setp(ltext, fontsize='small') if self.mMPLSubplotOptions: # apply subplot options - useful even if there are no subplots in # order to set figure margins. plt.subplots_adjust(**self.mMPLSubplotOptions) # disabled: tight_layout not working well sometimes # causing plots to display compressed if self.tight_layout: try: plt.tight_layout() except ValueError: # some plots (with large legends) receive # ValueError("bottom cannot be >= top") pass return blocks def rescaleForVerticalLabels(self, labels, offset=0.02, cliplen=6): """rescale current plot so that vertical labels are displayed properly. In some plots the labels are clipped if the labels are vertical labels on the X-axis. This is a heuristic hack and is not guaranteed to always work. """ # rescale plotting area if labels are more than 6 characters if len(labels) == 0: return maxlen = max([len(str(x)) for x in labels]) if maxlen > cliplen: currentAxes = plt.gca() currentAxesPos = currentAxes.get_position() # scale plot by 2% for each extra character # scale at most 30% as otherwise the plot will # become illegible (and matplotlib might crash) offset = min(0.3, offset * (maxlen - cliplen)) # move the x-axis up currentAxes.set_position((currentAxesPos.xmin, currentAxesPos.ymin + offset, currentAxesPos.width, currentAxesPos.height - offset)) class PlotterMatrix(Plotter): """Plot a matrix. This mixin class provides convenience function for:class:`Renderer.Renderer` classes that plot matrices. This class adds the following options to the:term:`report` directive: :term:`colorbar-format`: numerical format for the colorbar. :term:`palette`: numerical format for the colorbar. :term:`reverse-palette`: invert palette :term:`max-rows`: maximum number of rows per plot :term:`max-cols`: maximum number of columns per plot :term:`nolabel-rows`: do not add row labels :term:`nolabel-cols`: do not add column labels """ mFontSize = 8 # after # characters, split into two # lines mSplitHeader = 20 mFontSizeSplit = 8 # separators to use to split text mSeparators = ":_" options = Plotter.options +\ (('palette', directives.unchanged), ('reverse-palette', directives.flag), ('split-rows', directives.unchanged), ('split-cols', directives.unchanged), ('colorbar-format', directives.unchanged), ('nolabel-rows', directives.flag), ('nolabel-cols', directives.flag), ) def __init__(self, *args, **kwargs): Plotter.__init__(self, *args, **kwargs) self.mBarFormat = kwargs.get("colorbar-format", "%1.1f") self.mPalette = kwargs.get("palette", "jet") self.split_rows = kwargs.get("split-rows", 0) self.split_cols = kwargs.get("split-cols", 0) self.mReversePalette = "reverse-palette" in kwargs self.label_rows = "nolabel-rows" not in kwargs self.label_cols = "nolabel-cols" not in kwargs def addColourBar(self, ax=None): if ax is None: plt.colorbar(format=self.mBarFormat) else: fig = ax.figure fig.subplots_adjust(right=0.8) cbar_ax = fig.add_axes([0.85, 0.15, 0.05, 0.7]) fig.colorbar(ax, cax=cbar_ax, format=self.mBarFormat) def buildWrappedHeaders(self, headers): """build headers. Long headers are split using the \frac mathtext directive (mathtext does not support multiline equations. This method is currently not in use. returns (fontsize, headers) """ fontsize = self.mFontSize maxlen = max([len(x) for x in headers]) if maxlen > self.mSplitHeader: h = [] fontsize = self.mFontSizeSplit for header in headers: if len(header) > self.mSplitHeader: # split txt into two equal parts trying # a list of separators t = len(header) for s in self.mSeparators: parts = header.split(s) if len(parts) < 2: continue c = 0 tt = t // 2 # collect first part such that length is # more than half for x, p in enumerate(parts): if c > tt: break c += len(p) # accept if a good split (better than 2/3) if float(c) / t < 0.66: h.append(r"$\mathrm{\frac{ %s }{ %s }}$" % (s.join(parts[:x]), s.join(parts[x:]))) break else: h.append(header) else: h.append(header) headers = h return fontsize, headers def plotMatrix(self, matrix, row_headers, col_headers, vmin, vmax, color_scheme=None): self.debug("plot matrix started") # when matrix is very different from square matrix # adjust figure size # better would be to move the axes as well to the left of # the figure. if len(row_headers) > 2 * len(col_headers): r = float(len(row_headers)) / len(col_headers) * 0.5 w, h = self.mCurrentFigure.get_size_inches() self.mCurrentFigure.set_size_inches(w, h * r) elif len(col_headers) > 2 * len(row_headers): r = float(len(col_headers)) / len(row_headers) w, h = self.mCurrentFigure.get_size_inches() * 0.5 self.mCurrentFigure.set_size_inches(w * r, h) if self.logscale is not None and "z" in self.logscale: norm = matplotlib.colors.LogNorm(vmin, vmax) else: norm = None plot = plt.imshow(matrix, cmap=color_scheme, origin='lower', vmax=vmax, vmin=vmin, norm=norm, interpolation='nearest') # offset=0: x=center,y=center # offset=0.5: y=top/x=right offset = 0.0 if self.label_rows: row_headers = [str(x) for x in row_headers] yfontsize, row_headers = self.mFontSize, row_headers plt.yticks([offset + y for y in range(len(row_headers))], row_headers, fontsize=yfontsize) if self.label_cols: col_headers = [str(x) for x in col_headers] xfontsize, col_headers = self.mFontSize, col_headers plt.xticks([offset + x for x in range(len(col_headers))], col_headers, rotation="vertical", fontsize=xfontsize) # turn off any grid lines plt.grid(False) self.debug("plot matrix finished") return plot def plot(self, matrix, row_headers, col_headers, path): '''plot matrix. Large matrices are split into several plots. ''' self.debug("plot started") self.startPlot() nrows, ncols = matrix.shape if self.zrange: vmin, vmax = self.zrange if vmin is None: vmin = matrix.min() if vmax is None: vmax = matrix.max() matrix[matrix < vmin] = vmin matrix[matrix > vmax] = vmax else: vmin, vmax = None, None if self.mPalette: try: if self.mReversePalette: color_scheme = eval("plt.cm.%s_r" % self.mPalette) else: color_scheme = eval("plt.cm.%s" % self.mPalette) except AttributeError: raise ValueError("unknown palette '%s'" % self.mPalette) else: color_scheme = None plots, labels = [], [] if self.split_cols == "auto": self.split_cols = int(ncols / math.sqrt(ncols / nrows)) else: self.split_cols = int(self.split_cols) if self.split_rows == "auto": self.split_rows = int(nrows / math.sqrt(nrows / ncols)) else: self.split_rows = int(self.split_rows) split_row = self.split_rows > 0 and nrows > self.split_rows split_col = (self.split_cols > 0 and ncols > self.split_cols) or \ (self.split_cols == "auto") # set consistent min/max values if split_row or split_col: if vmin is None: vmin = numpy.nanmin(matrix) if vmin == numpy.inf or vmin == -numpy.inf: vmin = numpy.nanmin(matrix[matrix != vmin]) if vmax is None: vmax = numpy.nanmax(matrix) if vmax == numpy.inf or vmax == -numpy.inf: vmax = numpy.nanmax(matrix[matrix != vmax]) if (split_row and split_col) or not (split_row or split_col): self.debug("not splitting matrix") # do not split small or symmetric matrices cax = self.plotMatrix(matrix, row_headers, col_headers, vmin, vmax, color_scheme) plots.append(cax) # plots, labels = None, None self.rescaleForVerticalLabels(col_headers, cliplen=12) self.addColourBar() elif split_row: nplots = int(math.ceil(float(nrows) / self.split_rows)) self.debug("splitting matrix at rows: {} * {} x {}".format( nplots, self.split_rows, ncols)) # not sure why this switch to numbers - disable # new_headers = ["%s" % (x + 1) for x in range(len(row_headers))] new_headers = row_headers for x in range(nplots): plt.subplot(1, nplots, x + 1) start = x * self.split_rows end = start + min(nrows, self.split_rows) cax = self.plotMatrix(matrix[start:end, :], new_headers[start:end], col_headers, vmin, vmax, color_scheme) plots.append(cax) # labels = ["%s: %s" % x for x in zip(new_headers, row_headers) ] self.legend_location = "extra" plt.subplots_adjust(**self.mMPLSubplotOptions) self.addColourBar() elif split_col: nplots = int(math.ceil(float(ncols) / self.split_cols)) self.debug("splitting matrix at columns: {} * {} x {}".format( nplots, nrows, self.split_cols)) # not sure why this switch to numbers - disable # new_headers = ["%s" % (x + 1) for x in range(len(col_headers))] new_headers = col_headers for x in range(nplots): plt.subplot(nplots, 1, x + 1) start = x * self.split_cols end = start + min(ncols, self.split_cols) cax = self.plotMatrix(matrix[:, start:end], row_headers, new_headers[start:end], vmin, vmax, color_scheme) plots.append(cax) # labels = ["%s: %s" % x for x in zip(new_headers, col_headers) ] self.legend_location = "extra" plt.subplots_adjust(**self.mMPLSubplotOptions) self.addColourBar(ax=cax) self.debug("plot finished") return self.endPlot(plots, labels, path) class PlotterHinton(PlotterMatrix): '''plot a hinton diagram. Draws a Hinton diagram for visualizing a weight matrix. The size of a box reflects the weight. Taken from http://www.scipy.org/Cookbook/Matplotlib/HintonDiagrams and modified to add colours, labels, etc. ''' # column to use for error bars colour_matrix = None def __init__(self, *args, **kwargs): PlotterMatrix.__init__(self, *args, **kwargs) def addColourBar(self): axc, kw = matplotlib.colorbar.make_axes(plt.gca()) cb = matplotlib.colorbar.ColorbarBase(axc, cmap=self.color_scheme, norm=self.normer) cb.draw_all() def buildMatrices(self, work, **kwargs): '''build matrices necessary for plotting. ''' self.colour_matrix = None if self.colour: # select label to take labels = DataTree.getPaths(work) label = list(set(labels[-1]).difference(set((self.colour,))))[0] self.matrix, self.rows, self.columns = TableMatrix.buildMatrix( self, work, apply_transformations=True, take=label, **kwargs ) if self.colour and self.colour in labels[-1]: self.colour_matrix, rows, colums = TableMatrix.buildMatrix( self, work, apply_transformations=False, take=self.colour, **kwargs ) else: self.matrix, self.rows, self.columns = TableMatrix.buildMatrix( self, work, **kwargs) return self.matrix, self.rows, self.columns def plotMatrix(self, weight_matrix, row_headers, col_headers, vmin, vmax, color_scheme=None): """ Temporarily disables matplotlib interactive mode if it is on, otherwise this takes forever. """ def _blob(x, y, area, colour): """ Draws a square-shaped blob with the given area (< 1) at the given coordinates. """ hs = numpy.sqrt(area) / 2 xcorners = numpy.array([x - hs, x + hs, x + hs, x - hs]) ycorners = numpy.array([y - hs, y - hs, y + hs, y + hs]) plt.fill(xcorners, ycorners, edgecolor=colour, facecolor=colour) plt.clf() # convert to real-valued data weight_matrix = numpy.nan_to_num(weight_matrix) height, width = weight_matrix.shape if vmax is None: # 2**numpy.ceil(numpy.log(numpy.max(numpy.abs(weight_matrix)))/numpy.log(2)) vmax = weight_matrix.max() if vmin is None: vmin = weight_matrix.min() scale = vmax - vmin if self.colour_matrix is not None: colour_matrix = self.colour_matrix else: colour_matrix = weight_matrix cmin, cmax = colour_matrix.min(), colour_matrix.max() plot = None normer = matplotlib.colors.Normalize(cmin, cmax) # save for colourbar self.normer = normer self.color_scheme = color_scheme colours = normer(colour_matrix) plt.axis('equal') for x in range(width): for y in range(height): _x = x + 1 _y = y + 1 weight = weight_matrix[y, x] - vmin _blob(_x - 0.5, _y - 0.5, weight / scale, color_scheme(colours[y, x])) offset = 0.5 xfontsize, col_headers = self.mFontSize, col_headers yfontsize, row_headers = self.mFontSize, row_headers plt.xticks([offset + x for x in range(len(col_headers))], col_headers, rotation="vertical", fontsize=xfontsize) plt.yticks([offset + y for y in range(len(row_headers))], row_headers, fontsize=yfontsize) return plot def on_draw(event): '''resize for figure legend.''' # locate figure and axes canvas = event.canvas fig = canvas.figure axes = fig.gca() # get figure coordinates dpi = fig.get_dpi() width, height = fig.get_size_inches() max_x, max_y = dpi * width, dpi * height # find legend and coords for o in fig.findobj(matplotlib.legend.Legend): legend = o legend_coords = legend.get_window_extent().get_points() legend_x, legend_y = legend_coords[1] # re-scale if legend_x > max_x: scale_x = legend_x / max_x * 1.1 else: scale_x = 1.0 if legend_y > max_y: scale_y = legend_y / max_y * 1.1 else: scale_y = 1.0 pos = axes.get_position() # re-scale axes to create space for legend axes.set_position((pos.xmin, pos.ymin, pos.width * 1.0 / scale_x, pos.height * 1.0 / scale_y)) # scale figure fig.set_figwidth(fig.get_figwidth() * scale_x) fig.set_figheight(fig.get_figheight() * scale_y) # redraw, temporarily disable event to avoid infinite recursion func_handles = fig.canvas.callbacks.callbacks[event.name] canvas.callbacks.callbacks[event.name] = {} # redraw the figure.. canvas.draw() # reset the draw event callbacks fig.canvas.callbacks.callbacks[event.name] = func_handles return False def outer_legend(*args, **kwargs): """plot legend outside of plot by rescaling it. Copied originally from http://www.mail-archive.com/matplotlib-users@lists.sourceforge.net/msg04256.html but modified. There were problems with the automatic re-scaling of the plot. Basically, the legend size seemed to be unknown and set to 0,0,1,1. Only after plotting were the correct bbox coordinates entered. The current implementation allocates 3/4 of the canvas for the legend and hopes for the best. """ # make a legend without the location # remove the location setting from the kwargs if 'loc' in kwargs: loc = kwargs.pop('loc') else: loc == "outer-top" if loc.endswith("right"): leg = plt.legend(bbox_to_anchor=(1.05, 1), loc=2, borderaxespad=0., mode="expand", *args, **kwargs) elif loc.endswith("top"): leg = plt.legend( bbox_to_anchor=(0, 1.02, 1., 1.02), loc=3, mode="expand", *args, **kwargs) else: raise ValueError("unknown legend location %s" % loc) fig = plt.gcf() cid = fig.canvas.mpl_connect('draw_event', on_draw) return leg # the following has been taken from # http://www.scipy.org/Cookbook/Matplotlib/HintonDiagrams def hinton(W, maxWeight=None): """ Draws a Hinton diagram for visualizing a weight matrix. Temporarily disables matplotlib interactive mode if it is on, otherwise this takes forever. """ def _blob(x, y, area, colour): """ Draws a square-shaped blob with the given area (< 1) at the given coordinates. """ hs = numpy.sqrt(area) / 2 xcorners = numpy.array([x - hs, x + hs, x + hs, x - hs]) ycorners = numpy.array([y - hs, y - hs, y + hs, y + hs]) plt.fill(xcorners, ycorners, colour, edgecolor=colour) reenable = False if plt.isinteractive(): reenable = True plt.ioff() plt.clf() height, width = W.shape if not maxWeight: maxWeight = 2 ** numpy.ceil( numpy.log(numpy.max(numpy.abs(W))) / numpy.log(2)) plot = plt.fill( numpy.array([0, width, width, 0]), numpy.array([0, 0, height, height]), 'gray') plt.axis('off') plt.axis('equal') for x in range(width): for y in range(height): _x = x + 1 _y = y + 1 w = W[y, x] if w > 0: _blob( _x - 0.5, height - _y + 0.5, min(1, w / maxWeight), 'white') elif w < 0: _blob( _x - 0.5, height - _y + 0.5, min(1, -w / maxWeight), 'black') if reenable: plt.ion() return plot class LinePlot(Renderer, Plotter): '''create a line plot. Plot lines from a dataframe. Separate lines are defined by: 1. multiple columns in the dataframe 2. mulitple indices in the dataframe This is a base class that provides several hooks for derived classes. initPlot() for line, data in work: initLine() for label, coords in data: xlabel, ylabels = initCoords() for ylabel in ylabels: addData(xlabel, ylabel) finishCoords() finishLine() finishPlot() This plotter accepts the following options: :term:`as-lines`: do not plot symbols :term:`yerror`: every second data track is a y error ''' nlevels = 1 options = Plotter.options +\ (('as-lines', directives.flag), ('yerror', directives.flag), ) # when splitting, keep first column (X coordinates) split_keep_first_column = True def __init__(self, *args, **kwargs): Renderer.__init__(self, *args, **kwargs) Plotter.__init__(self, *args, **kwargs) self.as_lines = "as-lines" in kwargs # data to use for Y error bars self.yerror = "yerror" in kwargs # do not plot more than ten tracks in one plot if self.split_at == 0: self.split_at = 10 self.split_at = min(self.split_at, 10) def initPlot(self, fig, dataseries, path): '''initialize plot.''' self.legend = [] self.plots = [] self.xlabels = [] self.ylabels = [] def getFormat(self, nplotted): '''return tuple with color, linestyle and marker for data series *n* within a plot.''' color = self.format_colors[nplotted % len(self.format_colors)] nplotted //= len(self.format_colors) linestyle = self.format_lines[nplotted % len(self.format_lines)] if self.as_lines: marker = None else: nplotted //= len(self.format_lines) marker = self.format_markers[nplotted % len(self.format_markers)] return color, linestyle, marker def addData(self, xvals, yvals, xlabel, ylabel, nplotted, yerrors=None): xxvals, yyvals = Stats.filterNone((xvals, yvals)) color, linestyle, marker = self.getFormat(nplotted) if yerrors: self.plots.append(plt.errorbar(xxvals, yyvals, yerr=yerrors, label=ylabel, color=color, linestyle=linestyle, marker=marker)) else: self.plots.append(plt.plot(xxvals, yyvals, color=color, linestyle=linestyle, marker=marker, label=ylabel)) self.ylabels.append(path2str(ylabel)) self.xlabels.append(path2str(xlabel)) def initLine(self, line, data): '''hook for code working on a line.''' pass def initCoords(self, label, coords): '''hook for code working a collection of coords. should return a single key for xvalues and one or more keys for y-values. ''' keys = list(coords.keys()) return keys[0], keys[1:] def finishCoords(self, label, coords): '''hook called after all coords have been processed.''' pass def finishPlot(self, fig, work, path): '''hook called after plotting has finished.''' plt.xlabel("-".join(set(self.xlabels))) plt.ylabel("-".join(set(self.ylabels))) def render(self, dataframe, path): fig = self.startPlot() self.initPlot(fig, dataframe, path) nplotted = 0 columns = dataframe.columns if len(columns) < 2: raise ValueError( 'require at least two columns, got %i' % len(columns)) level = Utils.getGroupLevels(dataframe) for key, work in dataframe.groupby( level=level): xvalues = work[columns[0]] for column in work.columns[1:]: self.initLine(column, work) yvalues = work[column] if len(xvalues) != len(yvalues): raise ValueError( "length of x,y tuples not consistent: " "(%s) %i != (%s) %i" % (columns[0], len(xvalues), column, len(yvalues))) self.initCoords(xvalues, yvalues) self.addData(xvalues, yvalues, columns[0], column, nplotted) nplotted += 1 self.legend.append(path2str(key) + "/" + path2str(column)) self.finishPlot(fig, dataframe, path) return self.endPlot(self.plots, self.legend, path) class HistogramPlot(LinePlot): '''create a line plot. This:class:`Renderer` requires at least three levels: Currently the xvalues are interpreted as left bin sizes and the last bin is the same width as the second to last bin. This could be made more correct using the bins from histogram directly. line / data / coords. ''' nlevels = 2 # column to use for error bars error = None options = LinePlot.options +\ (('error', directives.unchanged),) def __init__(self, *args, **kwargs): LinePlot.__init__(self, *args, **kwargs) try: self.error = kwargs["error"] except KeyError: pass def initCoords(self, xvalues, yvalues): '''collect error coords and compute bar width.''' self.yerr = None # locate error bars # if self.error and self.error in coords: # self.yerr = coords[self.error] # ylabels = [ x for x in ylabels if x == self.error ] # else: # self.yerr = None # compute bar widths widths = [] xv = numpy.array(xvalues) w = xv[0] for x in xv[1:]: widths.append(x - w) w = x widths.append(widths[-1]) self.widths = widths def addData(self, xvals, yvals, xlabel, ylabel, nplotted, yerrors=None): alpha = 1.0 / (nplotted + 1) self.plots.append(plt.bar( list(xvals), list(yvals), width=self.widths, alpha=alpha, yerr=self.yerr, color=self.format_colors[nplotted % len(self.format_colors)],)) self.ylabels.append(path2str(ylabel)) self.xlabels.append(path2str(xlabel)) def finishPlot(self, fig, work, path): LinePlot.finishPlot(self, fig, work, path) # there is a problem with legends # even though len(plts) == len(legend) # matplotlib thinks there are more. # In fact, it thinks it is len(plts) = len(legend) * len(xvals) self.legend = None class HistogramGradientPlot(LinePlot): '''create a series of coloured bars from histogram data. This:class:`Renderer` requires at least three levels: line / data / coords. ''' nlevels = 2 options = LinePlot.options +\ (('palette', directives.unchanged), ('reverse-palette', directives.flag), ('colorbar-format', directives.unchanged)) def __init__(self, *args, **kwargs): LinePlot.__init__(self, *args, **kwargs) try: self.mBarFormat = kwargs["colorbar-format"] except KeyError: self.mBarFormat = "%1.1f" try: self.mPalette = kwargs["palette"] except KeyError: self.mPalette = "Blues" self.mReversePalette = "reverse-palette" in kwargs if self.mPalette: if self.mReversePalette: self.color_scheme = plt.get_cmap("%s_r" % self.mPalette) else: self.color_scheme = plt.get_cmap("%s" % self.mPalette) else: self.color_scheme = None raise NotImplementedError( 'histogram-gradient-plot needs to be updated') def initPlot(self, fig, dataseries, path): LinePlot.initPlot(self, fig, dataseries, path) # get min/max x and number of rows xmin, xmax = None, None ymin, ymax = None, None nrows = 0 self.xvals = None work = dataseries.unstack() for line, data in list(work.items()): for label, coords in list(data.items()): try: keys = list(coords.keys()) except AttributeError: continue if len(keys) <= 1: continue xvals = coords[keys[0]] if self.xvals is None: self.xvals = xvals elif not numpy.all(self.xvals == xvals): raise ValueError( "Gradient-Histogram-Plot requires the same x values.") if xmin is None: xmin, xmax = min(xvals), max(xvals) else: xmin = min(xmin, min(xvals)) xmax = max(xmax, max(xvals)) for ylabel in keys[1:]: yvals = coords[ylabel] if ymin is None: ymin, ymax = min(yvals), max(yvals) else: ymin = min(ymin, min(yvals)) ymax = max(ymax, max(yvals)) nrows += len(keys) - 1 self.nrows = nrows self.ymin, self.ymax = ymin, ymax if self.zrange: self.ymin, self.ymax = self.zrange def addData(self, line, label, xlabel, ylabel, xvals, yvals, nplotted, yerrors=None): if self.zrange: vmin, vmax = self.zrange if vmin is None: vmin = yvals.min() if vmax is None: vmax = yvals.max() yvals[yvals < vmin] = vmin yvals[yvals > vmax] = vmax a = numpy.vstack((yvals, yvals)) ax = plt.subplot(self.nrows, 1, nplotted + 1) self.plots.append(plt.imshow(a, aspect='auto', cmap=self.color_scheme, origin='lower', vmax=self.ymax, vmin=self.ymin)) # add legend on left-hand side pos = list(ax.get_position().bounds) self.mCurrentFigure.text(pos[0] - 0.01, pos[1], line, horizontalalignment='right') ax = plt.gca() plt.setp(ax.get_xticklabels(), visible=False) plt.setp(ax.get_yticklabels(), visible=False) def finishPlot(self, fig, work, path): ax = plt.gca() plt.setp(ax.get_xticklabels(), visible=True) increment = len(self.xvals) // 5 ax.set_xticks(list(range(0, len(self.xvals), increment))) ax.set_xticklabels([self.xvals[x] for x in range(0, len(self.xvals), increment)]) LinePlot.finishPlot(self, fig, work, path) self.legend = None # add colorbar on the right plt.subplots_adjust(bottom=0.1, right=0.8, top=0.9) cax = plt.axes([0.85, 0.1, 0.075, 0.8]) plt.colorbar(cax=cax, format=self.mBarFormat) class BarPlot(TableMatrix, Plotter): '''A bar plot. This:class:`Renderer` requires two levels: rows[dict] / cols[dict] ''' options = TableMatrix.options + Plotter.options +\ (('label', directives.unchanged), ('error', directives.unchanged), ('colour', directives.unchanged), ('transparency', directives.unchanged), ('bottom-value', directives.unchanged), ('orientation', directives.unchanged), ('first-is-offset', directives.unchanged), ('switch', directives.unchanged), ('bar-width', directives.unchanged), ) # column to use for error bars error = None # column to use for labels label = None # column to use for custom colours colour = None # column to use for transparency values # transparency does not work yet - bar plot does not # accept a list of transparency values transparency = None # bottom value of bars (can be used to move intersection of x-axis with # y-axis) bottom_value = None label_offset_x = 10 label_offset_y = 5 # orientation of bars orientation = 'vertical' # first row is offset (not plotted) first_is_offset = False # switch rows/columns switch_row_col = False # bar width (height for horizontal plots) bar_width = 0.5 # always put multiple bars in a plot group_level = -1 def __init__(self, *args, **kwargs): TableMatrix.__init__(self, *args, **kwargs) Plotter.__init__(self, *args, **kwargs) self.error = kwargs.get("error", None) self.label = kwargs.get("label", None) self.colour = kwargs.get("colour", None) self.switch_row_col = 'switch' in kwargs self.transparency = kwargs.get("transparency", None) if self.transparency: raise NotImplementedError("transparency not implemented yet") self.orientation = kwargs.get('orientation', 'vertical') if 'bar-width' in kwargs: self.bar_width = float(kwargs.get('bar-width')) self.barlog = False if self.orientation == 'vertical': # bar functions require log parameter if self.logscale and "y" in self.logscale: self.barlog = True # erase other log transformations self.logscale = None self.plotf = plt.bar else: if self.logscale and "x" in self.logscale: self.barlog = True self.logscale = None self.plotf = plt.barh self.bottom_value = kwargs.get("bottom-value", None) self.first_is_offset = 'first-is-offset' in kwargs self.bar_patterns = list(itertools.product(self.mPatterns, self.format_colors)) def addLabels(self, xvals, yvals, labels): '''add labels at x,y at current plot. ''' def coord_offset(ax, fig, x, y): return matplotlib.transforms.offset_copy( ax.transData, fig, x=x, y=y, units='dots') if self.orientation == 'horizontal': xvals, yvals = yvals, xvals ax = plt.gca() trans = coord_offset(ax, self.mCurrentFigure, self.label_offset_x, self.label_offset_y) for xval, yval, label in zip(xvals, yvals, labels): ax.text(xval, yval, label, transform=trans) def buildMatrices(self, dataframe): '''build matrices necessary for plotting. If a matrix only contains a single row, the matrix is transposed. ''' def _getMatrix(l, dataframe): if l is None: return None m = dataframe[l] try: m = m.unstack() return m.values except AttributeError: # is not a multi-index object, no need to unstack m = m.values m.shape = len(m), 1 return m self.error_matrix = _getMatrix(self.error, dataframe) self.label_matrix = _getMatrix(self.label, dataframe) self.colour_matrix = _getMatrix(self.colour, dataframe) self.transparency_matrix = _getMatrix(self.transparency, dataframe) # remove the special columns if self.error or self.label or self.colour or self.transparency: dataframe = dataframe[ [x for x in dataframe.columns if x not in (self.error, self.label, self.colour, self.transparency)]] # take first of the remaining columns ignoring the rest try: df = dataframe[dataframe.columns[0]].unstack() except AttributeError: # is not a multi-index object, no need to unstack df = dataframe self.rows = [path2str(x) for x in list(df.index)] self.columns = list(df.columns) self.data_matrix = df.values if self.switch_row_col or self.data_matrix.shape[0] == 1: if self.data_matrix is not None: self.data_matrix = self.data_matrix.transpose() if self.error_matrix is not None: self.error_matrix = self.error_matrix.transpose() if self.label_matrix is not None: self.label_matrix = self.label_matrix.transpose() if self.colour_matrix is not None: self.colour_matrix = self.colour_matrix.transpose() if self.transparency_matrix is not None: self.transparency_matrix = self.transparency_matrix.transpose() self.rows, self.columns = self.columns, self.rows def getColour(self, idx, column): '''return hatch and colour.''' if self.transparency_matrix is not None: alpha = self.transparency_matrix[:, column] else: alpha = None # the colour plotting has a problem with arrays, return # a list if self.colour_matrix is not None: color = list(self.colour_matrix[:, column]) hatch = None else: hatch, color = self.bar_patterns[idx % len(self.bar_patterns)] return hatch, color, alpha def addTicks(self, xvals): '''add tick marks to plots.''' rotation = "horizontal" if self.orientation == "vertical": if len(self.rows) > 5 or max([len(x) for x in self.rows]) >= 8: rotation = "vertical" self.rescaleForVerticalLabels(self.rows) if self.orientation == 'vertical': plt.xticks( xvals + self.bar_width / 2., self.rows, rotation=rotation) else: plt.yticks( xvals + self.bar_width / 2., self.rows, rotation=rotation) locs, labels = plt.xticks() plt.xticks(locs, labels, rotation='vertical') def render(self, dataseries, path): self.buildMatrices(dataseries) self.startPlot() plts = [] xvals = numpy.arange(0, len(self.rows)) # plot by row y, error = 0, None for column, header in enumerate(self.columns): vals = self.data_matrix[:, column] if self.error: error = self.error_matrix[:, column] # patch for wrong ylim. matplotlib will set the yrange # inappropriately, if the first value is None or nan # set to 0. Nan values elsewhere are fine. if numpy.isnan(vals[0]) or numpy.isinf(vals[0]): vals[0] = 0 hatch, color, alpha = self.getColour(y, column) alpha = 1.0 / (len(plts) + 1) if self.bottom_value is not None: bottom = float(self.bottom_value) else: bottom = None kwargs = {} if self.orientation == 'vertical': kwargs['bottom'] = bottom else: kwargs['left'] = bottom plts.append(self.plotf(xvals, vals, self.bar_width, yerr=error, ecolor="black", color=color, hatch=hatch, alpha=alpha, log=self.barlog, **kwargs)[0]) if self.label and self.label_matrix is not None: self.addLabels(xvals, vals, self.label_matrix[:, column]) y += 1 self.addTicks(xvals) return self.endPlot(plts, self.columns, path) class InterleavedBarPlot(BarPlot): """A plot with interleaved bars. This:class:`Renderer` requires two levels: rows[dict] / cols[dict] """ # always put multiple bars in a plot # and multiple data points in a plot group_level = -2 def __init__(self, *args, **kwargs): BarPlot.__init__(self, *args, **kwargs) def render(self, dataseries, path): self.buildMatrices(dataseries) self.startPlot() width = 1.0 / (len(self.columns) + 1) plts, error = [], None xvals = numpy.arange(0, len(self.rows)) offset = width / 2.0 # plot by row row = 0 for column, header in enumerate(self.columns): vals = self.data_matrix[:, column] if self.error: error = self.error_matrix[:, column] # patch for wrong ylim. matplotlib will set the yrange # inappropriately, if the first value is None or nan # set to 0. Nan values elsewhere are fine. if vals[0] is None or numpy.isnan(vals[0]) or numpy.isinf(vals[0]): vals[0] = 0 if self.error: error[0] = 0 hatch, color, alpha = self.getColour(row, column) if self.bottom_value is not None: bottom = float(self.bottom_value) else: bottom = None kwargs = {} if self.orientation == 'vertical': kwargs['bottom'] = bottom else: kwargs['left'] = bottom plts.append(self.plotf(xvals + offset, vals, width, yerr=error, align="edge", ecolor="black", color=color, hatch=hatch, alpha=alpha, log=self.barlog, **kwargs)[0]) if self.label and self.label_matrix is not None: self.addLabels(xvals + offset, vals, self.label_matrix[:, column]) offset += width row += 1 self.addTicks(xvals) return self.endPlot(plts, self.columns, path) class StackedBarPlot(BarPlot): """A plot with stacked bars. This:class:`Renderer` requires two levels: rows[dict] / cols[dict] """ # always put multiple bars in a plot # and multiple data points in a plot group_level = -2 def __init__(self, *args, **kwargs): BarPlot.__init__(self, *args, **kwargs) def render(self, dataseries, path): self.buildMatrices(dataseries) self.startPlot() plts = [] xvals = numpy.arange((1.0 - self.bar_width) / 2., len(self.rows), dtype=numpy.float) sums = numpy.zeros(len(self.rows), dtype=numpy.float) y, error, is_first = 0, None, True legend = [] colour_offset = 0 for column, header in enumerate(self.columns): # cast to float, otherwise numpy complains # about unsafe casting vals = numpy.array(self.data_matrix[:, column], dtype=float) if self.error: error = self.error_matrix[:, column] # patch for wrong ylim. matplotlib will set the yrange # inappropriately, if the first value is None or nan # set to 0. Nan values elsewhere are fine. if vals[0] is None or numpy.isnan(vals[0]) or numpy.isinf(vals[0]): vals[0] = 0 if self.error: error[0] = 0 kwargs = {} if self.orientation == 'vertical': kwargs['bottom'] = sums else: kwargs['left'] = sums # do not plot if first value if self.first_is_offset and is_first: is_first = False sums += vals y += 1 # ensure plot starts from 0 unless explicitely given. # if self.orientation == 'vertical': # if self.yrange == None: self.yrange = (0,None) # else: # if self.xrange == None: self.xrange = (0,None) colour_offset = 1 continue hatch, color, alpha = self.getColour(y, column - colour_offset) plts.append(self.plotf(xvals, vals, self.bar_width, yerr=error, color=color, hatch=hatch, alpha=alpha, ecolor="black", log=self.barlog, **kwargs)[0]) if self.label and self.label_matrix is not None: self.addLabels(xvals, vals, self.label_matrix[:, column]) legend.append(header) sums += vals y += 1 self.addTicks(xvals) return self.endPlot(plts, legend, path) class DataSeriesPlot(Renderer, Plotter): """Plot one or more data series within a single plot. The data series is given as a hierachically indexed (melted) data series or multiple columns. This:class:`Renderer` requires two levels. labels[dict] / data[array] """ options = Renderer.options + Plotter.options nlevels = 1 def __init__(self, *args, **kwargs): Renderer.__init__(self, *args, **kwargs) Plotter.__init__(self, *args, **kwargs) def render(self, dataframe, path): plts, legend = [], [] self.startPlot() if len(dataframe.columns) == 1: # in hierarchical indices, get rid of superfluous # levels (often these are row numbers) if isinstance(dataframe.index, pandas.MultiIndex): todrop = [] for x, level in enumerate(dataframe.index.levels): if len(level) == len(dataframe.index): todrop.append(x) dd = dataframe.reset_index( todrop, drop=True) # convert to single-level index dd.index = list(map(path2str, dd.index)) else: dd = dataframe # convert index to columns dd = dd.reset_index() assert len(dd.columns) == 2 dd.columns = ('label', 'value') melted = True else: dd = dataframe melted = False plts.extend(self.plotData(dd, melted)) self.updatePlot() return self.endPlot(plts, None, path) def updatePlot(self): ax = plt.gca() labels = ax.xaxis.get_majorticklabels() if len(labels) > 5: for x in labels: x.set_rotation(90) class MultipleSeriesPlot(Renderer, Plotter): """Plot data according to different orientations. If the dataframe has only a single column, create a single plot with row names as keys and the column as values. If the dataframe has multiple columns, create one plot for each row with the column headers as keys and the row as values. """ options = Renderer.options + Plotter.options def __init__(self, *args, **kwargs): Renderer.__init__(self, *args, **kwargs) Plotter.__init__(self, *args, **kwargs) def render(self, dataframe, path): blocks = ResultBlocks() if len(dataframe.columns) == 1: keys = tuple(dataframe.index) values = tuple(dataframe.iloc[:, 0]) blocks.extend(self.plot(keys, values, path)) else: for title, row in dataframe.iterrows(): row = row[row.notnull()] keys = tuple(row.index) values = tuple(row) blocks.extend( self.plot(keys, values, title + path)) return blocks def updatePlot(self, legend): return class PlotByRow(Renderer, Plotter): '''Create multiple plots from a dataframe in row-wise fashion. Currently not used by any subclass. ''' nlevels = 1 def __init__(self, *args, **kwargs): Renderer.__init__(self, *args, **kwargs) Plotter.__init__(self, *args, **kwargs) def render(self, dataframe, path): blocks = ResultBlocks() for title, row in dataframe.iterrows(): row = row[row.notnull()] values = row.tolist() headers = list(row.index) blocks.extend(self.plot(headers, values, path)) return blocks class PiePlot(MultipleSeriesPlot): """A pie chart. If *pie-first-is-total* is set, the first entry is assumed to be the total and all the other values are subtracted. It is renamed by the value of *pie-first-is-total*. """ options = TableMatrix.options + Plotter.options +\ (('pie-min-percentage', directives.unchanged), ('pie-first-is-total', directives.unchanged),) # Do not group data group_level = 'force-none' def __init__(self, *args, **kwargs): MultipleSeriesPlot.__init__(self, *args, **kwargs) self.mPieMinimumPercentage = float(kwargs.get("pie-min-percentage", 0)) self.mFirstIsTotal = kwargs.get("pie-first-is-total", None) # store a list of sorted headers to ensure the same sort order # in all plots. self.sorted_keys = odict() def plot(self, keys, values, path): # If there is only a single column, keys will be # the sample, not the category if len(keys) == 1: if self.mFirstIsTotal: keys = [self.mFirstIsTotal] for x in keys: if x not in self.sorted_keys: self.sorted_keys[x] = len(self.sorted_keys) sorted_vals = [0] * len(self.sorted_keys) for key, value in zip(keys, values): if value < self.mPieMinimumPercentage: sorted_vals[self.sorted_keys[key]] = 0 if "other" not in self.sorted_keys: self.sorted_keys["other"] = len(self.sorted_keys) sorted_vals.append(0) sorted_vals[self.sorted_keys["other"]] += value else: sorted_vals[self.sorted_keys[key]] = value labels = list(self.sorted_keys.keys()) self.startPlot() if sum(sorted_vals) == 0: return self.endPlot(None, None, path) # subtract others from total - rest if self.mFirstIsTotal and len(sorted_vals) > 1: sorted_vals[0] -= sum(sorted_vals[1:]) if sorted_vals[0] < 0: raise ValueError( "option first-is-total used, but first (%i) < rest (%i)" % (sorted_vals[0] + sum(sorted_vals[1:]), sum(sorted_vals[1:]))) labels[0] = self.mFirstIsTotal return self.endPlot(plt.pie(sorted_vals, labels=labels), None, path) class TableMatrixPlot(TableMatrix, PlotterMatrix): """Render a matrix as a matrix plot. """ options = TableMatrix.options + PlotterMatrix.options def __init__(self, *args, **kwargs): TableMatrix.__init__(self, *args, **kwargs) PlotterMatrix.__init__(self, *args, **kwargs) def render(self, work, path): """render the data.""" self.debug("building matrix started") matrix, rows, columns = self.buildMatrix(work) self.debug("building matrix finished") return self.plot(matrix, rows, columns, path) # for compatibility MatrixPlot = TableMatrixPlot class NumpyMatrixPlot(NumpyMatrix, PlotterMatrix): """Render a matrix as a matrix plot. """ options = NumpyMatrix.options + PlotterMatrix.options def __init__(self, *args, **kwargs): NumpyMatrix.__init__(self, *args, **kwargs) PlotterMatrix.__init__(self, *args, **kwargs) def render(self, work, path): """render the data.""" self.debug("building matrix started") matrix, rows, columns = self.buildMatrix(work) self.debug("building matrix finished") return self.plot(matrix, rows, columns, path) class HintonPlot(TableMatrix, PlotterHinton): """Render a matrix as a hinton plot. Draws a Hinton diagram for visualizing a weight matrix. The size of a box reflects the weight. This class adds the following options to the:term:`report` directive: :term:`colours`: colour boxes according to value. """ options = TableMatrix.options + PlotterHinton.options +\ (('colours', directives.unchanged), ) # column to use for error bars colour = None def __init__(self, *args, **kwargs): TableMatrix.__init__(self, *args, **kwargs) PlotterHinton.__init__(self, *args, **kwargs) self.colour = kwargs.get("colour", None) if self.colour: self.nlevels += 1 def render(self, work, path): """render the data.""" matrix, rows, columns = self.buildMatrices(work) return self.plot(matrix, rows, columns, path) class GalleryPlot(PlotByRow): '''Plot an image. ''' options = Renderer.options + Plotter.options + ( ('original', directives.flag), ('regex-title', directives.unchanged), ) nlevels = 1 def __init__(self, *args, **kwargs): PlotByRow.__init__(self, *args, **kwargs) self.use_original = "original" in kwargs if "regex-title" in kwargs: self.regex_title = re.compile(kwargs["regex-title"]) else: self.regex_title = None def plot(self, headers, values, path): blocks = ResultBlocks() dataseries = dict(list(zip(headers, values))) if "filename" in dataseries: # return value is a series filename = dataseries['filename'] elif len(values) == 1: filename = values[0] else: self.warn( "no 'filename' key in path %s" % (path2str(path))) return blocks rst_text = '''.. figure:: /%(absfn)s ''' # Warning: the link here will be invalid # if a report is moved. rst_link = '''* :download:`%(title)s </%(absfn)s>` ''' plts = [] absfn = os.path.abspath(filename) if self.regex_title: title = self.regex_title.search(filename).groups()[0] else: title = os.path.basename(filename) if self.use_original: return ResultBlocks(ResultBlock(text=rst_text % locals(), title=title)) # do not render svg images elif filename.endswith(".svg"): return ResultBlocks(ResultBlock(text=rst_text % locals(), title=title)) # do not render pdf images elif filename.endswith(".pdf"): return ResultBlocks(ResultBlock(text=rst_link % locals(), title=title)) self.startPlot() try: data = plt.imread(filename) except IOError: raise ValueError( "file format for file '%s' not recognized" % filename) ax = plt.gca() ax.frameon = False ax.axison = False # remove excess space around the image plt.tight_layout(pad=0) # Create a plot which the same shape as the original plot im_aspect = float(data.shape[0]) / float(data.shape[1]) plt_size = self.mCurrentFigure.get_size_inches() self.mCurrentFigure.set_figheight(plt_size[0] * im_aspect) plts.append(plt.imshow(data)) ax.set_position([0, 0, 1, 1]) title = dataseries.get("name", title) r = ResultBlock("\n".join( ("#$mpl {}.{}$#".format( path2key(path), self.get_figure_id()), "", "")), title=title) return ResultBlocks(r) class Text(PlotByRow): '''Insert data as quoted text ''' options = Renderer.options + Plotter.options +\ (('language', directives.unchanged), ) nlevels = 1 language = "guess" def __init__(self, *args, **kwargs): PlotByRow.__init__(self, *args, **kwargs) self.language = kwargs.get("language", "guess") def plot(self, headers, values, path): blocks = ResultBlocks() dataseries = dict(list(zip(headers, values))) if "filename" in dataseries: # return value is a series filename = dataseries['filename'] elif len(values) == 1: filename = values[0] else: self.warn( "no 'filename' key in path %s" % (path2str(path))) return blocks name = dataseries.get("name", path2str(path)) # todo: permit gzip'ed files with open(filename) as inf: lines = inf.readlines() lines = [" {}".format(x) for x in lines] rst_text = ".. code-block:: {}\n\n{}".format( self.language, "".join(lines)) return ResultBlocks(ResultBlock(text=rst_text, title=name)) class ScatterPlot(Renderer, Plotter): """Scatter plot. The different tracks will be displayed with different colours. This:class:`Renderer` requires two levels: track[dict] / coords[dict] :regression: int add linear regression function of a certain degree (straight line is degree 1). """ options = Renderer.options + Plotter.options +\ (('regression', directives.unchanged), ) nlevels = 1 def __init__(self, *args, **kwargs): Renderer.__init__(self, *args, **kwargs) Plotter.__init__(self, *args, **kwargs) # plt.scatter does not permitting setting # options in rcParams - hence the parameters # are parsed explicitely here self.markersize = self.mMPLRC.get( "lines.markersize", plt.rcParams.get("lines.markersize", 6)) self.markeredgewidth = self.mMPLRC.get( "lines.markeredgewith", plt.rcParams.get("lines.markeredgewidth", 0.5)) self.regression = int(kwargs.get("regression", 0)) def render(self, dataframe, path): nplotted = 0 plts, legend = [], [] xlabels, ylabels = [], [] columns = dataframe.columns if len(columns) < 2: raise ValueError( 'require at least two columns, got %i' % len(columns)) level = Utils.getGroupLevels(dataframe) xcolumn = columns[0] started = False for key, work in dataframe.groupby( level=level): for column in columns[1:]: # remove missing data points xvalues, yvalues = Stats.filterMissing( (work[xcolumn], work[column])) # remove columns with all NaN if len(xvalues) == 0 or len(yvalues) == 0: continue if not started: self.startPlot() started = True marker = self.format_markers[ nplotted % len(self.format_markers)] color = self.format_colors[ nplotted % len(self.format_colors)] # plt.scatter does not permitting setting # options in rcParams, so all is explict plts.append(plt.scatter( xvalues, yvalues, marker=marker, c=color, linewidths=self.markeredgewidth, s=self.markersize)) label = path2str(key) + "/" + path2str(column) legend.append(label) if self.regression: coeffs = numpy.polyfit(xvalues, yvalues, self.regression) p = numpy.poly1d(coeffs) svals = sorted(xvalues) plts.append(plt.plot(svals, [p(x) for x in svals], c=color, marker='None')) legend.append("regression %s" % label) nplotted += 1 plt.xlabel(xcolumn) plt.ylabel(":".join(map(str, columns[1:]))) return self.endPlot(plts, legend, path) class ScatterPlotWithColor(ScatterPlot): """Scatter plot with individual colors for each dot. This class adds the following options to the:term:`report` directive: :term:`colorbar-format`: numerical format for the colorbar. :term:`palette`: numerical format for the colorbar. :term:`zrange`: restrict plot a part of the z-axis. This:class:`Renderer` requires one level: coords[dict] """ options = Renderer.options + Plotter.options +\ (('palette', directives.unchanged), ('reverse-palette', directives.flag), ('colorbar-format', directives.unchanged)) nlevels = 2 def __init__(self, *args, **kwargs): ScatterPlot.__init__(self, *args, **kwargs) try: self.mBarFormat = kwargs["colorbar-format"] except KeyError: self.mBarFormat = "%1.1f" try: self.mPalette = kwargs["palette"] except KeyError: self.mPalette = "jet" self.mReversePalette = "reverse-palette" in kwargs def render(self, dataframe, path): self.startPlot() plts = [] if self.mPalette: if self.mReversePalette: color_scheme = eval("plt.cm.%s_r" % self.mPalette) else: color_scheme = eval("plt.cm.%s" % self.mPalette) else: color_scheme = None nplotted = 0 plts, legend = [], [] xlabels, ylabels = [], [] assert len(dataframe.columns) >= 3, \ "expected at least three columns, got %i: %s" % (dataframe.columns) xcolumn, ycolumn, zcolumn = dataframe.columns[:3] xvalues, yvalues, zvalues = dataframe[xcolumn], dataframe[ycolumn], \ dataframe[zcolumn] xvals, yvals, zvals = Stats.filterMissing((xvalues, yvalues, zvalues)) if len(xvalues) == 0 or len(yvalues) == 0 or len(zvalues) == 0: raise ValueError("no data") if self.zrange: vmin, vmax = self.zrange zvals = numpy.array(zvals) zvals[zvals < vmin] = vmin zvals[zvals > vmax] = vmax else: vmin, vmax = None, None marker = self.format_markers[nplotted % len(self.format_markers)] # plt.scatter does not permitting setting # options in rcParams, so all is explict plts.append(plt.scatter(xvalues, yvalues, marker=marker, s=self.markersize, c=zvalues, linewidths=self.markeredgewidth, cmap=color_scheme, vmax=vmax, vmin=vmin)) nplotted += 1 xlabels.append(xcolumn) ylabels.append(ycolumn) cb = plt.colorbar(format=self.mBarFormat) cb.ax.set_xlabel(zcolumn) plt.xlabel(":".join(set(xlabels))) plt.ylabel(":".join(set(ylabels))) return self.endPlot(plts, None, path) class VennPlot(Renderer, Plotter): '''plot a two and three circle venn diagramm. This:term:`renderer` plots a Venn diagramm. The dictionary should contain the elements * ('10', '01', and '11') for a two-circle Venn diagram. * ('100', '010', '110', '001', '101', '011', '111') for a three-circle Venn diagram. When plotting, the function looks for the first 3 or 7 element dictionary and the first 3 or 7 element list. data[dict] ''' options = Renderer.options + Plotter.options # no grouping group_level = -1 def __init__(self, *args, **kwargs): Renderer.__init__(self, *args, **kwargs) Plotter.__init__(self, *args, **kwargs) def render(self, dataframe, path): if matplotlib_venn is None: raise ValueError("library matplotlib_venn not available") if "names" not in dataframe.index.names: raise ValueError( "expected 'names' in index, got %s" % str(dataframe.index.names)) keys = tuple(dataframe.index.get_level_values('names')) plts = [] self.startPlot() for column in dataframe.columns: values = tuple(dataframe[column]) subsets = dict(list(zip(keys, values))) if "labels" in subsets: setlabels = subsets["labels"] del subsets["labels"] if subsets is None: self.warn( "no suitable data for Venn diagram at %s" % str(path)) return self.endPlot(plts, None, path) if len(subsets) == 3: if 0 in (subsets['10'], subsets['01']): self.warn("empty sets for Venn diagram at %s" % str(path)) return self.endPlot(plts, None, path) if setlabels: if len(setlabels) != 2: raise ValueError("require two labels, got %i" % len(setlabels)) plts.append(matplotlib_venn.venn2(subsets, set_labels=setlabels)) elif len(subsets) == 7: if 0 in (subsets['100'], subsets['010'], subsets['001']): self.warn("empty sets for Venn diagram at %s" % str(path)) return self.endPlot(plts, None, path) if setlabels: if len(setlabels) != 3: raise ValueError("require three labels, got %i" % len(setlabels)) plts.append(matplotlib_venn.venn3(subsets, set_labels=setlabels)) else: raise ValueError( "require 3 or 7 values for a Venn diagramm, got %i" % len(subsets)) return self.endPlot(plts, None, path)
36,708
0
1,331
f41d2d839f67d0ab2bd7e5f804f893ad192a9523
13,544
py
Python
numba/cfg.py
teoliphant/numba
a2a05737b306853c86c61ef6620c2cc43cb28c18
[ "BSD-2-Clause" ]
3
2015-08-28T21:13:58.000Z
2022-01-21T17:02:14.000Z
numba/cfg.py
teoliphant/numba
a2a05737b306853c86c61ef6620c2cc43cb28c18
[ "BSD-2-Clause" ]
null
null
null
numba/cfg.py
teoliphant/numba
a2a05737b306853c86c61ef6620c2cc43cb28c18
[ "BSD-2-Clause" ]
null
null
null
#! /usr/bin/env python # ______________________________________________________________________ '''cfg Defines the ControlFlowGraph class, which is used by the Numba translator to perform accurate phi node generation. When used as the main module, displays the control flow graph for arguments of the form <module.module_fn>. Example: % python -m numba.cfg test_while.while_loop_fn_0 ''' # ______________________________________________________________________ import opcode import pprint from .utils import itercode import sys # ______________________________________________________________________ # ______________________________________________________________________ # ______________________________________________________________________ if __name__ == "__main__": import sys main(*sys.argv[1:]) # ______________________________________________________________________ # End of cfg.py
38.477273
79
0.589929
#! /usr/bin/env python # ______________________________________________________________________ '''cfg Defines the ControlFlowGraph class, which is used by the Numba translator to perform accurate phi node generation. When used as the main module, displays the control flow graph for arguments of the form <module.module_fn>. Example: % python -m numba.cfg test_while.while_loop_fn_0 ''' # ______________________________________________________________________ import opcode import pprint from .utils import itercode import sys # ______________________________________________________________________ class ControlFlowGraph (object): def __init__ (self): self.blocks = {} self.blocks_in = {} self.blocks_out = {} self.blocks_reads = {} self.blocks_writes = {} self.blocks_writer = {} self.blocks_dom = {} self.blocks_reaching = {} def add_block (self, key, value = None): self.blocks[key] = value if key not in self.blocks_in: self.blocks_in[key] = set() self.blocks_out[key] = set() self.blocks_reads[key] = set() self.blocks_writes[key] = set() self.blocks_writer[key] = {} def add_edge (self, from_block, to_block): self.blocks_out[from_block].add(to_block) self.blocks_in[to_block].add(from_block) @classmethod def build_cfg (cls, code_obj, *args, **kws): ret_val = cls(*args, **kws) opmap = opcode.opname ret_val.crnt_block = 0 ret_val.code_len = len(code_obj.co_code) ret_val.add_block(0) ret_val.blocks_writes[0] = set(range(code_obj.co_argcount)) last_was_jump = True # At start there is no prior basic block # to link up with, so skip building a # fallthrough edge. for i, op, arg in itercode(code_obj.co_code): if i in ret_val.blocks: if not last_was_jump: ret_val.add_edge(ret_val.crnt_block, i) ret_val.crnt_block = i last_was_jump = False method_name = "op_" + opmap[op] if hasattr(ret_val, method_name): last_was_jump = getattr(ret_val, method_name)(i, op, arg) del ret_val.crnt_block, ret_val.code_len return ret_val # NOTE: The following op_OPNAME methods are correct for Python # semantics, but may be overloaded for Numba-specific semantics. def op_FOR_ITER (self, i, op, arg): self.add_block(i) self.add_edge(self.crnt_block, i) self.add_block(i + arg + 3) self.add_edge(i, i + arg + 3) self.add_block(i + 3) self.add_edge(i, i + 3) self.crnt_block = i return False def op_JUMP_ABSOLUTE (self, i, op, arg): self.add_block(arg) self.add_edge(self.crnt_block, arg) self.add_block(i + 3) return True def op_JUMP_FORWARD (self, i, op, arg): target = i + arg + 3 self.add_block(target) self.add_edge(self.crnt_block, target) self.add_block(i + 3) return True def op_JUMP_IF_FALSE_OR_POP (self, i, op, arg): raise NotImplementedError('FIXME') op_JUMP_IF_TRUE_OR_POP = op_JUMP_IF_FALSE_OR_POP def op_LOAD_FAST (self, i, op, arg): self.blocks_reads[self.crnt_block].add(arg) return False def op_POP_JUMP_IF_FALSE (self, i, op, arg): self.add_block(i + 3) self.add_block(arg) self.add_edge(self.crnt_block, i + 3) self.add_edge(self.crnt_block, arg) return True op_POP_JUMP_IF_TRUE = op_POP_JUMP_IF_FALSE def op_RETURN_VALUE (self, i, op, arg): if i + 1 < self.code_len: self.add_block(i + 1) return True def op_SETUP_LOOP (self, i, op, arg): self.add_block(i + 3) self.add_edge(self.crnt_block, i + 3) return True # This is not technically a jump, but we've # already built the proper CFG edges, so skip the # fallthrough plumbing. def _writes_local (self, block, write_instr_index, local_index): self.blocks_writes[block].add(local_index) block_writers = self.blocks_writer[block] old_index = block_writers.get(local_index, -1) # This checks for a corner case that would impact # numba.translate.Translate.build_phi_nodes(). assert old_index != write_instr_index, ( "Found corner case for STORE_FAST at a CFG join!") block_writers[local_index] = max(write_instr_index, old_index) def op_STORE_FAST (self, i, op, arg): self._writes_local(self.crnt_block, i, arg) return False def compute_dataflow (self): '''Compute the dominator and reaching dataflow relationships in the CFG.''' blocks = set(self.blocks.keys()) nonentry_blocks = blocks.copy() for block in blocks: self.blocks_dom[block] = blocks self.blocks_reaching[block] = set((block,)) if len(self.blocks_in[block]) == 0: self.blocks_dom[block] = set((block,)) nonentry_blocks.remove(block) changed = True while changed: changed = False for block in nonentry_blocks: olddom = self.blocks_dom[block] newdom = set.intersection(*[self.blocks_dom[pred] for pred in self.blocks_in[block]]) newdom.add(block) if newdom != olddom: changed = True self.blocks_dom[block] = newdom oldreaching = self.blocks_reaching[block] newreaching = set.union( *[self.blocks_reaching[pred] for pred in self.blocks_in[block]]) newreaching.add(block) if newreaching != oldreaching: changed = True self.blocks_reaching[block] = newreaching return self.blocks_dom, self.blocks_reaching def update_for_ssa (self): '''Modify the blocks_writes map to reflect phi nodes inserted for static single assignment representations.''' joins = [block for block in self.blocks.iterkeys() if len(self.blocks_in[block]) > 1] changed = True while changed: changed = False for block in joins: phis_needed = self.phi_needed(block) for affected_local in phis_needed: if affected_local not in self.blocks_writes[block]: changed = True # NOTE: For this to work, we assume that basic # blocks are indexed by their instruction # index in the VM bytecode. self._writes_local(block, block, affected_local) def idom (self, block): '''Compute the immediate dominator (idom) of the given block key. Returns None if the block has no in edges. Note that in the case where there are multiple immediate dominators (a join after a non-loop branch), this returns one of the predecessors, but is not guaranteed to reliably select one over the others (depends on the ordering of the set type iterator).''' preds = self.blocks_in[block] npreds = len(preds) if npreds == 0: ret_val = None elif npreds == 1: ret_val = tuple(preds)[0] else: ret_val = [pred for pred in preds if block not in self.blocks_dom[pred]][0] return ret_val def block_writes_to_writer_map (self, block): ret_val = {} for local in self.blocks_writes[block]: ret_val[local] = block return ret_val def get_reaching_definitions (self, block): '''Return a nested map for the given block s.t. ret_val[pred][local] equals the block key for the definition of local that reaches the argument block via that predecessor. Useful for actually populating phi nodes, once you know you need them.''' has_memoized = hasattr(self, 'reaching_definitions') if has_memoized and block in self.reaching_definitions: ret_val = self.reaching_definitions[block] else: preds = self.blocks_in[block] ret_val = {} for pred in preds: ret_val[pred] = self.block_writes_to_writer_map(pred) crnt = self.idom(pred) while crnt != None: crnt_writer_map = self.block_writes_to_writer_map(crnt) # This order of update favors the first definitions # encountered in the traversal since the traversal # visits blocks in reverse execution order. crnt_writer_map.update(ret_val[pred]) ret_val[pred] = crnt_writer_map crnt = self.idom(crnt) if not has_memoized: self.reaching_definitions = {} self.reaching_definitions[block] = ret_val return ret_val def nreaches (self, block): '''For each local, find the number of unique reaching definitions the current block has.''' # Slice and dice the idom tree so that each predecessor claims # at most one definition so we don't end up over or # undercounting. preds = self.blocks_in[block] idoms = {} idom_writes = {} # Fib a little here to truncate traversal in loops if they are # being chased before the actual idom of the current block has # been handled. visited = preds.copy() for pred in preds: idoms[pred] = set((pred,)) idom_writes[pred] = self.blocks_writes[pred].copy() # Traverse up the idom tree, adding sets of writes as we # go. crnt = self.idom(pred) while crnt != None and crnt not in visited: idoms[pred].add(crnt) idom_writes[pred].update(self.blocks_writes[crnt]) visited.add(crnt) crnt = self.idom(crnt) all_writes = set.union(*[idom_writes[pred] for pred in preds]) ret_val = {} for local in all_writes: ret_val[local] = sum((1 if local in idom_writes[pred] else 0 for pred in preds)) return ret_val def phi_needed (self, join): '''Return the set of locals that will require a phi node to be generated at the given join.''' nreaches = self.nreaches(join) return set([local for local in nreaches.iterkeys() if nreaches[local] > 1]) def pprint (self, *args, **kws): pprint.pprint(self.__dict__) def to_dot (self, graph_name = None): '''Return a dot (digraph visualizer in Graphviz) graph description as a string.''' if graph_name is None: graph_name = 'CFG_%d' % id(self) lines_out = [] for block_index in self.blocks: lines_out.append( 'BLOCK_%r [shape=box, label="BLOCK_%r\\nr: %r, w: %r"];' % (block_index, block_index, tuple(self.blocks_reads[block_index]), tuple(self.blocks_writes[block_index]))) for block_index in self.blocks: for out_edge in self.blocks_out[block_index]: lines_out.append('BLOCK_%r -> BLOCK_%r;' % (block_index, out_edge)) return 'digraph %s {\n%s\n}\n' % (graph_name, '\n'.join(lines_out)) # ______________________________________________________________________ def main (*args, **kws): import getopt, importlib def get_module_member (member_path): ret_val = None module_split = member_path.rsplit('.', 1) if len(module_split) > 1: module = importlib.import_module(module_split[0]) ret_val = getattr(module, module_split[1]) return ret_val opts, args = getopt.getopt(args, 'dC:D:') kws.update(opts) dot_out = None cls = ControlFlowGraph for opt_key, opt_val in kws.iteritems(): if opt_key == '-d': dot_out = sys.stdout elif opt_key in ('-D', 'dot'): dot_out = open(opt_val, "w") elif opt_key in ('-C', 'cfg_cls'): cls = get_module_member(opt_val) for arg in args: func = get_module_member(arg) if func is None: print("Don't know how to handle %r, expecting <module.member> " "arguments. Skipping..." % (arg,)) elif not hasattr(func, 'func_code'): print("Don't know how to handle %r, module member does not " "have a code object. Skipping..." % (arg,)) else: cfg = cls.build_cfg(func.func_code) cfg.compute_dataflow() if dot_out is not None: dot_out.write(cfg.to_dot()) else: cfg.pprint() # ______________________________________________________________________ if __name__ == "__main__": import sys main(*sys.argv[1:]) # ______________________________________________________________________ # End of cfg.py
5,023
7,561
46
923ab395a5c0601130854e6eccfcfcd208cb917c
1,814
py
Python
local/unblind.py
pscott/stardrop
738c95f633bf79a53e99c4ba2c244c52c87b49a1
[ "Apache-2.0" ]
7
2021-07-30T04:19:46.000Z
2022-02-07T16:12:54.000Z
local/unblind.py
pscott/stardrop
738c95f633bf79a53e99c4ba2c244c52c87b49a1
[ "Apache-2.0" ]
9
2021-07-24T16:34:21.000Z
2021-07-29T11:01:26.000Z
local/unblind.py
pscott/stardrop
738c95f633bf79a53e99c4ba2c244c52c87b49a1
[ "Apache-2.0" ]
2
2021-11-13T14:49:43.000Z
2022-03-06T11:48:50.000Z
from starkware.crypto.signature.signature import ( pedersen_hash, private_to_stark_key, private_key_to_ec_point_on_stark_curve, get_random_private_key, verify, inv_mod_curve_size, EC_GEN, ALPHA, FIELD_PRIME, EC_ORDER, get_y_coordinate) from starkware.crypto.signature.math_utils import ( ECPoint, div_mod, ec_add, ec_double, ec_mult, is_quad_residue, sqrt_mod)
50.388889
188
0.676406
from starkware.crypto.signature.signature import ( pedersen_hash, private_to_stark_key, private_key_to_ec_point_on_stark_curve, get_random_private_key, verify, inv_mod_curve_size, EC_GEN, ALPHA, FIELD_PRIME, EC_ORDER, get_y_coordinate) from starkware.crypto.signature.math_utils import ( ECPoint, div_mod, ec_add, ec_double, ec_mult, is_quad_residue, sqrt_mod) def unblind(blinded_token_in, blinding_factor, public_key_in, blinded_request, c, r): blinded_request = [blinded_request, get_y_coordinate(blinded_request)] found = False # need to account for the fact the y coordinate can be the wrong one for i in range(4): public_key = [public_key_in, (1 if i == 0 or i == 1 else -1) * get_y_coordinate(public_key_in) % FIELD_PRIME] blinded_token = [blinded_token_in, (1 if i == 0 or i == 2 else -1) * get_y_coordinate(blinded_token_in) % FIELD_PRIME] t_hash = ec_mult(inv_mod_curve_size(blinding_factor), blinded_token, ALPHA, FIELD_PRIME)[0] vG = ec_add(ec_mult(r, EC_GEN, ALPHA, FIELD_PRIME), ec_mult( c, public_key, ALPHA, FIELD_PRIME), FIELD_PRIME) vH = ec_add(ec_mult(r, blinded_request, ALPHA, FIELD_PRIME), ec_mult( c, blinded_token, ALPHA, FIELD_PRIME), FIELD_PRIME) c_prime = pedersen_hash(pedersen_hash(pedersen_hash(vG[0], vH[0]), pedersen_hash( public_key[0], blinded_token[0])), pedersen_hash(EC_GEN[0], blinded_request[0])) if (c - c_prime) % FIELD_PRIME == 0: found = True break assert found assert (c - c_prime) % FIELD_PRIME == 0 print(f'Blinded token: {blinded_token}') print(f'Token: {t_hash}') print(f'Blinding factor: {blinding_factor}') return (t_hash)
1,420
0
23
da48c7f7496da7a3d15867e8be8af33d4faf7561
1,636
py
Python
tests/test_redict.py
julianirwin/redict
d75bf3c03b481cb41211898f438fdb693e199155
[ "MIT" ]
null
null
null
tests/test_redict.py
julianirwin/redict
d75bf3c03b481cb41211898f438fdb693e199155
[ "MIT" ]
null
null
null
tests/test_redict.py
julianirwin/redict
d75bf3c03b481cb41211898f438fdb693e199155
[ "MIT" ]
null
null
null
from nose.tools import assert_equal, assert_is_none from redict import ReDict, update_with_redict
32.078431
67
0.600856
from nose.tools import assert_equal, assert_is_none from redict import ReDict, update_with_redict class TestRedict: @classmethod def setup(cls): d = {'.*foo.*': 1, '.*bar.*': 2, '.*baz.*': 3} cls.rd = ReDict(d) def test_get_no_match(self): assert_is_none(self.rd.re_get('asdf_biz_asdf')) def test_get_no_match_with_default(self): assert_equal(self.rd.re_get('asdf_biz_asdf', default=0), 0) def test_get_match(self): assert_equal(self.rd.re_get('x_foox'), 1) def test_brackets_match(self): assert_equal(self.rd.re_get('x_foox'), 1) def test_insert_pattern_after_initialization(self): pass class TestUpdateWithReDict: @classmethod def setup(cls): d = {'.*foo.*': 1, '.*bar.*': 2, '.*baz.*': 3} cls.rd = ReDict(d) cls.names = ('zfooz', 'barai', 'baz9', 'sjg') def test_update_empty_dict_no_func(self): d = {} res = update_with_redict(d, self.rd, self.names) actual = {'zfooz': 1, 'barai': 2, 'baz9': 3, 'sjg': None} assert_equal(res, actual) def test_update_existing_dict_no_func(self): d = {'zfooz': 0, 'barai': 1, 'baz9': 0, 'sjg': 0} res = update_with_redict(d, self.rd, self.names) actual = {'zfooz': 1, 'barai': 2, 'baz9': 3, 'sjg': None} assert_equal(res, actual) def test_update_empty_dict_func_is_increment(self): d = {} func = lambda x: x + 1 res = update_with_redict(d, self.rd, self.names, func=func) actual = {'zfooz': 2, 'barai': 3, 'baz9': 4, 'sjg': None} assert_equal(res, actual)
1,187
304
46
83ca1dfbb90537bc2bfe3983b8e555fa672c0f0a
548
py
Python
tests/device/test_read_measured_value.py
Sensirion/python-shdlc-sfc5xxx
f9bd288a996ad969ee5bbb7f52b6e8f00fdf47e5
[ "BSD-3-Clause" ]
null
null
null
tests/device/test_read_measured_value.py
Sensirion/python-shdlc-sfc5xxx
f9bd288a996ad969ee5bbb7f52b6e8f00fdf47e5
[ "BSD-3-Clause" ]
null
null
null
tests/device/test_read_measured_value.py
Sensirion/python-shdlc-sfc5xxx
f9bd288a996ad969ee5bbb7f52b6e8f00fdf47e5
[ "BSD-3-Clause" ]
null
null
null
# -*- coding: utf-8 -*- # (c) Copyright 2020 Sensirion AG, Switzerland from __future__ import absolute_import, division, print_function from sensirion_shdlc_sfc5xxx import Sfc5xxxScaling import pytest @pytest.mark.needs_device @pytest.mark.parametrize("scaling", [ (Sfc5xxxScaling.NORMALIZED), (Sfc5xxxScaling.PHYSICAL), (Sfc5xxxScaling.USER_DEFINED), ]) def test(device, scaling): """ Test if read_measured_value() works as expected. """ result = device.read_measured_value(scaling) assert type(result) is float
26.095238
64
0.739051
# -*- coding: utf-8 -*- # (c) Copyright 2020 Sensirion AG, Switzerland from __future__ import absolute_import, division, print_function from sensirion_shdlc_sfc5xxx import Sfc5xxxScaling import pytest @pytest.mark.needs_device @pytest.mark.parametrize("scaling", [ (Sfc5xxxScaling.NORMALIZED), (Sfc5xxxScaling.PHYSICAL), (Sfc5xxxScaling.USER_DEFINED), ]) def test(device, scaling): """ Test if read_measured_value() works as expected. """ result = device.read_measured_value(scaling) assert type(result) is float
0
0
0
3bd27665cdf5971e208ac1c0357146113ac4758c
3,376
py
Python
bot/admin_handlers.py
svirepovden/tg_support_bot
6c3d163514722ca28ec20e17d8aea4deccba51fb
[ "BSD-3-Clause" ]
null
null
null
bot/admin_handlers.py
svirepovden/tg_support_bot
6c3d163514722ca28ec20e17d8aea4deccba51fb
[ "BSD-3-Clause" ]
null
null
null
bot/admin_handlers.py
svirepovden/tg_support_bot
6c3d163514722ca28ec20e17d8aea4deccba51fb
[ "BSD-3-Clause" ]
null
null
null
from .actions import is_admin, get_messages, save_message, change_chat_status from telegram.ext import (Updater, CommandHandler, MessageHandler, Filters, CallbackContext, ConversationHandler) # TODO get questions in realtime while answering chat_id = None # used for storing to what chat answer must go SHOW_MESSAGES, REPLY, GET_ANSWER, CHAT_ACTIONS = range(4) admin_conv_handler = ConversationHandler( entry_points=[CommandHandler('admin', admin)], states={ SHOW_MESSAGES: [CommandHandler('show_messages', show_messages)], REPLY: [MessageHandler(Filters.regex(r'/reply_[0-9]*'), reply_chat)], GET_ANSWER: [MessageHandler(Filters.all, get_answer)], CHAT_ACTIONS: [MessageHandler(Filters.regex(r'/close_[0-9]*'), close_chat_option), MessageHandler(Filters.regex(r'/await_[0-9]*'), await_chat_option)] }, fallbacks=[CommandHandler('exit', exit_)] )
37.511111
97
0.651066
from .actions import is_admin, get_messages, save_message, change_chat_status from telegram.ext import (Updater, CommandHandler, MessageHandler, Filters, CallbackContext, ConversationHandler) def admin(update, context: CallbackContext): if is_admin(update.message): context.bot.send_message(chat_id=update.effective_chat.id, text="This is Admin Panel\n\n/show_messages") return SHOW_MESSAGES else: context.bot.send_message(chat_id=update.effective_chat.id, text="You have no permission for that") def show_messages(update, context: CallbackContext): if is_admin(update.message): context.bot.send_message(chat_id=update.effective_chat.id, text=get_messages() + get_messages(status='in_process')) return REPLY def reply_chat(update, context): if is_admin(update.message): global chat_id chat_id = int(update.message.text[7:]) reply = 'You are replying to ' + str(chat_id) + '\n' + get_messages(chat_id) print(reply) context.bot.send_message(chat_id=update.effective_chat.id, text=reply) return GET_ANSWER def get_answer(update, context): if is_admin(update.message): global chat_id save_message(update.message, True) context.bot.send_message(chat_id=chat_id, text=update.message.text) chat_options = 'Chat options:\n' + '/close_' + str(chat_id) + '\n /await_' + str(chat_id) context.bot.send_message(chat_id=update.effective_chat.id, text=chat_options) chat_id = None print('answered') return CHAT_ACTIONS # TODO get questions in realtime while answering def close_chat_option(update, context): if is_admin(update.message): chat = int(update.message.text[7:]) print('close ', chat) change_chat_status('closed', chat) context.bot.send_message(chat_id=update.effective_chat.id, text='chat was closed\n\n/show_messages') return SHOW_MESSAGES def await_chat_option(update, context): if is_admin(update.message): chat = int(update.message.text[7:]) print('await ', chat) change_chat_status('in_process', chat) context.bot.send_message(chat_id=update.effective_chat.id, text='chat is in awaited mode\n\n /show_messages') return SHOW_MESSAGES def exit_(update, context): if is_admin(update.message): print('admin exit') else: print('guest exit') return ConversationHandler.END chat_id = None # used for storing to what chat answer must go SHOW_MESSAGES, REPLY, GET_ANSWER, CHAT_ACTIONS = range(4) admin_conv_handler = ConversationHandler( entry_points=[CommandHandler('admin', admin)], states={ SHOW_MESSAGES: [CommandHandler('show_messages', show_messages)], REPLY: [MessageHandler(Filters.regex(r'/reply_[0-9]*'), reply_chat)], GET_ANSWER: [MessageHandler(Filters.all, get_answer)], CHAT_ACTIONS: [MessageHandler(Filters.regex(r'/close_[0-9]*'), close_chat_option), MessageHandler(Filters.regex(r'/await_[0-9]*'), await_chat_option)] }, fallbacks=[CommandHandler('exit', exit_)] )
2,260
0
161
7e6a5b3702a2080dcb8f11f87a82a64d967ae80f
2,922
py
Python
tests/unit/test_protocol.py
NicolasEhrhardt/python-driver
ead86ea5e01b94d09c9022a2f01348bd147f8af0
[ "Apache-2.0" ]
null
null
null
tests/unit/test_protocol.py
NicolasEhrhardt/python-driver
ead86ea5e01b94d09c9022a2f01348bd147f8af0
[ "Apache-2.0" ]
null
null
null
tests/unit/test_protocol.py
NicolasEhrhardt/python-driver
ead86ea5e01b94d09c9022a2f01348bd147f8af0
[ "Apache-2.0" ]
null
null
null
try: import unittest2 as unittest except ImportError: import unittest # noqa from mock import Mock from cassandra import ProtocolVersion from cassandra.protocol import PrepareMessage, QueryMessage, ExecuteMessage
31.76087
114
0.592402
try: import unittest2 as unittest except ImportError: import unittest # noqa from mock import Mock from cassandra import ProtocolVersion from cassandra.protocol import PrepareMessage, QueryMessage, ExecuteMessage class MessageTest(unittest.TestCase): def test_prepare_message(self): """ Test to check the appropriate calls are made @since 3.9 @jira_ticket PYTHON-713 @expected_result the values are correctly written @test_category connection """ message = PrepareMessage("a") io = Mock() message.send_body(io,4) self._check_calls(io, [(b'\x00\x00\x00\x01',), (b'a',)]) io.reset_mock() message.send_body(io,5) self._check_calls(io, [(b'\x00\x00\x00\x01',), (b'a',), (b'\x00\x00\x00\x00',)]) def test_execute_message(self): message = ExecuteMessage('1',[],4) io = Mock() message.send_body(io,4) self._check_calls(io, [(b'\x00\x01',), (b'1',), (b'\x00\x04',), (b'\x01',), (b'\x00\x00',)]) io.reset_mock() message.send_body(io, 5) self._check_calls(io, [(b'\x00\x01',), (b'1',), (b'\x00\x04',), (b'\x00\x00\x00\x01',), (b'\x00\x00',)]) def test_query_message(self): """ Test to check the appropriate calls are made @since 3.9 @jira_ticket PYTHON-713 @expected_result the values are correctly written @test_category connection """ message = QueryMessage("a",3) io = Mock() message.send_body(io,4) self._check_calls(io, [(b'\x00\x00\x00\x01',), (b'a',), (b'\x00\x03',), (b'\x00',)]) io.reset_mock() message.send_body(io,5) self._check_calls(io, [(b'\x00\x00\x00\x01',), (b'a',), (b'\x00\x03',), (b'\x00\x00\x00\x00',)]) def _check_calls(self, io, expected): self.assertEqual(len(io.write.mock_calls), len(expected)) for call, expect in zip(io.write.mock_calls, expected): self.assertEqual(call[1], expect) def test_prepare_flag(self): """ Test to check the prepare flag is properly set, This should only happen for V5 at the moment. @since 3.9 @jira_ticket PYTHON-713 @expected_result the values are correctly written @test_category connection """ message = PrepareMessage("a") io = Mock() for version in ProtocolVersion.SUPPORTED_VERSIONS: message.send_body(io, version) if ProtocolVersion.uses_prepare_flags(version): # This should pass after PYTHON-696 self.assertEqual(len(io.write.mock_calls), 3) # self.assertEqual(uint32_unpack(io.write.mock_calls[2][1][0]) & _WITH_SERIAL_CONSISTENCY_FLAG, 1) else: self.assertEqual(len(io.write.mock_calls), 2) io.reset_mock()
571
2,105
23
2ce6dab9da58e48ce193bc42999fa7752904e8ff
448,678
py
Python
tests/functional/basic/db/test_26.py
reevespaul/firebird-qa
98f16f425aa9ab8ee63b86172f959d63a2d76f21
[ "MIT" ]
null
null
null
tests/functional/basic/db/test_26.py
reevespaul/firebird-qa
98f16f425aa9ab8ee63b86172f959d63a2d76f21
[ "MIT" ]
null
null
null
tests/functional/basic/db/test_26.py
reevespaul/firebird-qa
98f16f425aa9ab8ee63b86172f959d63a2d76f21
[ "MIT" ]
null
null
null
#coding:utf-8 # # id: functional.basic.db.26 # title: Empty DB - RDB$SECURITY_CLASSES # decription: Check for correct content of RDB$SECURITY_CLASSES in empty database. # tracker_id: # min_versions: ['2.5.7'] # versions: 3.0, 4.0 # qmid: functional.basic.db.db_26 import pytest from firebird.qa import db_factory, isql_act, Action # version: 3.0 # resources: None substitutions_1 = [('RDB\\$ACL.*', ''), ('RDB\\$SECURITY_CLASS[\\s]+SQL\\$.*', 'RDB\\$SECURITY_CLASS SQL\\$'), ('[\t ]+', ' ')] init_script_1 = """""" db_1 = db_factory(sql_dialect=3, init=init_script_1) test_script_1 = """ -- 28.10.2015 -- Updated expected_stdout, added block to subst-section in order to ignore differences -- in values like "SQL$****" of field RDB$SECURITY_CLASS. set list on; set blob 3; set count on; select * from rdb$security_classes order by rdb$security_class; """ act_1 = isql_act('db_1', test_script_1, substitutions=substitutions_1) expected_stdout_1 = """ RDB$SECURITY_CLASS SQL$1 RDB$ACL 9:0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$10 RDB$ACL 9:9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$100 RDB$ACL 9:63 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$101 RDB$ACL 9:64 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$102 RDB$ACL 9:65 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$103 RDB$ACL 9:66 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$104 RDB$ACL 9:67 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$105 RDB$ACL 9:68 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$106 RDB$ACL 9:69 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$107 RDB$ACL 9:6a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$108 RDB$ACL 9:6b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$109 RDB$ACL 9:6c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$11 RDB$ACL 9:a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$110 RDB$ACL 9:6d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$111 RDB$ACL 9:6e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$112 RDB$ACL 9:6f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$113 RDB$ACL 9:70 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$114 RDB$ACL 9:71 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$115 RDB$ACL 9:72 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$116 RDB$ACL 9:73 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$117 RDB$ACL 9:74 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$118 RDB$ACL 9:75 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$119 RDB$ACL 9:76 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$12 RDB$ACL 9:b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$120 RDB$ACL 9:77 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$121 RDB$ACL 9:78 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$122 RDB$ACL 9:79 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$123 RDB$ACL 9:7a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$124 RDB$ACL 9:7b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$125 RDB$ACL 9:7c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$126 RDB$ACL 9:7d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$127 RDB$ACL 9:7e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$128 RDB$ACL 9:7f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$129 RDB$ACL 9:80 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$13 RDB$ACL 9:c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$130 RDB$ACL 9:81 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$131 RDB$ACL 9:82 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$132 RDB$ACL 9:83 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$133 RDB$ACL 9:84 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$134 RDB$ACL 9:85 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$135 RDB$ACL 9:86 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$136 RDB$ACL 9:87 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$137 RDB$ACL 9:5a0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$138 RDB$ACL 9:5a1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$139 RDB$ACL 9:5a2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$14 RDB$ACL 9:d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$140 RDB$ACL 9:5a3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$141 RDB$ACL 9:5a4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$142 RDB$ACL 9:5a5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$143 RDB$ACL 9:5a6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$144 RDB$ACL 9:5a7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$145 RDB$ACL 9:5a8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$146 RDB$ACL 9:5a9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$147 RDB$ACL 9:5aa ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$148 RDB$ACL 9:5ab ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$149 RDB$ACL 9:5ac ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$15 RDB$ACL 9:e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$150 RDB$ACL 9:5ad ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$151 RDB$ACL 9:5ae ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$152 RDB$ACL 9:5af ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$153 RDB$ACL 9:5b0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$154 RDB$ACL 9:5b1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$155 RDB$ACL 9:5b2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$156 RDB$ACL 9:5b3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$157 RDB$ACL 9:5b4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$158 RDB$ACL 9:5b5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$159 RDB$ACL 9:5b6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$16 RDB$ACL 9:f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$160 RDB$ACL 9:5b7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$161 RDB$ACL 9:5b8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$162 RDB$ACL 9:5b9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$163 RDB$ACL 9:5ba ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$164 RDB$ACL 9:5bb ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$165 RDB$ACL 9:5bc ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$166 RDB$ACL 9:5bd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$167 RDB$ACL 9:5be ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$168 RDB$ACL 9:5bf ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$169 RDB$ACL 9:5c0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$17 RDB$ACL 9:10 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$170 RDB$ACL 9:5c1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$171 RDB$ACL 9:5c2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$172 RDB$ACL 9:5c3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$173 RDB$ACL 9:5c4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$174 RDB$ACL 9:5c5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$175 RDB$ACL 9:5c6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$176 RDB$ACL 9:5c7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$177 RDB$ACL 9:5c8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$178 RDB$ACL 9:5c9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$179 RDB$ACL 9:5ca ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$18 RDB$ACL 9:11 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$180 RDB$ACL 9:5cb ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$181 RDB$ACL 9:5cc ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$182 RDB$ACL 9:5cd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$183 RDB$ACL 9:5ce ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$184 RDB$ACL 9:5cf ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$185 RDB$ACL 9:5d0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$186 RDB$ACL 9:5d1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$187 RDB$ACL 9:5d2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$188 RDB$ACL 9:5d3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$189 RDB$ACL 9:5d4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$19 RDB$ACL 9:12 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$190 RDB$ACL 9:5d5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$191 RDB$ACL 9:5d6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$192 RDB$ACL 9:5d7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$193 RDB$ACL 9:5d8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$194 RDB$ACL 9:5d9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$195 RDB$ACL 9:5da ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$196 RDB$ACL 9:5db ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$197 RDB$ACL 9:5dc ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$198 RDB$ACL 9:5dd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$199 RDB$ACL 9:5de ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$2 RDB$ACL 9:1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$20 RDB$ACL 9:13 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$200 RDB$ACL 9:5df ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$201 RDB$ACL 9:5e0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$202 RDB$ACL 9:5e1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$203 RDB$ACL 9:5e2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$204 RDB$ACL 9:5e3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$205 RDB$ACL 9:5e4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$206 RDB$ACL 9:5e5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$207 RDB$ACL 9:5e6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$208 RDB$ACL 9:5e7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$209 RDB$ACL 9:5e8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$21 RDB$ACL 9:14 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$210 RDB$ACL 9:5e9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$211 RDB$ACL 9:5ea ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$212 RDB$ACL 9:5eb ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$213 RDB$ACL 9:5ec ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$214 RDB$ACL 9:5ed ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$215 RDB$ACL 9:5ee ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$216 RDB$ACL 9:5ef ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$217 RDB$ACL 9:5f0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$218 RDB$ACL 9:5f1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$219 RDB$ACL 9:5f2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$22 RDB$ACL 9:15 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$220 RDB$ACL 9:5f3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$221 RDB$ACL 9:5f4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$222 RDB$ACL 9:5f5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$223 RDB$ACL 9:5f6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$224 RDB$ACL 9:5f7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$225 RDB$ACL 9:5f8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$226 RDB$ACL 9:5f9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$227 RDB$ACL 9:5fa ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$228 RDB$ACL 9:5fb ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$229 RDB$ACL 9:5fc ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$23 RDB$ACL 9:16 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$230 RDB$ACL 9:5fd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$231 RDB$ACL 9:5fe ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$232 RDB$ACL 9:5ff ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$233 RDB$ACL 9:600 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$234 RDB$ACL 9:601 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$235 RDB$ACL 9:602 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$236 RDB$ACL 9:603 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$237 RDB$ACL 9:604 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$238 RDB$ACL 9:605 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$239 RDB$ACL 9:606 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$24 RDB$ACL 9:17 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$240 RDB$ACL 9:607 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$241 RDB$ACL 9:608 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$242 RDB$ACL 9:609 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$243 RDB$ACL 9:60a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$244 RDB$ACL 9:60b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$245 RDB$ACL 9:60c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$246 RDB$ACL 9:60d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$247 RDB$ACL 9:60e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$248 RDB$ACL 9:60f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$249 RDB$ACL 9:610 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$25 RDB$ACL 9:18 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$250 RDB$ACL 9:611 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$251 RDB$ACL 9:612 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$252 RDB$ACL 9:613 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$253 RDB$ACL 9:614 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$254 RDB$ACL 9:615 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$255 RDB$ACL 9:616 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$256 RDB$ACL 9:617 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$257 RDB$ACL 9:618 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$258 RDB$ACL 9:619 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$259 RDB$ACL 9:61a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$26 RDB$ACL 9:19 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$260 RDB$ACL 9:61b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$261 RDB$ACL 9:61c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$262 RDB$ACL 9:61d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$263 RDB$ACL 9:61e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$264 RDB$ACL 9:61f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$265 RDB$ACL 9:620 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$266 RDB$ACL 9:621 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$267 RDB$ACL 9:622 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$268 RDB$ACL 9:623 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$269 RDB$ACL 9:624 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$27 RDB$ACL 9:1a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$270 RDB$ACL 9:625 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$271 RDB$ACL 9:626 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$272 RDB$ACL 9:627 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$273 RDB$ACL 9:960 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$274 RDB$ACL 9:961 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$275 RDB$ACL 9:962 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$276 RDB$ACL 9:963 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$277 RDB$ACL 9:964 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$278 RDB$ACL 9:965 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$279 RDB$ACL 9:966 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$28 RDB$ACL 9:1b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$280 RDB$ACL 9:967 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$281 RDB$ACL 9:968 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$282 RDB$ACL 9:969 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$283 RDB$ACL 9:96a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$284 RDB$ACL 9:96b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$285 RDB$ACL 9:96c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$286 RDB$ACL 9:96d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$287 RDB$ACL 9:96e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$288 RDB$ACL 9:96f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$289 RDB$ACL 9:970 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$29 RDB$ACL 9:1c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$290 RDB$ACL 9:971 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$291 RDB$ACL 9:972 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$292 RDB$ACL 9:973 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$293 RDB$ACL 9:974 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$294 RDB$ACL 9:975 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$295 RDB$ACL 9:976 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$296 RDB$ACL 9:977 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$297 RDB$ACL 9:978 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$298 RDB$ACL 9:979 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$299 RDB$ACL 9:97a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$3 RDB$ACL 9:2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$30 RDB$ACL 9:1d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$300 RDB$ACL 9:97b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$301 RDB$ACL 9:97c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$302 RDB$ACL 9:97d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$303 RDB$ACL 9:97e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$304 RDB$ACL 9:97f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$305 RDB$ACL 9:980 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$306 RDB$ACL 9:981 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$307 RDB$ACL 9:982 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$308 RDB$ACL 9:983 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$309 RDB$ACL 9:984 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$31 RDB$ACL 9:1e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$310 RDB$ACL 9:985 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$311 RDB$ACL 9:986 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$312 RDB$ACL 9:987 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$313 RDB$ACL 9:988 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$314 RDB$ACL 9:989 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$315 RDB$ACL 9:98a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$316 RDB$ACL 9:98b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$317 RDB$ACL 9:98c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$318 RDB$ACL 9:98d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$319 RDB$ACL 9:98e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$32 RDB$ACL 9:1f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$320 RDB$ACL 9:98f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$321 RDB$ACL 9:990 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$322 RDB$ACL 9:991 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$323 RDB$ACL 9:992 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$324 RDB$ACL 9:993 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$325 RDB$ACL 9:994 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$326 RDB$ACL 9:995 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$327 RDB$ACL 9:996 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$328 RDB$ACL 9:997 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$329 RDB$ACL 9:998 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$33 RDB$ACL 9:20 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$330 RDB$ACL 9:999 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$331 RDB$ACL 9:99a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$332 RDB$ACL 9:99b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$333 RDB$ACL 9:99c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$334 RDB$ACL 9:99d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$335 RDB$ACL 9:99e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$336 RDB$ACL 9:99f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$337 RDB$ACL 9:9a0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$338 RDB$ACL 9:9a1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$339 RDB$ACL 9:9a2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$34 RDB$ACL 9:21 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$340 RDB$ACL 9:9a3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$341 RDB$ACL 9:9a4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$342 RDB$ACL 9:9a5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$343 RDB$ACL 9:9a6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$344 RDB$ACL 9:9a7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$345 RDB$ACL 9:9a8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$346 RDB$ACL 9:9a9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$347 RDB$ACL 9:9aa ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$348 RDB$ACL 9:9ab ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$349 RDB$ACL 9:9ac ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$35 RDB$ACL 9:22 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$350 RDB$ACL 9:9ad ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$351 RDB$ACL 9:9ae ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$352 RDB$ACL 9:9af ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$353 RDB$ACL 9:9b0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$354 RDB$ACL 9:9b1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$355 RDB$ACL 9:9b2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$356 RDB$ACL 9:9b3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$357 RDB$ACL 9:9b4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$358 RDB$ACL 9:9b5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$359 RDB$ACL 9:9b6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$36 RDB$ACL 9:23 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$360 RDB$ACL 9:9b7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$361 RDB$ACL 9:9b8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$362 RDB$ACL 9:9b9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$363 RDB$ACL 9:9ba ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$364 RDB$ACL 9:9c7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$365 RDB$ACL 9:9c8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$366 RDB$ACL 9:9ca ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$367 RDB$ACL 9:9cc ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$368 RDB$ACL 9:9ce ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$369 RDB$ACL 9:9d0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$37 RDB$ACL 9:24 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$370 RDB$ACL 9:9d2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$371 RDB$ACL 9:9d4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$372 RDB$ACL 9:9d6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$373 RDB$ACL 9:9d8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$374 RDB$ACL 9:9da ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$375 RDB$ACL 9:9dc ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$376 RDB$ACL 9:9de ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$377 RDB$ACL 9:9e0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$378 RDB$ACL 9:9e2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$379 RDB$ACL 9:9e4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$38 RDB$ACL 9:25 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$380 RDB$ACL 9:9e6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$381 RDB$ACL 9:9e8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$382 RDB$ACL 9:d21 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$383 RDB$ACL 9:d23 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$384 RDB$ACL 9:d25 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$385 RDB$ACL 9:d27 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$386 RDB$ACL 9:d29 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$387 RDB$ACL 9:d2b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$388 RDB$ACL 9:d2d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$389 RDB$ACL 9:d2f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$39 RDB$ACL 9:26 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$390 RDB$ACL 9:d31 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$391 RDB$ACL 9:d33 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$392 RDB$ACL 9:d35 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$393 RDB$ACL 9:d37 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$394 RDB$ACL 9:d39 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$395 RDB$ACL 9:d3b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$396 RDB$ACL 9:d3d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$397 RDB$ACL 9:d3f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$398 RDB$ACL 9:d41 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$399 RDB$ACL 9:d43 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$4 RDB$ACL 9:3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$40 RDB$ACL 9:27 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$400 RDB$ACL 9:d45 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$401 RDB$ACL 9:d47 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$402 RDB$ACL 9:d49 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$403 RDB$ACL 9:d4b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$404 RDB$ACL 9:d4d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$405 RDB$ACL 9:d4f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$406 RDB$ACL 9:d51 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$407 RDB$ACL 9:d53 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$408 RDB$ACL 9:d55 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$409 RDB$ACL 9:d57 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$41 RDB$ACL 9:28 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$410 RDB$ACL 9:d59 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$411 RDB$ACL 9:d5b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$412 RDB$ACL 9:d5d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$413 RDB$ACL 9:d5f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$414 RDB$ACL 9:d61 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$42 RDB$ACL 9:29 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$43 RDB$ACL 9:2a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$44 RDB$ACL 9:2b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$45 RDB$ACL 9:2c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$46 RDB$ACL 9:2d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$47 RDB$ACL 9:2e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$48 RDB$ACL 9:2f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$49 RDB$ACL 9:30 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$5 RDB$ACL 9:4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$50 RDB$ACL 9:31 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$51 RDB$ACL 9:32 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$52 RDB$ACL 9:33 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$53 RDB$ACL 9:34 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$54 RDB$ACL 9:35 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$55 RDB$ACL 9:36 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$56 RDB$ACL 9:37 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$57 RDB$ACL 9:38 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$58 RDB$ACL 9:39 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$59 RDB$ACL 9:3a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$6 RDB$ACL 9:5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$60 RDB$ACL 9:3b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$61 RDB$ACL 9:3c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$62 RDB$ACL 9:3d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$63 RDB$ACL 9:3e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$64 RDB$ACL 9:3f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$65 RDB$ACL 9:40 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$66 RDB$ACL 9:41 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$67 RDB$ACL 9:42 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$68 RDB$ACL 9:43 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$69 RDB$ACL 9:44 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$7 RDB$ACL 9:6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$70 RDB$ACL 9:45 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$71 RDB$ACL 9:46 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$72 RDB$ACL 9:47 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$73 RDB$ACL 9:48 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$74 RDB$ACL 9:49 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$75 RDB$ACL 9:4a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$76 RDB$ACL 9:4b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$77 RDB$ACL 9:4c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$78 RDB$ACL 9:4d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$79 RDB$ACL 9:4e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$8 RDB$ACL 9:7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$80 RDB$ACL 9:4f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$81 RDB$ACL 9:50 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$82 RDB$ACL 9:51 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$83 RDB$ACL 9:52 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$84 RDB$ACL 9:53 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$85 RDB$ACL 9:54 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$86 RDB$ACL 9:55 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$87 RDB$ACL 9:56 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$88 RDB$ACL 9:57 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$89 RDB$ACL 9:58 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$9 RDB$ACL 9:8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$90 RDB$ACL 9:59 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$91 RDB$ACL 9:5a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$92 RDB$ACL 9:5b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$93 RDB$ACL 9:5c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$94 RDB$ACL 9:5d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$95 RDB$ACL 9:5e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$96 RDB$ACL 9:5f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$97 RDB$ACL 9:60 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$98 RDB$ACL 9:61 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$99 RDB$ACL 9:62 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$CHARSETS RDB$ACL 9:9c4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$COLLATIONS RDB$ACL 9:9c5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT1 RDB$ACL 9:9c9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT10 RDB$ACL 9:9db ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT11 RDB$ACL 9:9dd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT12 RDB$ACL 9:9df ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT13 RDB$ACL 9:9e1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT14 RDB$ACL 9:9e3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT15 RDB$ACL 9:9e5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT16 RDB$ACL 9:9e7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT17 RDB$ACL 9:d20 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT18 RDB$ACL 9:d22 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT19 RDB$ACL 9:d24 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT2 RDB$ACL 9:9cb ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT20 RDB$ACL 9:d26 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT21 RDB$ACL 9:d28 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT22 RDB$ACL 9:d2a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT23 RDB$ACL 9:d2c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT24 RDB$ACL 9:d2e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT25 RDB$ACL 9:d30 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT26 RDB$ACL 9:d32 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT27 RDB$ACL 9:d34 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT28 RDB$ACL 9:d36 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT29 RDB$ACL 9:d38 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT3 RDB$ACL 9:9cd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT30 RDB$ACL 9:d3a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT31 RDB$ACL 9:d3c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT32 RDB$ACL 9:d3e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT33 RDB$ACL 9:d40 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT34 RDB$ACL 9:d42 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT35 RDB$ACL 9:d44 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT36 RDB$ACL 9:d46 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT37 RDB$ACL 9:d48 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT38 RDB$ACL 9:d4a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT39 RDB$ACL 9:d4c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT4 RDB$ACL 9:9cf ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT40 RDB$ACL 9:d4e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT41 RDB$ACL 9:d50 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT42 RDB$ACL 9:d52 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT43 RDB$ACL 9:d54 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT44 RDB$ACL 9:d56 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT45 RDB$ACL 9:d58 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT46 RDB$ACL 9:d5a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT47 RDB$ACL 9:d5c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT48 RDB$ACL 9:d5e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT49 RDB$ACL 9:d60 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT5 RDB$ACL 9:9d1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT50 RDB$ACL 9:d62 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT6 RDB$ACL 9:9d3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT7 RDB$ACL 9:9d5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT8 RDB$ACL 9:9d7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT9 RDB$ACL 9:9d9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DOMAINS RDB$ACL 9:9c1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$EXCEPTIONS RDB$ACL 9:9c2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$FILTERS RDB$ACL 9:9c6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$FUNCTIONS RDB$ACL 9:9be ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$GENERATORS RDB$ACL 9:9c0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$PACKAGES RDB$ACL 9:9bf ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$PROCEDURES RDB$ACL 9:9bd ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$ROLES RDB$ACL 9:9c3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$TABLES RDB$ACL 9:9bb ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$VIEWS RDB$ACL 9:9bc ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> Records affected: 476 """ @pytest.mark.version('>=3.0,<4.0') # version: 4.0 # resources: None substitutions_2 = [('RDB\\$ACL.*', ''), ('RDB\\$SECURITY_CLASS[\\s]+SQL\\$.*', 'RDB\\$SECURITY_CLASS SQL\\$'), ('[\t ]+', ' ')] init_script_2 = """""" db_2 = db_factory(sql_dialect=3, init=init_script_2) test_script_2 = """ set list on; set blob 3; set count on; -- NB: 'rdb$security_class' is unique field, see DDL. select * from rdb$security_classes order by rdb$security_class; """ act_2 = isql_act('db_2', test_script_2, substitutions=substitutions_2) expected_stdout_2 = """ RDB$SECURITY_CLASS SQL$1 RDB$ACL 9:0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$10 RDB$ACL 9:9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$100 RDB$ACL 9:63 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$101 RDB$ACL 9:64 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$102 RDB$ACL 9:65 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$103 RDB$ACL 9:66 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$104 RDB$ACL 9:67 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$105 RDB$ACL 9:68 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$106 RDB$ACL 9:69 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$107 RDB$ACL 9:6a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$108 RDB$ACL 9:6b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$109 RDB$ACL 9:6c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$11 RDB$ACL 9:a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$110 RDB$ACL 9:6d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$111 RDB$ACL 9:6e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$112 RDB$ACL 9:6f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$113 RDB$ACL 9:70 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$114 RDB$ACL 9:71 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$115 RDB$ACL 9:72 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$116 RDB$ACL 9:73 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$117 RDB$ACL 9:74 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$118 RDB$ACL 9:75 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$119 RDB$ACL 9:76 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$12 RDB$ACL 9:b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$120 RDB$ACL 9:77 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$121 RDB$ACL 9:78 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$122 RDB$ACL 9:79 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$123 RDB$ACL 9:7a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$124 RDB$ACL 9:7b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$125 RDB$ACL 9:7c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$126 RDB$ACL 9:7d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$127 RDB$ACL 9:7e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$128 RDB$ACL 9:7f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$129 RDB$ACL 9:80 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$13 RDB$ACL 9:c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$130 RDB$ACL 9:81 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$131 RDB$ACL 9:82 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$132 RDB$ACL 9:83 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$133 RDB$ACL 9:84 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$134 RDB$ACL 9:85 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$135 RDB$ACL 9:86 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$136 RDB$ACL 9:87 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$137 RDB$ACL 9:5a0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$138 RDB$ACL 9:5a1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$139 RDB$ACL 9:5a2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$14 RDB$ACL 9:d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$140 RDB$ACL 9:5a3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$141 RDB$ACL 9:5a4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$142 RDB$ACL 9:5a5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$143 RDB$ACL 9:5a6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$144 RDB$ACL 9:5a7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$145 RDB$ACL 9:5a8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$146 RDB$ACL 9:5a9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$147 RDB$ACL 9:5aa ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$148 RDB$ACL 9:5ab ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$149 RDB$ACL 9:5ac ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$15 RDB$ACL 9:e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$150 RDB$ACL 9:5ad ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$151 RDB$ACL 9:5ae ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$152 RDB$ACL 9:5af ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$153 RDB$ACL 9:5b0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$154 RDB$ACL 9:5b1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$155 RDB$ACL 9:5b2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$156 RDB$ACL 9:5b3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$157 RDB$ACL 9:5b4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$158 RDB$ACL 9:5b5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$159 RDB$ACL 9:5b6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$16 RDB$ACL 9:f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$160 RDB$ACL 9:5b7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$161 RDB$ACL 9:5b8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$162 RDB$ACL 9:5b9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$163 RDB$ACL 9:5ba ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$164 RDB$ACL 9:5bb ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$165 RDB$ACL 9:5bc ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$166 RDB$ACL 9:5bd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$167 RDB$ACL 9:5be ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$168 RDB$ACL 9:5bf ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$169 RDB$ACL 9:5c0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$17 RDB$ACL 9:10 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$170 RDB$ACL 9:5c1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$171 RDB$ACL 9:5c2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$172 RDB$ACL 9:5c3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$173 RDB$ACL 9:5c4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$174 RDB$ACL 9:5c5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$175 RDB$ACL 9:5c6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$176 RDB$ACL 9:5c7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$177 RDB$ACL 9:5c8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$178 RDB$ACL 9:5c9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$179 RDB$ACL 9:5ca ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$18 RDB$ACL 9:11 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$180 RDB$ACL 9:5cb ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$181 RDB$ACL 9:5cc ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$182 RDB$ACL 9:5cd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$183 RDB$ACL 9:5ce ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$184 RDB$ACL 9:5cf ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$185 RDB$ACL 9:5d0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$186 RDB$ACL 9:5d1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$187 RDB$ACL 9:5d2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$188 RDB$ACL 9:5d3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$189 RDB$ACL 9:5d4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$19 RDB$ACL 9:12 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$190 RDB$ACL 9:5d5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$191 RDB$ACL 9:5d6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$192 RDB$ACL 9:5d7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$193 RDB$ACL 9:5d8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$194 RDB$ACL 9:5d9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$195 RDB$ACL 9:5da ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$196 RDB$ACL 9:5db ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$197 RDB$ACL 9:5dc ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$198 RDB$ACL 9:5dd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$199 RDB$ACL 9:5de ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$2 RDB$ACL 9:1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$20 RDB$ACL 9:13 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$200 RDB$ACL 9:5df ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$201 RDB$ACL 9:5e0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$202 RDB$ACL 9:5e1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$203 RDB$ACL 9:5e2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$204 RDB$ACL 9:5e3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$205 RDB$ACL 9:5e4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$206 RDB$ACL 9:5e5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$207 RDB$ACL 9:5e6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$208 RDB$ACL 9:5e7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$209 RDB$ACL 9:5e8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$21 RDB$ACL 9:14 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$210 RDB$ACL 9:5e9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$211 RDB$ACL 9:5ea ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$212 RDB$ACL 9:5eb ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$213 RDB$ACL 9:5ec ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$214 RDB$ACL 9:5ed ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$215 RDB$ACL 9:5ee ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$216 RDB$ACL 9:5ef ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$217 RDB$ACL 9:5f0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$218 RDB$ACL 9:5f1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$219 RDB$ACL 9:5f2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$22 RDB$ACL 9:15 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$220 RDB$ACL 9:5f3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$221 RDB$ACL 9:5f4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$222 RDB$ACL 9:5f5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$223 RDB$ACL 9:5f6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$224 RDB$ACL 9:5f7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$225 RDB$ACL 9:5f8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$226 RDB$ACL 9:5f9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$227 RDB$ACL 9:5fa ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$228 RDB$ACL 9:5fb ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$229 RDB$ACL 9:5fc ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$23 RDB$ACL 9:16 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$230 RDB$ACL 9:5fd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$231 RDB$ACL 9:5fe ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$232 RDB$ACL 9:5ff ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$233 RDB$ACL 9:600 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$234 RDB$ACL 9:601 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$235 RDB$ACL 9:602 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$236 RDB$ACL 9:603 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$237 RDB$ACL 9:604 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$238 RDB$ACL 9:605 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$239 RDB$ACL 9:606 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$24 RDB$ACL 9:17 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$240 RDB$ACL 9:607 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$241 RDB$ACL 9:608 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$242 RDB$ACL 9:609 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$243 RDB$ACL 9:60a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$244 RDB$ACL 9:60b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$245 RDB$ACL 9:60c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$246 RDB$ACL 9:60d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$247 RDB$ACL 9:60e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$248 RDB$ACL 9:60f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$249 RDB$ACL 9:610 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$25 RDB$ACL 9:18 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$250 RDB$ACL 9:611 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$251 RDB$ACL 9:612 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$252 RDB$ACL 9:613 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$253 RDB$ACL 9:614 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$254 RDB$ACL 9:615 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$255 RDB$ACL 9:616 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$256 RDB$ACL 9:617 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$257 RDB$ACL 9:618 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$258 RDB$ACL 9:619 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$259 RDB$ACL 9:61a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$26 RDB$ACL 9:19 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$260 RDB$ACL 9:61b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$261 RDB$ACL 9:61c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$262 RDB$ACL 9:61d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$263 RDB$ACL 9:61e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$264 RDB$ACL 9:61f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$265 RDB$ACL 9:620 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$266 RDB$ACL 9:621 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$267 RDB$ACL 9:622 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$268 RDB$ACL 9:623 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$269 RDB$ACL 9:624 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$27 RDB$ACL 9:1a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$270 RDB$ACL 9:625 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$271 RDB$ACL 9:626 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$272 RDB$ACL 9:627 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$273 RDB$ACL 9:960 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$274 RDB$ACL 9:961 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$275 RDB$ACL 9:962 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$276 RDB$ACL 9:963 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$277 RDB$ACL 9:964 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$278 RDB$ACL 9:965 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$279 RDB$ACL 9:966 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$28 RDB$ACL 9:1b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$280 RDB$ACL 9:967 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$281 RDB$ACL 9:968 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$282 RDB$ACL 9:969 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$283 RDB$ACL 9:96a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$284 RDB$ACL 9:96b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$285 RDB$ACL 9:96c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$286 RDB$ACL 9:96d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$287 RDB$ACL 9:96e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$288 RDB$ACL 9:96f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$289 RDB$ACL 9:970 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$29 RDB$ACL 9:1c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$290 RDB$ACL 9:971 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$291 RDB$ACL 9:972 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$292 RDB$ACL 9:973 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$293 RDB$ACL 9:974 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$294 RDB$ACL 9:975 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$295 RDB$ACL 9:976 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$296 RDB$ACL 9:977 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$297 RDB$ACL 9:978 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$298 RDB$ACL 9:979 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$299 RDB$ACL 9:97a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$3 RDB$ACL 9:2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$30 RDB$ACL 9:1d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$300 RDB$ACL 9:97b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$301 RDB$ACL 9:97c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$302 RDB$ACL 9:97d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$303 RDB$ACL 9:97e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$304 RDB$ACL 9:97f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$305 RDB$ACL 9:980 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$306 RDB$ACL 9:981 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$307 RDB$ACL 9:982 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$308 RDB$ACL 9:983 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$309 RDB$ACL 9:984 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$31 RDB$ACL 9:1e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$310 RDB$ACL 9:985 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$311 RDB$ACL 9:986 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$312 RDB$ACL 9:987 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$313 RDB$ACL 9:988 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$314 RDB$ACL 9:989 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$315 RDB$ACL 9:98a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$316 RDB$ACL 9:98b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$317 RDB$ACL 9:98c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$318 RDB$ACL 9:98d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$319 RDB$ACL 9:98e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$32 RDB$ACL 9:1f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$320 RDB$ACL 9:98f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$321 RDB$ACL 9:990 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$322 RDB$ACL 9:991 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$323 RDB$ACL 9:992 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$324 RDB$ACL 9:993 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$325 RDB$ACL 9:994 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$326 RDB$ACL 9:995 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$327 RDB$ACL 9:996 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$328 RDB$ACL 9:997 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$329 RDB$ACL 9:998 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$33 RDB$ACL 9:20 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$330 RDB$ACL 9:999 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$331 RDB$ACL 9:99a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$332 RDB$ACL 9:99b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$333 RDB$ACL 9:99c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$334 RDB$ACL 9:99d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$335 RDB$ACL 9:99e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$336 RDB$ACL 9:99f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$337 RDB$ACL 9:9a0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$338 RDB$ACL 9:9a1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$339 RDB$ACL 9:9a2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$34 RDB$ACL 9:21 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$340 RDB$ACL 9:9a3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$341 RDB$ACL 9:9a4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$342 RDB$ACL 9:9a5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$343 RDB$ACL 9:9a6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$344 RDB$ACL 9:9a7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$345 RDB$ACL 9:9a8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$346 RDB$ACL 9:9a9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$347 RDB$ACL 9:9aa ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$348 RDB$ACL 9:9ab ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$349 RDB$ACL 9:9ac ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$35 RDB$ACL 9:22 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$350 RDB$ACL 9:9ad ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$351 RDB$ACL 9:9ae ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$352 RDB$ACL 9:9af ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$353 RDB$ACL 9:9b0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$354 RDB$ACL 9:9b1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$355 RDB$ACL 9:9b2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$356 RDB$ACL 9:9b3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$357 RDB$ACL 9:9b4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$358 RDB$ACL 9:9b5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$359 RDB$ACL 9:9b6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$36 RDB$ACL 9:23 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$360 RDB$ACL 9:9b7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$361 RDB$ACL 9:9b8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$362 RDB$ACL 9:9b9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$363 RDB$ACL 9:9ba ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$364 RDB$ACL 9:9bb ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$365 RDB$ACL 9:9bc ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$366 RDB$ACL 9:9bd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$367 RDB$ACL 9:9be ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$368 RDB$ACL 9:9bf ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$369 RDB$ACL 9:9c0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$37 RDB$ACL 9:24 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$370 RDB$ACL 9:9c1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$371 RDB$ACL 9:9c2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$372 RDB$ACL 9:9c3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$373 RDB$ACL 9:9c4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$374 RDB$ACL 9:9c5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$375 RDB$ACL 9:9c6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$376 RDB$ACL 9:9c7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$377 RDB$ACL 9:9c8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$378 RDB$ACL 9:9c9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$379 RDB$ACL 9:9ca ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$38 RDB$ACL 9:25 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$380 RDB$ACL 9:9cb ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$381 RDB$ACL 9:9cc ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$382 RDB$ACL 9:9cd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$383 RDB$ACL 9:9ce ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$384 RDB$ACL 9:9cf ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (execute) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$385 RDB$ACL 9:9dc ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$386 RDB$ACL 9:9dd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$387 RDB$ACL 9:9df ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$388 RDB$ACL 9:9e1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$389 RDB$ACL 9:9e3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$39 RDB$ACL 9:26 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$390 RDB$ACL 9:9e5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$391 RDB$ACL 9:9e7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$392 RDB$ACL 9:d20 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$393 RDB$ACL 9:d22 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$394 RDB$ACL 9:d24 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$395 RDB$ACL 9:d26 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$396 RDB$ACL 9:d28 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$397 RDB$ACL 9:d55 ACL version 1 person: SYSDBA, privileges: (alter, control, drop, insert, update, delete, select, references) (null)3, privileges: (insert, update, delete, select, references) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$398 RDB$ACL 9:d2c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$399 RDB$ACL 9:d2e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$4 RDB$ACL 9:3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$40 RDB$ACL 9:27 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$400 RDB$ACL 9:d30 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$401 RDB$ACL 9:d32 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$402 RDB$ACL 9:d34 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$403 RDB$ACL 9:d36 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$404 RDB$ACL 9:d38 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$405 RDB$ACL 9:d3a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$406 RDB$ACL 9:d3c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$407 RDB$ACL 9:d3e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$408 RDB$ACL 9:d40 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$409 RDB$ACL 9:d42 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$41 RDB$ACL 9:28 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$410 RDB$ACL 9:d44 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$411 RDB$ACL 9:d46 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$412 RDB$ACL 9:d48 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$413 RDB$ACL 9:d4a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$414 RDB$ACL 9:d4c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$415 RDB$ACL 9:d4e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$416 RDB$ACL 9:d50 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$417 RDB$ACL 9:d52 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$418 RDB$ACL 9:d80 ACL version 1 person: SYSDBA, privileges: (alter, control, drop, insert, update, delete, select, references) (null)4, privileges: (insert, update, delete, select, references) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$419 RDB$ACL 9:d56 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$42 RDB$ACL 9:29 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$420 RDB$ACL 9:d58 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$421 RDB$ACL 9:d5a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$422 RDB$ACL 9:d5c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$423 RDB$ACL 9:d5e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$424 RDB$ACL 9:d60 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$425 RDB$ACL 9:d62 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$426 RDB$ACL 9:d64 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$427 RDB$ACL 9:d66 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$428 RDB$ACL 9:d68 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$429 RDB$ACL 9:d6a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$43 RDB$ACL 9:2a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$430 RDB$ACL 9:d6c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$431 RDB$ACL 9:d6e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$432 RDB$ACL 9:d70 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$433 RDB$ACL 9:d2b ACL version 1 person: SYSDBA, privileges: (alter, control, drop, insert, update, delete, select, references) (null)22, privileges: (insert, update, delete, select, references) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$434 RDB$ACL 9:d74 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$435 RDB$ACL 9:d76 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$436 RDB$ACL 9:d78 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$437 RDB$ACL 9:d7a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$438 RDB$ACL 9:d7c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$439 RDB$ACL 9:d7e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$44 RDB$ACL 9:2b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$45 RDB$ACL 9:2c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$46 RDB$ACL 9:2d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$47 RDB$ACL 9:2e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$48 RDB$ACL 9:2f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$49 RDB$ACL 9:30 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$5 RDB$ACL 9:4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$50 RDB$ACL 9:31 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$51 RDB$ACL 9:32 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$52 RDB$ACL 9:33 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$53 RDB$ACL 9:34 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$54 RDB$ACL 9:35 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$55 RDB$ACL 9:36 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$56 RDB$ACL 9:37 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$57 RDB$ACL 9:38 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$58 RDB$ACL 9:39 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$59 RDB$ACL 9:3a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$6 RDB$ACL 9:5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$60 RDB$ACL 9:3b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$61 RDB$ACL 9:3c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$62 RDB$ACL 9:3d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$63 RDB$ACL 9:3e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$64 RDB$ACL 9:3f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$65 RDB$ACL 9:40 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$66 RDB$ACL 9:41 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$67 RDB$ACL 9:42 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$68 RDB$ACL 9:43 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$69 RDB$ACL 9:44 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$7 RDB$ACL 9:6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$70 RDB$ACL 9:45 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$71 RDB$ACL 9:46 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$72 RDB$ACL 9:47 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$73 RDB$ACL 9:48 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$74 RDB$ACL 9:49 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$75 RDB$ACL 9:4a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$76 RDB$ACL 9:4b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$77 RDB$ACL 9:4c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$78 RDB$ACL 9:4d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$79 RDB$ACL 9:4e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$8 RDB$ACL 9:7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$80 RDB$ACL 9:4f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$81 RDB$ACL 9:50 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$82 RDB$ACL 9:51 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$83 RDB$ACL 9:52 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$84 RDB$ACL 9:53 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$85 RDB$ACL 9:54 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$86 RDB$ACL 9:55 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$87 RDB$ACL 9:56 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$88 RDB$ACL 9:57 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$89 RDB$ACL 9:58 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$9 RDB$ACL 9:8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$90 RDB$ACL 9:59 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$91 RDB$ACL 9:5a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$92 RDB$ACL 9:5b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$93 RDB$ACL 9:5c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$94 RDB$ACL 9:5d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$95 RDB$ACL 9:5e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$96 RDB$ACL 9:5f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$97 RDB$ACL 9:60 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$98 RDB$ACL 9:61 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$99 RDB$ACL 9:62 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$CHARSETS RDB$ACL 9:9d9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$COLLATIONS RDB$ACL 9:9da ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT1 RDB$ACL 9:9de ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT10 RDB$ACL 9:d27 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT11 RDB$ACL 9:d29 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT12 RDB$ACL 9:d2a ACL version 1 person: SYSDBA, privileges: (alter, control, drop, insert, update, delete, select, references) (null)3, privileges: (insert, update, delete, select, references) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT13 RDB$ACL 9:d2d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT14 RDB$ACL 9:d2f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT15 RDB$ACL 9:d31 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT16 RDB$ACL 9:d33 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT17 RDB$ACL 9:d35 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT18 RDB$ACL 9:d37 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT19 RDB$ACL 9:d39 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT2 RDB$ACL 9:9e0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT20 RDB$ACL 9:d3b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT21 RDB$ACL 9:d3d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT22 RDB$ACL 9:d3f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT23 RDB$ACL 9:d41 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT24 RDB$ACL 9:d43 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT25 RDB$ACL 9:d45 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT26 RDB$ACL 9:d47 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT27 RDB$ACL 9:d49 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT28 RDB$ACL 9:d4b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT29 RDB$ACL 9:d4d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT3 RDB$ACL 9:9e2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT30 RDB$ACL 9:d4f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT31 RDB$ACL 9:d51 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT32 RDB$ACL 9:d53 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT33 RDB$ACL 9:d54 ACL version 1 person: SYSDBA, privileges: (alter, control, drop, insert, update, delete, select, references) (null)4, privileges: (insert, update, delete, select, references) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT34 RDB$ACL 9:d57 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT35 RDB$ACL 9:d59 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT36 RDB$ACL 9:d5b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT37 RDB$ACL 9:d5d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT38 RDB$ACL 9:d5f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT39 RDB$ACL 9:d61 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT4 RDB$ACL 9:9e4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT40 RDB$ACL 9:d63 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT41 RDB$ACL 9:d65 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT42 RDB$ACL 9:d67 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT43 RDB$ACL 9:d69 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT44 RDB$ACL 9:d6b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT45 RDB$ACL 9:d6d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT46 RDB$ACL 9:d6f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT47 RDB$ACL 9:d71 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT48 RDB$ACL 9:d72 ACL version 1 person: SYSDBA, privileges: (alter, control, drop, insert, update, delete, select, references) (null)22, privileges: (insert, update, delete, select, references) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT49 RDB$ACL 9:d75 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT5 RDB$ACL 9:9e6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT50 RDB$ACL 9:d77 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT51 RDB$ACL 9:d79 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT52 RDB$ACL 9:d7b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT53 RDB$ACL 9:d7d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT54 RDB$ACL 9:d7f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT6 RDB$ACL 9:9e8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT7 RDB$ACL 9:d21 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT8 RDB$ACL 9:d23 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT9 RDB$ACL 9:d25 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DOMAINS RDB$ACL 9:9d6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$EXCEPTIONS RDB$ACL 9:9d7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$FILTERS RDB$ACL 9:9db ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$FUNCTIONS RDB$ACL 9:9d3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$GENERATORS RDB$ACL 9:9d5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$PACKAGES RDB$ACL 9:9d4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$PROCEDURES RDB$ACL 9:9d2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$ROLES RDB$ACL 9:9d8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$TABLES RDB$ACL 9:9d0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$VIEWS RDB$ACL 9:9d1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> Records affected: 505 """ @pytest.mark.version('>=4.0')
56.544171
288
0.292785
#coding:utf-8 # # id: functional.basic.db.26 # title: Empty DB - RDB$SECURITY_CLASSES # decription: Check for correct content of RDB$SECURITY_CLASSES in empty database. # tracker_id: # min_versions: ['2.5.7'] # versions: 3.0, 4.0 # qmid: functional.basic.db.db_26 import pytest from firebird.qa import db_factory, isql_act, Action # version: 3.0 # resources: None substitutions_1 = [('RDB\\$ACL.*', ''), ('RDB\\$SECURITY_CLASS[\\s]+SQL\\$.*', 'RDB\\$SECURITY_CLASS SQL\\$'), ('[\t ]+', ' ')] init_script_1 = """""" db_1 = db_factory(sql_dialect=3, init=init_script_1) test_script_1 = """ -- 28.10.2015 -- Updated expected_stdout, added block to subst-section in order to ignore differences -- in values like "SQL$****" of field RDB$SECURITY_CLASS. set list on; set blob 3; set count on; select * from rdb$security_classes order by rdb$security_class; """ act_1 = isql_act('db_1', test_script_1, substitutions=substitutions_1) expected_stdout_1 = """ RDB$SECURITY_CLASS SQL$1 RDB$ACL 9:0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$10 RDB$ACL 9:9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$100 RDB$ACL 9:63 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$101 RDB$ACL 9:64 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$102 RDB$ACL 9:65 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$103 RDB$ACL 9:66 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$104 RDB$ACL 9:67 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$105 RDB$ACL 9:68 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$106 RDB$ACL 9:69 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$107 RDB$ACL 9:6a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$108 RDB$ACL 9:6b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$109 RDB$ACL 9:6c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$11 RDB$ACL 9:a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$110 RDB$ACL 9:6d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$111 RDB$ACL 9:6e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$112 RDB$ACL 9:6f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$113 RDB$ACL 9:70 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$114 RDB$ACL 9:71 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$115 RDB$ACL 9:72 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$116 RDB$ACL 9:73 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$117 RDB$ACL 9:74 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$118 RDB$ACL 9:75 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$119 RDB$ACL 9:76 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$12 RDB$ACL 9:b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$120 RDB$ACL 9:77 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$121 RDB$ACL 9:78 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$122 RDB$ACL 9:79 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$123 RDB$ACL 9:7a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$124 RDB$ACL 9:7b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$125 RDB$ACL 9:7c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$126 RDB$ACL 9:7d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$127 RDB$ACL 9:7e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$128 RDB$ACL 9:7f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$129 RDB$ACL 9:80 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$13 RDB$ACL 9:c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$130 RDB$ACL 9:81 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$131 RDB$ACL 9:82 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$132 RDB$ACL 9:83 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$133 RDB$ACL 9:84 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$134 RDB$ACL 9:85 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$135 RDB$ACL 9:86 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$136 RDB$ACL 9:87 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$137 RDB$ACL 9:5a0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$138 RDB$ACL 9:5a1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$139 RDB$ACL 9:5a2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$14 RDB$ACL 9:d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$140 RDB$ACL 9:5a3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$141 RDB$ACL 9:5a4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$142 RDB$ACL 9:5a5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$143 RDB$ACL 9:5a6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$144 RDB$ACL 9:5a7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$145 RDB$ACL 9:5a8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$146 RDB$ACL 9:5a9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$147 RDB$ACL 9:5aa ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$148 RDB$ACL 9:5ab ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$149 RDB$ACL 9:5ac ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$15 RDB$ACL 9:e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$150 RDB$ACL 9:5ad ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$151 RDB$ACL 9:5ae ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$152 RDB$ACL 9:5af ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$153 RDB$ACL 9:5b0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$154 RDB$ACL 9:5b1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$155 RDB$ACL 9:5b2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$156 RDB$ACL 9:5b3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$157 RDB$ACL 9:5b4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$158 RDB$ACL 9:5b5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$159 RDB$ACL 9:5b6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$16 RDB$ACL 9:f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$160 RDB$ACL 9:5b7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$161 RDB$ACL 9:5b8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$162 RDB$ACL 9:5b9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$163 RDB$ACL 9:5ba ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$164 RDB$ACL 9:5bb ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$165 RDB$ACL 9:5bc ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$166 RDB$ACL 9:5bd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$167 RDB$ACL 9:5be ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$168 RDB$ACL 9:5bf ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$169 RDB$ACL 9:5c0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$17 RDB$ACL 9:10 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$170 RDB$ACL 9:5c1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$171 RDB$ACL 9:5c2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$172 RDB$ACL 9:5c3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$173 RDB$ACL 9:5c4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$174 RDB$ACL 9:5c5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$175 RDB$ACL 9:5c6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$176 RDB$ACL 9:5c7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$177 RDB$ACL 9:5c8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$178 RDB$ACL 9:5c9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$179 RDB$ACL 9:5ca ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$18 RDB$ACL 9:11 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$180 RDB$ACL 9:5cb ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$181 RDB$ACL 9:5cc ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$182 RDB$ACL 9:5cd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$183 RDB$ACL 9:5ce ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$184 RDB$ACL 9:5cf ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$185 RDB$ACL 9:5d0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$186 RDB$ACL 9:5d1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$187 RDB$ACL 9:5d2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$188 RDB$ACL 9:5d3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$189 RDB$ACL 9:5d4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$19 RDB$ACL 9:12 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$190 RDB$ACL 9:5d5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$191 RDB$ACL 9:5d6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$192 RDB$ACL 9:5d7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$193 RDB$ACL 9:5d8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$194 RDB$ACL 9:5d9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$195 RDB$ACL 9:5da ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$196 RDB$ACL 9:5db ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$197 RDB$ACL 9:5dc ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$198 RDB$ACL 9:5dd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$199 RDB$ACL 9:5de ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$2 RDB$ACL 9:1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$20 RDB$ACL 9:13 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$200 RDB$ACL 9:5df ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$201 RDB$ACL 9:5e0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$202 RDB$ACL 9:5e1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$203 RDB$ACL 9:5e2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$204 RDB$ACL 9:5e3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$205 RDB$ACL 9:5e4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$206 RDB$ACL 9:5e5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$207 RDB$ACL 9:5e6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$208 RDB$ACL 9:5e7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$209 RDB$ACL 9:5e8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$21 RDB$ACL 9:14 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$210 RDB$ACL 9:5e9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$211 RDB$ACL 9:5ea ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$212 RDB$ACL 9:5eb ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$213 RDB$ACL 9:5ec ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$214 RDB$ACL 9:5ed ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$215 RDB$ACL 9:5ee ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$216 RDB$ACL 9:5ef ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$217 RDB$ACL 9:5f0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$218 RDB$ACL 9:5f1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$219 RDB$ACL 9:5f2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$22 RDB$ACL 9:15 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$220 RDB$ACL 9:5f3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$221 RDB$ACL 9:5f4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$222 RDB$ACL 9:5f5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$223 RDB$ACL 9:5f6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$224 RDB$ACL 9:5f7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$225 RDB$ACL 9:5f8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$226 RDB$ACL 9:5f9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$227 RDB$ACL 9:5fa ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$228 RDB$ACL 9:5fb ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$229 RDB$ACL 9:5fc ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$23 RDB$ACL 9:16 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$230 RDB$ACL 9:5fd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$231 RDB$ACL 9:5fe ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$232 RDB$ACL 9:5ff ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$233 RDB$ACL 9:600 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$234 RDB$ACL 9:601 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$235 RDB$ACL 9:602 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$236 RDB$ACL 9:603 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$237 RDB$ACL 9:604 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$238 RDB$ACL 9:605 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$239 RDB$ACL 9:606 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$24 RDB$ACL 9:17 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$240 RDB$ACL 9:607 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$241 RDB$ACL 9:608 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$242 RDB$ACL 9:609 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$243 RDB$ACL 9:60a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$244 RDB$ACL 9:60b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$245 RDB$ACL 9:60c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$246 RDB$ACL 9:60d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$247 RDB$ACL 9:60e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$248 RDB$ACL 9:60f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$249 RDB$ACL 9:610 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$25 RDB$ACL 9:18 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$250 RDB$ACL 9:611 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$251 RDB$ACL 9:612 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$252 RDB$ACL 9:613 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$253 RDB$ACL 9:614 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$254 RDB$ACL 9:615 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$255 RDB$ACL 9:616 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$256 RDB$ACL 9:617 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$257 RDB$ACL 9:618 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$258 RDB$ACL 9:619 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$259 RDB$ACL 9:61a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$26 RDB$ACL 9:19 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$260 RDB$ACL 9:61b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$261 RDB$ACL 9:61c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$262 RDB$ACL 9:61d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$263 RDB$ACL 9:61e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$264 RDB$ACL 9:61f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$265 RDB$ACL 9:620 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$266 RDB$ACL 9:621 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$267 RDB$ACL 9:622 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$268 RDB$ACL 9:623 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$269 RDB$ACL 9:624 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$27 RDB$ACL 9:1a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$270 RDB$ACL 9:625 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$271 RDB$ACL 9:626 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$272 RDB$ACL 9:627 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$273 RDB$ACL 9:960 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$274 RDB$ACL 9:961 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$275 RDB$ACL 9:962 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$276 RDB$ACL 9:963 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$277 RDB$ACL 9:964 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$278 RDB$ACL 9:965 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$279 RDB$ACL 9:966 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$28 RDB$ACL 9:1b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$280 RDB$ACL 9:967 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$281 RDB$ACL 9:968 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$282 RDB$ACL 9:969 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$283 RDB$ACL 9:96a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$284 RDB$ACL 9:96b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$285 RDB$ACL 9:96c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$286 RDB$ACL 9:96d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$287 RDB$ACL 9:96e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$288 RDB$ACL 9:96f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$289 RDB$ACL 9:970 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$29 RDB$ACL 9:1c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$290 RDB$ACL 9:971 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$291 RDB$ACL 9:972 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$292 RDB$ACL 9:973 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$293 RDB$ACL 9:974 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$294 RDB$ACL 9:975 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$295 RDB$ACL 9:976 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$296 RDB$ACL 9:977 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$297 RDB$ACL 9:978 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$298 RDB$ACL 9:979 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$299 RDB$ACL 9:97a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$3 RDB$ACL 9:2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$30 RDB$ACL 9:1d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$300 RDB$ACL 9:97b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$301 RDB$ACL 9:97c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$302 RDB$ACL 9:97d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$303 RDB$ACL 9:97e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$304 RDB$ACL 9:97f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$305 RDB$ACL 9:980 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$306 RDB$ACL 9:981 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$307 RDB$ACL 9:982 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$308 RDB$ACL 9:983 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$309 RDB$ACL 9:984 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$31 RDB$ACL 9:1e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$310 RDB$ACL 9:985 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$311 RDB$ACL 9:986 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$312 RDB$ACL 9:987 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$313 RDB$ACL 9:988 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$314 RDB$ACL 9:989 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$315 RDB$ACL 9:98a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$316 RDB$ACL 9:98b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$317 RDB$ACL 9:98c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$318 RDB$ACL 9:98d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$319 RDB$ACL 9:98e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$32 RDB$ACL 9:1f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$320 RDB$ACL 9:98f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$321 RDB$ACL 9:990 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$322 RDB$ACL 9:991 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$323 RDB$ACL 9:992 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$324 RDB$ACL 9:993 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$325 RDB$ACL 9:994 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$326 RDB$ACL 9:995 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$327 RDB$ACL 9:996 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$328 RDB$ACL 9:997 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$329 RDB$ACL 9:998 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$33 RDB$ACL 9:20 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$330 RDB$ACL 9:999 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$331 RDB$ACL 9:99a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$332 RDB$ACL 9:99b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$333 RDB$ACL 9:99c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$334 RDB$ACL 9:99d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$335 RDB$ACL 9:99e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$336 RDB$ACL 9:99f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$337 RDB$ACL 9:9a0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$338 RDB$ACL 9:9a1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$339 RDB$ACL 9:9a2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$34 RDB$ACL 9:21 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$340 RDB$ACL 9:9a3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$341 RDB$ACL 9:9a4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$342 RDB$ACL 9:9a5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$343 RDB$ACL 9:9a6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$344 RDB$ACL 9:9a7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$345 RDB$ACL 9:9a8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$346 RDB$ACL 9:9a9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$347 RDB$ACL 9:9aa ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$348 RDB$ACL 9:9ab ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$349 RDB$ACL 9:9ac ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$35 RDB$ACL 9:22 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$350 RDB$ACL 9:9ad ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$351 RDB$ACL 9:9ae ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$352 RDB$ACL 9:9af ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$353 RDB$ACL 9:9b0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$354 RDB$ACL 9:9b1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$355 RDB$ACL 9:9b2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$356 RDB$ACL 9:9b3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$357 RDB$ACL 9:9b4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$358 RDB$ACL 9:9b5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$359 RDB$ACL 9:9b6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$36 RDB$ACL 9:23 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$360 RDB$ACL 9:9b7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$361 RDB$ACL 9:9b8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$362 RDB$ACL 9:9b9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$363 RDB$ACL 9:9ba ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$364 RDB$ACL 9:9c7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$365 RDB$ACL 9:9c8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$366 RDB$ACL 9:9ca ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$367 RDB$ACL 9:9cc ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$368 RDB$ACL 9:9ce ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$369 RDB$ACL 9:9d0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$37 RDB$ACL 9:24 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$370 RDB$ACL 9:9d2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$371 RDB$ACL 9:9d4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$372 RDB$ACL 9:9d6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$373 RDB$ACL 9:9d8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$374 RDB$ACL 9:9da ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$375 RDB$ACL 9:9dc ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$376 RDB$ACL 9:9de ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$377 RDB$ACL 9:9e0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$378 RDB$ACL 9:9e2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$379 RDB$ACL 9:9e4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$38 RDB$ACL 9:25 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$380 RDB$ACL 9:9e6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$381 RDB$ACL 9:9e8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$382 RDB$ACL 9:d21 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$383 RDB$ACL 9:d23 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$384 RDB$ACL 9:d25 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$385 RDB$ACL 9:d27 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$386 RDB$ACL 9:d29 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$387 RDB$ACL 9:d2b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$388 RDB$ACL 9:d2d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$389 RDB$ACL 9:d2f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$39 RDB$ACL 9:26 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$390 RDB$ACL 9:d31 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$391 RDB$ACL 9:d33 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$392 RDB$ACL 9:d35 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$393 RDB$ACL 9:d37 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$394 RDB$ACL 9:d39 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$395 RDB$ACL 9:d3b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$396 RDB$ACL 9:d3d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$397 RDB$ACL 9:d3f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$398 RDB$ACL 9:d41 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$399 RDB$ACL 9:d43 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$4 RDB$ACL 9:3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$40 RDB$ACL 9:27 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$400 RDB$ACL 9:d45 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$401 RDB$ACL 9:d47 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$402 RDB$ACL 9:d49 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$403 RDB$ACL 9:d4b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$404 RDB$ACL 9:d4d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$405 RDB$ACL 9:d4f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$406 RDB$ACL 9:d51 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$407 RDB$ACL 9:d53 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$408 RDB$ACL 9:d55 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$409 RDB$ACL 9:d57 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$41 RDB$ACL 9:28 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$410 RDB$ACL 9:d59 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$411 RDB$ACL 9:d5b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$412 RDB$ACL 9:d5d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$413 RDB$ACL 9:d5f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$414 RDB$ACL 9:d61 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$42 RDB$ACL 9:29 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$43 RDB$ACL 9:2a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$44 RDB$ACL 9:2b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$45 RDB$ACL 9:2c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$46 RDB$ACL 9:2d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$47 RDB$ACL 9:2e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$48 RDB$ACL 9:2f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$49 RDB$ACL 9:30 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$5 RDB$ACL 9:4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$50 RDB$ACL 9:31 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$51 RDB$ACL 9:32 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$52 RDB$ACL 9:33 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$53 RDB$ACL 9:34 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$54 RDB$ACL 9:35 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$55 RDB$ACL 9:36 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$56 RDB$ACL 9:37 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$57 RDB$ACL 9:38 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$58 RDB$ACL 9:39 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$59 RDB$ACL 9:3a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$6 RDB$ACL 9:5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$60 RDB$ACL 9:3b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$61 RDB$ACL 9:3c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$62 RDB$ACL 9:3d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$63 RDB$ACL 9:3e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$64 RDB$ACL 9:3f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$65 RDB$ACL 9:40 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$66 RDB$ACL 9:41 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$67 RDB$ACL 9:42 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$68 RDB$ACL 9:43 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$69 RDB$ACL 9:44 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$7 RDB$ACL 9:6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$70 RDB$ACL 9:45 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$71 RDB$ACL 9:46 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$72 RDB$ACL 9:47 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$73 RDB$ACL 9:48 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$74 RDB$ACL 9:49 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$75 RDB$ACL 9:4a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$76 RDB$ACL 9:4b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$77 RDB$ACL 9:4c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$78 RDB$ACL 9:4d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$79 RDB$ACL 9:4e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$8 RDB$ACL 9:7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$80 RDB$ACL 9:4f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$81 RDB$ACL 9:50 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$82 RDB$ACL 9:51 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$83 RDB$ACL 9:52 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$84 RDB$ACL 9:53 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$85 RDB$ACL 9:54 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$86 RDB$ACL 9:55 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$87 RDB$ACL 9:56 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$88 RDB$ACL 9:57 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$89 RDB$ACL 9:58 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$9 RDB$ACL 9:8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$90 RDB$ACL 9:59 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$91 RDB$ACL 9:5a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$92 RDB$ACL 9:5b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$93 RDB$ACL 9:5c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$94 RDB$ACL 9:5d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$95 RDB$ACL 9:5e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$96 RDB$ACL 9:5f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$97 RDB$ACL 9:60 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$98 RDB$ACL 9:61 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$99 RDB$ACL 9:62 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$CHARSETS RDB$ACL 9:9c4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$COLLATIONS RDB$ACL 9:9c5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT1 RDB$ACL 9:9c9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT10 RDB$ACL 9:9db ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT11 RDB$ACL 9:9dd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT12 RDB$ACL 9:9df ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT13 RDB$ACL 9:9e1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT14 RDB$ACL 9:9e3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT15 RDB$ACL 9:9e5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT16 RDB$ACL 9:9e7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT17 RDB$ACL 9:d20 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT18 RDB$ACL 9:d22 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT19 RDB$ACL 9:d24 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT2 RDB$ACL 9:9cb ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT20 RDB$ACL 9:d26 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT21 RDB$ACL 9:d28 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT22 RDB$ACL 9:d2a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT23 RDB$ACL 9:d2c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT24 RDB$ACL 9:d2e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT25 RDB$ACL 9:d30 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT26 RDB$ACL 9:d32 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT27 RDB$ACL 9:d34 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT28 RDB$ACL 9:d36 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT29 RDB$ACL 9:d38 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT3 RDB$ACL 9:9cd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT30 RDB$ACL 9:d3a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT31 RDB$ACL 9:d3c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT32 RDB$ACL 9:d3e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT33 RDB$ACL 9:d40 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT34 RDB$ACL 9:d42 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT35 RDB$ACL 9:d44 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT36 RDB$ACL 9:d46 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT37 RDB$ACL 9:d48 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT38 RDB$ACL 9:d4a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT39 RDB$ACL 9:d4c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT4 RDB$ACL 9:9cf ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT40 RDB$ACL 9:d4e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT41 RDB$ACL 9:d50 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT42 RDB$ACL 9:d52 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT43 RDB$ACL 9:d54 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT44 RDB$ACL 9:d56 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT45 RDB$ACL 9:d58 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT46 RDB$ACL 9:d5a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT47 RDB$ACL 9:d5c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT48 RDB$ACL 9:d5e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT49 RDB$ACL 9:d60 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT5 RDB$ACL 9:9d1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT50 RDB$ACL 9:d62 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT6 RDB$ACL 9:9d3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT7 RDB$ACL 9:9d5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT8 RDB$ACL 9:9d7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT9 RDB$ACL 9:9d9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DOMAINS RDB$ACL 9:9c1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$EXCEPTIONS RDB$ACL 9:9c2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$FILTERS RDB$ACL 9:9c6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$FUNCTIONS RDB$ACL 9:9be ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$GENERATORS RDB$ACL 9:9c0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$PACKAGES RDB$ACL 9:9bf ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$PROCEDURES RDB$ACL 9:9bd ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$ROLES RDB$ACL 9:9c3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$TABLES RDB$ACL 9:9bb ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$VIEWS RDB$ACL 9:9bc ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> Records affected: 476 """ @pytest.mark.version('>=3.0,<4.0') def test_1(act_1: Action): act_1.expected_stdout = expected_stdout_1 act_1.execute() assert act_1.clean_expected_stdout == act_1.clean_stdout # version: 4.0 # resources: None substitutions_2 = [('RDB\\$ACL.*', ''), ('RDB\\$SECURITY_CLASS[\\s]+SQL\\$.*', 'RDB\\$SECURITY_CLASS SQL\\$'), ('[\t ]+', ' ')] init_script_2 = """""" db_2 = db_factory(sql_dialect=3, init=init_script_2) test_script_2 = """ set list on; set blob 3; set count on; -- NB: 'rdb$security_class' is unique field, see DDL. select * from rdb$security_classes order by rdb$security_class; """ act_2 = isql_act('db_2', test_script_2, substitutions=substitutions_2) expected_stdout_2 = """ RDB$SECURITY_CLASS SQL$1 RDB$ACL 9:0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$10 RDB$ACL 9:9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$100 RDB$ACL 9:63 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$101 RDB$ACL 9:64 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$102 RDB$ACL 9:65 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$103 RDB$ACL 9:66 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$104 RDB$ACL 9:67 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$105 RDB$ACL 9:68 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$106 RDB$ACL 9:69 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$107 RDB$ACL 9:6a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$108 RDB$ACL 9:6b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$109 RDB$ACL 9:6c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$11 RDB$ACL 9:a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$110 RDB$ACL 9:6d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$111 RDB$ACL 9:6e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$112 RDB$ACL 9:6f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$113 RDB$ACL 9:70 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$114 RDB$ACL 9:71 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$115 RDB$ACL 9:72 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$116 RDB$ACL 9:73 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$117 RDB$ACL 9:74 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$118 RDB$ACL 9:75 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$119 RDB$ACL 9:76 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$12 RDB$ACL 9:b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$120 RDB$ACL 9:77 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$121 RDB$ACL 9:78 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$122 RDB$ACL 9:79 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$123 RDB$ACL 9:7a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$124 RDB$ACL 9:7b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$125 RDB$ACL 9:7c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$126 RDB$ACL 9:7d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$127 RDB$ACL 9:7e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$128 RDB$ACL 9:7f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$129 RDB$ACL 9:80 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$13 RDB$ACL 9:c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$130 RDB$ACL 9:81 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$131 RDB$ACL 9:82 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$132 RDB$ACL 9:83 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$133 RDB$ACL 9:84 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$134 RDB$ACL 9:85 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$135 RDB$ACL 9:86 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$136 RDB$ACL 9:87 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$137 RDB$ACL 9:5a0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$138 RDB$ACL 9:5a1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$139 RDB$ACL 9:5a2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$14 RDB$ACL 9:d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$140 RDB$ACL 9:5a3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$141 RDB$ACL 9:5a4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$142 RDB$ACL 9:5a5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$143 RDB$ACL 9:5a6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$144 RDB$ACL 9:5a7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$145 RDB$ACL 9:5a8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$146 RDB$ACL 9:5a9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$147 RDB$ACL 9:5aa ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$148 RDB$ACL 9:5ab ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$149 RDB$ACL 9:5ac ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$15 RDB$ACL 9:e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$150 RDB$ACL 9:5ad ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$151 RDB$ACL 9:5ae ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$152 RDB$ACL 9:5af ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$153 RDB$ACL 9:5b0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$154 RDB$ACL 9:5b1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$155 RDB$ACL 9:5b2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$156 RDB$ACL 9:5b3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$157 RDB$ACL 9:5b4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$158 RDB$ACL 9:5b5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$159 RDB$ACL 9:5b6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$16 RDB$ACL 9:f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$160 RDB$ACL 9:5b7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$161 RDB$ACL 9:5b8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$162 RDB$ACL 9:5b9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$163 RDB$ACL 9:5ba ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$164 RDB$ACL 9:5bb ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$165 RDB$ACL 9:5bc ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$166 RDB$ACL 9:5bd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$167 RDB$ACL 9:5be ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$168 RDB$ACL 9:5bf ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$169 RDB$ACL 9:5c0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$17 RDB$ACL 9:10 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$170 RDB$ACL 9:5c1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$171 RDB$ACL 9:5c2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$172 RDB$ACL 9:5c3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$173 RDB$ACL 9:5c4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$174 RDB$ACL 9:5c5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$175 RDB$ACL 9:5c6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$176 RDB$ACL 9:5c7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$177 RDB$ACL 9:5c8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$178 RDB$ACL 9:5c9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$179 RDB$ACL 9:5ca ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$18 RDB$ACL 9:11 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$180 RDB$ACL 9:5cb ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$181 RDB$ACL 9:5cc ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$182 RDB$ACL 9:5cd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$183 RDB$ACL 9:5ce ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$184 RDB$ACL 9:5cf ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$185 RDB$ACL 9:5d0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$186 RDB$ACL 9:5d1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$187 RDB$ACL 9:5d2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$188 RDB$ACL 9:5d3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$189 RDB$ACL 9:5d4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$19 RDB$ACL 9:12 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$190 RDB$ACL 9:5d5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$191 RDB$ACL 9:5d6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$192 RDB$ACL 9:5d7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$193 RDB$ACL 9:5d8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$194 RDB$ACL 9:5d9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$195 RDB$ACL 9:5da ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$196 RDB$ACL 9:5db ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$197 RDB$ACL 9:5dc ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$198 RDB$ACL 9:5dd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$199 RDB$ACL 9:5de ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$2 RDB$ACL 9:1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$20 RDB$ACL 9:13 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$200 RDB$ACL 9:5df ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$201 RDB$ACL 9:5e0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$202 RDB$ACL 9:5e1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$203 RDB$ACL 9:5e2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$204 RDB$ACL 9:5e3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$205 RDB$ACL 9:5e4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$206 RDB$ACL 9:5e5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$207 RDB$ACL 9:5e6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$208 RDB$ACL 9:5e7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$209 RDB$ACL 9:5e8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$21 RDB$ACL 9:14 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$210 RDB$ACL 9:5e9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$211 RDB$ACL 9:5ea ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$212 RDB$ACL 9:5eb ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$213 RDB$ACL 9:5ec ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$214 RDB$ACL 9:5ed ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$215 RDB$ACL 9:5ee ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$216 RDB$ACL 9:5ef ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$217 RDB$ACL 9:5f0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$218 RDB$ACL 9:5f1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$219 RDB$ACL 9:5f2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$22 RDB$ACL 9:15 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$220 RDB$ACL 9:5f3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$221 RDB$ACL 9:5f4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$222 RDB$ACL 9:5f5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$223 RDB$ACL 9:5f6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$224 RDB$ACL 9:5f7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$225 RDB$ACL 9:5f8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$226 RDB$ACL 9:5f9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$227 RDB$ACL 9:5fa ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$228 RDB$ACL 9:5fb ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$229 RDB$ACL 9:5fc ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$23 RDB$ACL 9:16 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$230 RDB$ACL 9:5fd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$231 RDB$ACL 9:5fe ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$232 RDB$ACL 9:5ff ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$233 RDB$ACL 9:600 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$234 RDB$ACL 9:601 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$235 RDB$ACL 9:602 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$236 RDB$ACL 9:603 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$237 RDB$ACL 9:604 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$238 RDB$ACL 9:605 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$239 RDB$ACL 9:606 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$24 RDB$ACL 9:17 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$240 RDB$ACL 9:607 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$241 RDB$ACL 9:608 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$242 RDB$ACL 9:609 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$243 RDB$ACL 9:60a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$244 RDB$ACL 9:60b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$245 RDB$ACL 9:60c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$246 RDB$ACL 9:60d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$247 RDB$ACL 9:60e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$248 RDB$ACL 9:60f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$249 RDB$ACL 9:610 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$25 RDB$ACL 9:18 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$250 RDB$ACL 9:611 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$251 RDB$ACL 9:612 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$252 RDB$ACL 9:613 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$253 RDB$ACL 9:614 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$254 RDB$ACL 9:615 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$255 RDB$ACL 9:616 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$256 RDB$ACL 9:617 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$257 RDB$ACL 9:618 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$258 RDB$ACL 9:619 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$259 RDB$ACL 9:61a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$26 RDB$ACL 9:19 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$260 RDB$ACL 9:61b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$261 RDB$ACL 9:61c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$262 RDB$ACL 9:61d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$263 RDB$ACL 9:61e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$264 RDB$ACL 9:61f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$265 RDB$ACL 9:620 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$266 RDB$ACL 9:621 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$267 RDB$ACL 9:622 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$268 RDB$ACL 9:623 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$269 RDB$ACL 9:624 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$27 RDB$ACL 9:1a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$270 RDB$ACL 9:625 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$271 RDB$ACL 9:626 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$272 RDB$ACL 9:627 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$273 RDB$ACL 9:960 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$274 RDB$ACL 9:961 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$275 RDB$ACL 9:962 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$276 RDB$ACL 9:963 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$277 RDB$ACL 9:964 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$278 RDB$ACL 9:965 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$279 RDB$ACL 9:966 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$28 RDB$ACL 9:1b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$280 RDB$ACL 9:967 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$281 RDB$ACL 9:968 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$282 RDB$ACL 9:969 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$283 RDB$ACL 9:96a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$284 RDB$ACL 9:96b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$285 RDB$ACL 9:96c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$286 RDB$ACL 9:96d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$287 RDB$ACL 9:96e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$288 RDB$ACL 9:96f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$289 RDB$ACL 9:970 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$29 RDB$ACL 9:1c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$290 RDB$ACL 9:971 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$291 RDB$ACL 9:972 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$292 RDB$ACL 9:973 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$293 RDB$ACL 9:974 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$294 RDB$ACL 9:975 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$295 RDB$ACL 9:976 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$296 RDB$ACL 9:977 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$297 RDB$ACL 9:978 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$298 RDB$ACL 9:979 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$299 RDB$ACL 9:97a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$3 RDB$ACL 9:2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$30 RDB$ACL 9:1d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$300 RDB$ACL 9:97b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$301 RDB$ACL 9:97c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$302 RDB$ACL 9:97d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$303 RDB$ACL 9:97e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$304 RDB$ACL 9:97f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$305 RDB$ACL 9:980 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$306 RDB$ACL 9:981 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$307 RDB$ACL 9:982 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$308 RDB$ACL 9:983 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$309 RDB$ACL 9:984 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$31 RDB$ACL 9:1e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$310 RDB$ACL 9:985 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$311 RDB$ACL 9:986 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$312 RDB$ACL 9:987 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$313 RDB$ACL 9:988 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$314 RDB$ACL 9:989 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$315 RDB$ACL 9:98a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$316 RDB$ACL 9:98b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$317 RDB$ACL 9:98c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$318 RDB$ACL 9:98d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$319 RDB$ACL 9:98e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$32 RDB$ACL 9:1f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$320 RDB$ACL 9:98f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$321 RDB$ACL 9:990 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$322 RDB$ACL 9:991 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$323 RDB$ACL 9:992 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$324 RDB$ACL 9:993 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$325 RDB$ACL 9:994 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$326 RDB$ACL 9:995 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$327 RDB$ACL 9:996 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$328 RDB$ACL 9:997 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$329 RDB$ACL 9:998 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$33 RDB$ACL 9:20 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$330 RDB$ACL 9:999 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$331 RDB$ACL 9:99a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$332 RDB$ACL 9:99b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$333 RDB$ACL 9:99c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$334 RDB$ACL 9:99d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$335 RDB$ACL 9:99e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$336 RDB$ACL 9:99f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$337 RDB$ACL 9:9a0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$338 RDB$ACL 9:9a1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$339 RDB$ACL 9:9a2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$34 RDB$ACL 9:21 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$340 RDB$ACL 9:9a3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$341 RDB$ACL 9:9a4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$342 RDB$ACL 9:9a5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$343 RDB$ACL 9:9a6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$344 RDB$ACL 9:9a7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$345 RDB$ACL 9:9a8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$346 RDB$ACL 9:9a9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$347 RDB$ACL 9:9aa ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$348 RDB$ACL 9:9ab ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$349 RDB$ACL 9:9ac ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$35 RDB$ACL 9:22 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$350 RDB$ACL 9:9ad ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$351 RDB$ACL 9:9ae ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$352 RDB$ACL 9:9af ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$353 RDB$ACL 9:9b0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$354 RDB$ACL 9:9b1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$355 RDB$ACL 9:9b2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$356 RDB$ACL 9:9b3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$357 RDB$ACL 9:9b4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$358 RDB$ACL 9:9b5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$359 RDB$ACL 9:9b6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$36 RDB$ACL 9:23 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$360 RDB$ACL 9:9b7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$361 RDB$ACL 9:9b8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$362 RDB$ACL 9:9b9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$363 RDB$ACL 9:9ba ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$364 RDB$ACL 9:9bb ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$365 RDB$ACL 9:9bc ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$366 RDB$ACL 9:9bd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$367 RDB$ACL 9:9be ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$368 RDB$ACL 9:9bf ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$369 RDB$ACL 9:9c0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$37 RDB$ACL 9:24 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$370 RDB$ACL 9:9c1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$371 RDB$ACL 9:9c2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$372 RDB$ACL 9:9c3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$373 RDB$ACL 9:9c4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$374 RDB$ACL 9:9c5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$375 RDB$ACL 9:9c6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$376 RDB$ACL 9:9c7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$377 RDB$ACL 9:9c8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$378 RDB$ACL 9:9c9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$379 RDB$ACL 9:9ca ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$38 RDB$ACL 9:25 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$380 RDB$ACL 9:9cb ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$381 RDB$ACL 9:9cc ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$382 RDB$ACL 9:9cd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$383 RDB$ACL 9:9ce ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$384 RDB$ACL 9:9cf ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (execute) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$385 RDB$ACL 9:9dc ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$386 RDB$ACL 9:9dd ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$387 RDB$ACL 9:9df ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$388 RDB$ACL 9:9e1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$389 RDB$ACL 9:9e3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$39 RDB$ACL 9:26 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$390 RDB$ACL 9:9e5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$391 RDB$ACL 9:9e7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$392 RDB$ACL 9:d20 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$393 RDB$ACL 9:d22 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$394 RDB$ACL 9:d24 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$395 RDB$ACL 9:d26 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$396 RDB$ACL 9:d28 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$397 RDB$ACL 9:d55 ACL version 1 person: SYSDBA, privileges: (alter, control, drop, insert, update, delete, select, references) (null)3, privileges: (insert, update, delete, select, references) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$398 RDB$ACL 9:d2c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$399 RDB$ACL 9:d2e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$4 RDB$ACL 9:3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$40 RDB$ACL 9:27 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$400 RDB$ACL 9:d30 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$401 RDB$ACL 9:d32 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$402 RDB$ACL 9:d34 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$403 RDB$ACL 9:d36 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$404 RDB$ACL 9:d38 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$405 RDB$ACL 9:d3a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$406 RDB$ACL 9:d3c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$407 RDB$ACL 9:d3e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$408 RDB$ACL 9:d40 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$409 RDB$ACL 9:d42 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$41 RDB$ACL 9:28 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$410 RDB$ACL 9:d44 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$411 RDB$ACL 9:d46 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$412 RDB$ACL 9:d48 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$413 RDB$ACL 9:d4a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$414 RDB$ACL 9:d4c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$415 RDB$ACL 9:d4e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$416 RDB$ACL 9:d50 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$417 RDB$ACL 9:d52 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$418 RDB$ACL 9:d80 ACL version 1 person: SYSDBA, privileges: (alter, control, drop, insert, update, delete, select, references) (null)4, privileges: (insert, update, delete, select, references) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$419 RDB$ACL 9:d56 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$42 RDB$ACL 9:29 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$420 RDB$ACL 9:d58 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$421 RDB$ACL 9:d5a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$422 RDB$ACL 9:d5c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$423 RDB$ACL 9:d5e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$424 RDB$ACL 9:d60 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$425 RDB$ACL 9:d62 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$426 RDB$ACL 9:d64 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$427 RDB$ACL 9:d66 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$428 RDB$ACL 9:d68 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$429 RDB$ACL 9:d6a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$43 RDB$ACL 9:2a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$430 RDB$ACL 9:d6c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$431 RDB$ACL 9:d6e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$432 RDB$ACL 9:d70 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$433 RDB$ACL 9:d2b ACL version 1 person: SYSDBA, privileges: (alter, control, drop, insert, update, delete, select, references) (null)22, privileges: (insert, update, delete, select, references) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$434 RDB$ACL 9:d74 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$435 RDB$ACL 9:d76 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$436 RDB$ACL 9:d78 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$437 RDB$ACL 9:d7a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$438 RDB$ACL 9:d7c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$439 RDB$ACL 9:d7e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$44 RDB$ACL 9:2b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$45 RDB$ACL 9:2c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$46 RDB$ACL 9:2d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$47 RDB$ACL 9:2e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$48 RDB$ACL 9:2f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$49 RDB$ACL 9:30 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$5 RDB$ACL 9:4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$50 RDB$ACL 9:31 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$51 RDB$ACL 9:32 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$52 RDB$ACL 9:33 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$53 RDB$ACL 9:34 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$54 RDB$ACL 9:35 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$55 RDB$ACL 9:36 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$56 RDB$ACL 9:37 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$57 RDB$ACL 9:38 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$58 RDB$ACL 9:39 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$59 RDB$ACL 9:3a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$6 RDB$ACL 9:5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$60 RDB$ACL 9:3b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$61 RDB$ACL 9:3c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$62 RDB$ACL 9:3d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$63 RDB$ACL 9:3e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$64 RDB$ACL 9:3f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$65 RDB$ACL 9:40 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$66 RDB$ACL 9:41 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$67 RDB$ACL 9:42 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$68 RDB$ACL 9:43 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$69 RDB$ACL 9:44 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$7 RDB$ACL 9:6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$70 RDB$ACL 9:45 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$71 RDB$ACL 9:46 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$72 RDB$ACL 9:47 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$73 RDB$ACL 9:48 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$74 RDB$ACL 9:49 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$75 RDB$ACL 9:4a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$76 RDB$ACL 9:4b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$77 RDB$ACL 9:4c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$78 RDB$ACL 9:4d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$79 RDB$ACL 9:4e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$8 RDB$ACL 9:7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$80 RDB$ACL 9:4f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$81 RDB$ACL 9:50 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$82 RDB$ACL 9:51 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$83 RDB$ACL 9:52 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$84 RDB$ACL 9:53 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$85 RDB$ACL 9:54 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$86 RDB$ACL 9:55 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$87 RDB$ACL 9:56 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$88 RDB$ACL 9:57 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$89 RDB$ACL 9:58 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$9 RDB$ACL 9:8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$90 RDB$ACL 9:59 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$91 RDB$ACL 9:5a ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$92 RDB$ACL 9:5b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$93 RDB$ACL 9:5c ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$94 RDB$ACL 9:5d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$95 RDB$ACL 9:5e ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$96 RDB$ACL 9:5f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$97 RDB$ACL 9:60 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$98 RDB$ACL 9:61 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$99 RDB$ACL 9:62 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, usage) all users: (*.*), privileges: (usage) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$CHARSETS RDB$ACL 9:9d9 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$COLLATIONS RDB$ACL 9:9da ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT1 RDB$ACL 9:9de ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT10 RDB$ACL 9:d27 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT11 RDB$ACL 9:d29 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT12 RDB$ACL 9:d2a ACL version 1 person: SYSDBA, privileges: (alter, control, drop, insert, update, delete, select, references) (null)3, privileges: (insert, update, delete, select, references) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT13 RDB$ACL 9:d2d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT14 RDB$ACL 9:d2f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT15 RDB$ACL 9:d31 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT16 RDB$ACL 9:d33 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT17 RDB$ACL 9:d35 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT18 RDB$ACL 9:d37 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT19 RDB$ACL 9:d39 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT2 RDB$ACL 9:9e0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT20 RDB$ACL 9:d3b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT21 RDB$ACL 9:d3d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT22 RDB$ACL 9:d3f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT23 RDB$ACL 9:d41 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT24 RDB$ACL 9:d43 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT25 RDB$ACL 9:d45 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT26 RDB$ACL 9:d47 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT27 RDB$ACL 9:d49 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT28 RDB$ACL 9:d4b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT29 RDB$ACL 9:d4d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT3 RDB$ACL 9:9e2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT30 RDB$ACL 9:d4f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT31 RDB$ACL 9:d51 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT32 RDB$ACL 9:d53 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT33 RDB$ACL 9:d54 ACL version 1 person: SYSDBA, privileges: (alter, control, drop, insert, update, delete, select, references) (null)4, privileges: (insert, update, delete, select, references) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT34 RDB$ACL 9:d57 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT35 RDB$ACL 9:d59 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT36 RDB$ACL 9:d5b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT37 RDB$ACL 9:d5d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT38 RDB$ACL 9:d5f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT39 RDB$ACL 9:d61 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT4 RDB$ACL 9:9e4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT40 RDB$ACL 9:d63 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT41 RDB$ACL 9:d65 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT42 RDB$ACL 9:d67 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT43 RDB$ACL 9:d69 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT44 RDB$ACL 9:d6b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT45 RDB$ACL 9:d6d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT46 RDB$ACL 9:d6f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT47 RDB$ACL 9:d71 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT48 RDB$ACL 9:d72 ACL version 1 person: SYSDBA, privileges: (alter, control, drop, insert, update, delete, select, references) (null)22, privileges: (insert, update, delete, select, references) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT49 RDB$ACL 9:d75 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT5 RDB$ACL 9:9e6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT50 RDB$ACL 9:d77 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT51 RDB$ACL 9:d79 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT52 RDB$ACL 9:d7b ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT53 RDB$ACL 9:d7d ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT54 RDB$ACL 9:d7f ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT6 RDB$ACL 9:9e8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT7 RDB$ACL 9:d21 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT8 RDB$ACL 9:d23 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DEFAULT9 RDB$ACL 9:d25 ACL version 1 person: SYSDBA, privileges: (control, alter, drop, select, insert, update, delete) all users: (*.*), privileges: (select) RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$DOMAINS RDB$ACL 9:9d6 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$EXCEPTIONS RDB$ACL 9:9d7 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$FILTERS RDB$ACL 9:9db ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$FUNCTIONS RDB$ACL 9:9d3 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$GENERATORS RDB$ACL 9:9d5 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$PACKAGES RDB$ACL 9:9d4 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$PROCEDURES RDB$ACL 9:9d2 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$ROLES RDB$ACL 9:9d8 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$TABLES RDB$ACL 9:9d0 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> RDB$SECURITY_CLASS SQL$VIEWS RDB$ACL 9:9d1 ACL version 1 person: SYSDBA, privileges: (control, alter, drop) all users: (*.*), privileges: () RDB$DESCRIPTION <null> Records affected: 505 """ @pytest.mark.version('>=4.0') def test_2(act_2: Action): act_2.expected_stdout = expected_stdout_2 act_2.execute() assert act_2.clean_expected_stdout == act_2.clean_stdout
264
0
44
a1068525133ef72aa06682794691f21e5c9d6339
394
py
Python
lean_bundle/h5_backend/datatypes.py
d-schiffner/lean-bundle
1d83f2f5b84ba9480a5a07fe45b7e5b6c48e0dca
[ "MIT" ]
null
null
null
lean_bundle/h5_backend/datatypes.py
d-schiffner/lean-bundle
1d83f2f5b84ba9480a5a07fe45b7e5b6c48e0dca
[ "MIT" ]
null
null
null
lean_bundle/h5_backend/datatypes.py
d-schiffner/lean-bundle
1d83f2f5b84ba9480a5a07fe45b7e5b6c48e0dca
[ "MIT" ]
null
null
null
import h5py import numpy as np from ..utils.datatypes import * REF_DT = h5py.special_dtype(ref=h5py.Reference) KEY_VALUE_DT = np.dtype([('key', h5py.special_dtype(vlen=str)), ('value', h5py.special_dtype(vlen=str))]) #special type for actor object types USER_TYPE_DT = h5py.special_dtype(enum=('i', ACTOR_TYPE_MAP)) INTERACTIVE_LO_DT = h5py.special_dtype(enum=('i', INTERACTIVE_LO_TYPE_MAP))
35.818182
105
0.769036
import h5py import numpy as np from ..utils.datatypes import * REF_DT = h5py.special_dtype(ref=h5py.Reference) KEY_VALUE_DT = np.dtype([('key', h5py.special_dtype(vlen=str)), ('value', h5py.special_dtype(vlen=str))]) #special type for actor object types USER_TYPE_DT = h5py.special_dtype(enum=('i', ACTOR_TYPE_MAP)) INTERACTIVE_LO_DT = h5py.special_dtype(enum=('i', INTERACTIVE_LO_TYPE_MAP))
0
0
0
391a2bc3c09ffeb77290ec40e2ea8ac7ffb27dff
574
py
Python
fgt_transposer/write.py
MoAl78741/FortiGate-Config-Merger
9e5b4829e2deae24c62e5b12902ec0120fe3d557
[ "MIT" ]
null
null
null
fgt_transposer/write.py
MoAl78741/FortiGate-Config-Merger
9e5b4829e2deae24c62e5b12902ec0120fe3d557
[ "MIT" ]
null
null
null
fgt_transposer/write.py
MoAl78741/FortiGate-Config-Merger
9e5b4829e2deae24c62e5b12902ec0120fe3d557
[ "MIT" ]
null
null
null
from fgt_transposer.exceptions import BackupException from os import path import logging log_msg = logging.getLogger(f"priLogger.{__name__}")
30.210526
81
0.689895
from fgt_transposer.exceptions import BackupException from os import path import logging log_msg = logging.getLogger(f"priLogger.{__name__}") def write_config(newfile_name, files): with open(newfile_name, "w") as nn: newfile = files lst_of_keys = newfile.keys() for i in lst_of_keys: for line in newfile[i]: nn.write(line) if not path.exists(newfile_name): raise_exception(BackupException, f"Unable to backup file {newfile_name}") log_msg.info(f"Successfully backed up config for {newfile_name} ")
407
0
23
02719cc7b780d80317e269a27b4ec57c792c3aa5
362
py
Python
mopidy/m3u/backend.py
stekern/mopidy
94509cf70f2bd35ebb13e746dde135bfbe35ce0e
[ "Apache-2.0" ]
2
2019-02-13T15:16:55.000Z
2019-02-18T08:47:29.000Z
mopidy/m3u/backend.py
stekern/mopidy
94509cf70f2bd35ebb13e746dde135bfbe35ce0e
[ "Apache-2.0" ]
40
2019-02-13T09:33:00.000Z
2019-02-19T13:21:12.000Z
mopidy/m3u/backend.py
stekern/mopidy
94509cf70f2bd35ebb13e746dde135bfbe35ce0e
[ "Apache-2.0" ]
1
2021-10-01T17:26:30.000Z
2021-10-01T17:26:30.000Z
from __future__ import absolute_import, unicode_literals import pykka from mopidy import backend from . import playlists
22.625
69
0.748619
from __future__ import absolute_import, unicode_literals import pykka from mopidy import backend from . import playlists class M3UBackend(pykka.ThreadingActor, backend.Backend): uri_schemes = ['m3u'] def __init__(self, config, audio): super(M3UBackend, self).__init__() self.playlists = playlists.M3UPlaylistsProvider(self, config)
126
88
23
b640ae3248e940a8341e0a31d9cb75d1327f5d4b
1,884
py
Python
Curso Em Video-python/PYTHON (MUNDO 1, MUNDO 2 E MUNDO 3)/exercicios/ex0094Unindo_dict_listas.py
AlamoVinicius/code-pratice
924a3ff782caf3695bbeeac39fa02fb23781cd75
[ "MIT" ]
null
null
null
Curso Em Video-python/PYTHON (MUNDO 1, MUNDO 2 E MUNDO 3)/exercicios/ex0094Unindo_dict_listas.py
AlamoVinicius/code-pratice
924a3ff782caf3695bbeeac39fa02fb23781cd75
[ "MIT" ]
null
null
null
Curso Em Video-python/PYTHON (MUNDO 1, MUNDO 2 E MUNDO 3)/exercicios/ex0094Unindo_dict_listas.py
AlamoVinicius/code-pratice
924a3ff782caf3695bbeeac39fa02fb23781cd75
[ "MIT" ]
null
null
null
""" Crie um programa que leia nome, sexo e idade de várias pessoas, guardando os dados de cada pessoa em um dicionário e todos os dicionários em uma lista. No final, msotre: a - quantas pessoas foram cadastradas/ b - a média de idade do grupo/ c- uma lista com todas as mulheres. d - uma lista com todas as pessoas com idade acima da média""" lista = [] mulheres = [] maiores_media_idade = [] pessoas = {} media = 0 while True: pessoas['nome'] = str(input('Nome: ')) # não preciso usar pessoas.clear() pois meu dict automaticamente limpa # nos novos elementos quando sobrescritos. pessoas['sexo'] = str(input('sexo: [M/F] ')).strip().upper()[0] while pessoas['sexo'] not in 'MF': pessoas['sexo'] = str(input('Por favor, digite somente "M" ou "F": ')).strip().upper()[0] pessoas['idade'] = int(input('idade: ')) resp = str(input('Deseja continuar? [S/N]: ')) lista.append(pessoas.copy()) if resp in 'Nn': break # número de pssoas cadastradas: print(f"{'='* 40}") print(f'{"RESULTADOS":^40}') print(f"{'='* 40}") print(f'Foram cadastrado {len(lista)} pessoas.') # média de idade do grupo for dados in lista: media += dados['idade'] media /= len(lista) print(f'A média do grupo de pessoas é {media:.1f}') # lista de mulheres no grupo for dados in lista: if dados['sexo'] == 'F': mulheres.append(dados['nome']) print('As mulheres do grupo são: ') for dados in mulheres: print(dados) # lista de pessoas com idade acima da média print('As pessoas com idade acima da média são: ') for dados in lista: if dados['idade'] >= media: for key, values in dados.items(): print(f'{key} = {values}; ', end='') ''' Algumas diferençãs relacionadas a solução do curso foram observados, pode ser conferido no seguinte link https://youtu.be/ETnExBCFeps mas nada que altere muita coisa em minha solução. '''
37.68
115
0.66242
""" Crie um programa que leia nome, sexo e idade de várias pessoas, guardando os dados de cada pessoa em um dicionário e todos os dicionários em uma lista. No final, msotre: a - quantas pessoas foram cadastradas/ b - a média de idade do grupo/ c- uma lista com todas as mulheres. d - uma lista com todas as pessoas com idade acima da média""" lista = [] mulheres = [] maiores_media_idade = [] pessoas = {} media = 0 while True: pessoas['nome'] = str(input('Nome: ')) # não preciso usar pessoas.clear() pois meu dict automaticamente limpa # nos novos elementos quando sobrescritos. pessoas['sexo'] = str(input('sexo: [M/F] ')).strip().upper()[0] while pessoas['sexo'] not in 'MF': pessoas['sexo'] = str(input('Por favor, digite somente "M" ou "F": ')).strip().upper()[0] pessoas['idade'] = int(input('idade: ')) resp = str(input('Deseja continuar? [S/N]: ')) lista.append(pessoas.copy()) if resp in 'Nn': break # número de pssoas cadastradas: print(f"{'='* 40}") print(f'{"RESULTADOS":^40}') print(f"{'='* 40}") print(f'Foram cadastrado {len(lista)} pessoas.') # média de idade do grupo for dados in lista: media += dados['idade'] media /= len(lista) print(f'A média do grupo de pessoas é {media:.1f}') # lista de mulheres no grupo for dados in lista: if dados['sexo'] == 'F': mulheres.append(dados['nome']) print('As mulheres do grupo são: ') for dados in mulheres: print(dados) # lista de pessoas com idade acima da média print('As pessoas com idade acima da média são: ') for dados in lista: if dados['idade'] >= media: for key, values in dados.items(): print(f'{key} = {values}; ', end='') ''' Algumas diferençãs relacionadas a solução do curso foram observados, pode ser conferido no seguinte link https://youtu.be/ETnExBCFeps mas nada que altere muita coisa em minha solução. '''
0
0
0
7286eb32f766700e67aec25ff5e57a270360fdf5
3,329
py
Python
toolbox/data_handler.py
mlelarge/graph_neural_net
bd4ade9312d945b8baadc7709d134ea6af0fc0bb
[ "Apache-2.0" ]
36
2020-03-18T18:56:20.000Z
2022-03-31T13:39:09.000Z
toolbox/data_handler.py
mlelarge/graph_neural_net
bd4ade9312d945b8baadc7709d134ea6af0fc0bb
[ "Apache-2.0" ]
11
2020-02-25T18:46:23.000Z
2022-02-07T11:01:37.000Z
toolbox/data_handler.py
mlelarge/graph_neural_net
bd4ade9312d945b8baadc7709d134ea6af0fc0bb
[ "Apache-2.0" ]
17
2020-02-25T18:29:48.000Z
2022-03-31T13:39:42.000Z
import pandas as pd import os from toolbox.utils import check_file from collections import namedtuple,deque Task = namedtuple('Task',['column_name','value'])
31.40566
120
0.572244
import pandas as pd import os from toolbox.utils import check_file from collections import namedtuple,deque class DataHandler(): def __init__(self,filepath) -> None: self.filepath = filepath self.data = pd.DataFrame() self.read(filepath) def write(self,filepath=''): if filepath=='': filepath = self.filepath self.data.to_csv(filepath, index=False) print(f'Written to {filepath}') def read(self,filepath=''): if filepath=='': filepath = self.filepath else: self.filepath = filepath if os.path.exists(filepath): try: self.data = pd.read_csv(filepath) except pd.errors.EmptyDataError: self.data = pd.DataFrame() else: check_file(filepath) self.data = pd.DataFrame() def new_column(self,name)->None: if not name in self.data.columns: self.data.assign(col_name=name) def new_columns(self,names)->None: for name in names: self.new_column(name) def exists(self, column_name, value) -> bool: return (column_name in self.data.columns) and ( (self.data[column_name]==value).values.any() ) def line_exists(self,line:dict) -> bool: df = self.data if df.empty: return False exists = True for key in line.keys(): df = df.loc[df[key]==line[key]] if df.empty: exists = False break return exists def to_do(self, column_name, value): exists = self.exists(column_name,value) #Checks if a corresponding line exists # The second part checks if this (these ? It doesn't check there is only one line) line contains a missing value return (not exists) or self.data.loc[self.data[column_name]==value].isnull().values.any() def add_entry(self, line : dict, save=True) -> None: self.new_columns(line.keys()) if not self.line_exists(line): self.data = self.data.append(line, ignore_index=True) if save: self.write() def add_entry_with_value(self, value_key, value, line:dict, save=True) -> None: if self.to_do(value_key,value): if not self.exists(value_key, value): line[value_key] = value self.add_entry(line = line, save = save) else: for key in line.keys(): self.data.loc[self.data[value_key]==value, key] = line[key] Task = namedtuple('Task',['column_name','value']) class Planner(DataHandler): def __init__(self, filepath) -> None: super().__init__(filepath) self.tasks = deque() @property def n_tasks(self): return len(self.tasks) def add_task(self, task)->None: if self.to_do(*task): self.tasks.append(Task(*task)) def add_tasks(self, tasks) -> None: """tasks should be a list of tuples (column_name, value)""" for task in tasks: self.add_task(*task) def has_tasks(self): return len(self.tasks)!=0 def next_task(self): if len(self.tasks)==0: return () return self.tasks.pop()
2,487
334
348
22e43818268c9c794932435f41c2180cf9b3e7db
14,201
py
Python
comtypes/server/register.py
junkmd/comtypes
3be0028fad7ac414a43af592484b7608381e0615
[ "MIT" ]
1
2022-02-25T13:46:54.000Z
2022-02-25T13:46:54.000Z
comtypes/server/register.py
junkmd/comtypes
3be0028fad7ac414a43af592484b7608381e0615
[ "MIT" ]
null
null
null
comtypes/server/register.py
junkmd/comtypes
3be0028fad7ac414a43af592484b7608381e0615
[ "MIT" ]
1
2022-02-25T13:47:47.000Z
2022-02-25T13:47:47.000Z
"""comtypes.server.register - register and unregister a COM object. Exports the UseCommandLine function. UseCommandLine is called with the COM object classes that a module exposes. It parses the Windows command line and takes the appropriate actions. These command line options are supported: /regserver - register the classes with COM. /unregserver - unregister the classes with COM. /nodebug - remove all logging configuration from the registry. /l <name>=<level> - configure the logging level for the standard Python loggind module, this option may be used several times. /f <formatter> - specify the formatter string. Note: Registering and unregistering the objects does remove logging entries. Configuring the logging does not change other registry entries, so it is possible to freeze a comobject with py2exe, register it, then configure logging afterwards to debug it, and delete the logging config afterwards. Sample usage: Register the COM object: python mycomobj.py /regserver Configure logging info: python mycomobj.py /l comtypes=INFO /l comtypes.server=DEBUG /f %(message)s Now, debug the object, and when done delete logging info: python mycomobj.py /nodebug """ import sys, os if sys.version_info >= (3, 0): import winreg else: import _winreg as winreg import logging import comtypes from comtypes.typeinfo import LoadTypeLibEx, UnRegisterTypeLib, REGKIND_REGISTER from comtypes.hresult import * from comtypes.server import w_getopt import comtypes.server.inprocserver from ctypes import windll, c_ulong, c_wchar_p, WinError, sizeof, create_string_buffer _debug = logging.getLogger(__name__).debug # a SHDeleteKey function, will remove a registry key with all subkeys. SHDeleteKey = windll.shlwapi.SHDeleteKeyW SHDeleteKey.errcheck = _non_zero SHDeleteKey.argtypes = c_ulong, c_wchar_p try: Set = set except NameError: from sets import Set #as set _KEYS = {winreg.HKEY_CLASSES_ROOT: "HKCR", winreg.HKEY_LOCAL_MACHINE: "HKLM", winreg.HKEY_CURRENT_USER: "HKCU"} class Registrar(object): """COM class registration. The COM class can override what this does by implementing _register and/or _unregister class methods. These methods will be called with the calling instance of Registrar, and so can call the Registrars _register and _unregister methods which do the actual work. """ def nodebug(self, cls): """Delete logging entries from the registry.""" clsid = cls._reg_clsid_ try: _debug('DeleteKey( %s\\CLSID\\%s\\Logging"' % \ (_explain(winreg.HKEY_CLASSES_ROOT), clsid)) hkey = winreg.OpenKey(winreg.HKEY_CLASSES_ROOT, r"CLSID\%s" % clsid) winreg.DeleteKey(hkey, "Logging") except WindowsError as detail: if get_winerror(detail) != 2: raise def debug(self, cls, levels, format): """Write entries in the registry to setup logging for this clsid.""" # handlers # format clsid = cls._reg_clsid_ _debug('CreateKey( %s\\CLSID\\%s\\Logging"' % \ (_explain(winreg.HKEY_CLASSES_ROOT), clsid)) hkey = winreg.CreateKey(winreg.HKEY_CLASSES_ROOT, r"CLSID\%s\Logging" % clsid) for item in levels: name, value = item.split("=") v = getattr(logging, value) assert isinstance(v, int) _debug('SetValueEx(levels, %s)' % levels) winreg.SetValueEx(hkey, "levels", None, winreg.REG_MULTI_SZ, levels) if format: _debug('SetValueEx(format, %s)' % format) winreg.SetValueEx(hkey, "format", None, winreg.REG_SZ, format) else: _debug('DeleteValue(format)') try: winreg.DeleteValue(hkey, "format") except WindowsError as detail: if get_winerror(detail) != 2: raise def register(self, cls, executable=None): """Register the COM server class.""" # First, we unregister the object with force=True, to force removal # of all registry entries, even if we would not write them. # Second, we create new entries. # It seems ATL does the same. mth = getattr(cls, "_register", None) if mth is not None: mth(self) else: self._unregister(cls, force=True) self._register(cls, executable) def unregister(self, cls, force=False): """Unregister the COM server class.""" mth = getattr(cls, "_unregister", None) if mth is not None: mth(self) else: self._unregister(cls, force=force) def _get_serverdll(self): """Return the pathname of the dll hosting the COM object.""" handle = getattr(sys, "frozendllhandle", None) if handle is not None: buf = create_string_buffer(260) windll.kernel32.GetModuleFileNameA(handle, buf, sizeof(buf)) return buf[:] import _ctypes return _ctypes.__file__ def _get_full_classname(self, cls): """Return <modulename>.<classname> for 'cls'.""" modname = cls.__module__ if modname == "__main__": modname = os.path.splitext(os.path.basename(sys.argv[0]))[0] return "%s.%s" % (modname, cls.__name__) def _get_pythonpath(self, cls): """Return the filesystem path of the module containing 'cls'.""" modname = cls.__module__ dirname = os.path.dirname(sys.modules[modname].__file__) return os.path.abspath(dirname) def _registry_entries(self, cls): """Return a sequence of tuples containing registry entries. The tuples must be (key, subkey, name, value). Required entries: ================= _reg_clsid_ - a string or GUID instance _reg_clsctx_ - server type(s) to register Optional entries: ================= _reg_desc_ - a string _reg_progid_ - a string naming the progid, typically 'MyServer.MyObject.1' _reg_novers_progid_ - version independend progid, typically 'MyServer.MyObject' _reg_typelib_ - an tuple (libid, majorversion, minorversion) specifying a typelib. _reg_threading_ - a string specifying the threading model Note that the first part of the progid string is typically the IDL library name of the type library containing the coclass. """ HKCR = winreg.HKEY_CLASSES_ROOT # table format: rootkey, subkey, valuename, value table = [] append = lambda *args: table.append(args) # basic entry - names the comobject reg_clsid = str(cls._reg_clsid_) # that's the only required attribute for registration reg_desc = getattr(cls, "_reg_desc_", "") if not reg_desc: # Simple minded algorithm to construct a description from # the progid: reg_desc = getattr(cls, "_reg_novers_progid_", "") or \ getattr(cls, "_reg_progid_", "") if reg_desc: reg_desc = reg_desc.replace(".", " ") append(HKCR, "CLSID\\%s" % reg_clsid, "", reg_desc) reg_progid = getattr(cls, "_reg_progid_", None) if reg_progid: # for ProgIDFromCLSID: append(HKCR, "CLSID\\%s\\ProgID" % reg_clsid, "", reg_progid) # 1 # for CLSIDFromProgID if reg_desc: append(HKCR, reg_progid, "", reg_desc) # 2 append(HKCR, "%s\\CLSID" % reg_progid, "", reg_clsid) # 3 reg_novers_progid = getattr(cls, "_reg_novers_progid_", None) if reg_novers_progid: append(HKCR, "CLSID\\%s\\VersionIndependentProgID" % reg_clsid, # 1a "", reg_novers_progid) if reg_desc: append(HKCR, reg_novers_progid, "", reg_desc) # 2a append(HKCR, "%s\\CurVer" % reg_novers_progid, "", reg_progid) # append(HKCR, "%s\\CLSID" % reg_novers_progid, "", reg_clsid) # 3a clsctx = getattr(cls, "_reg_clsctx_", 0) if clsctx & comtypes.CLSCTX_LOCAL_SERVER \ and not hasattr(sys, "frozendllhandle"): exe = sys.executable if " " in exe: exe = '"%s"' % exe if not hasattr(sys, "frozen"): if not __debug__: exe = "%s -O" % exe script = os.path.abspath(sys.modules[cls.__module__].__file__) if " " in script: script = '"%s"' % script append(HKCR, "CLSID\\%s\\LocalServer32" % reg_clsid, "", "%s %s" % (exe, script)) else: append(HKCR, "CLSID\\%s\\LocalServer32" % reg_clsid, "", "%s" % exe) # Register InprocServer32 only when run from script or from # py2exe dll server, not from py2exe exe server. if clsctx & comtypes.CLSCTX_INPROC_SERVER \ and getattr(sys, "frozen", None) in (None, "dll"): append(HKCR, "CLSID\\%s\\InprocServer32" % reg_clsid, "", self._get_serverdll()) # only for non-frozen inproc servers the PythonPath/PythonClass is needed. if not hasattr(sys, "frozendllhandle") \ or not comtypes.server.inprocserver._clsid_to_class: append(HKCR, "CLSID\\%s\\InprocServer32" % reg_clsid, "PythonClass", self._get_full_classname(cls)) append(HKCR, "CLSID\\%s\\InprocServer32" % reg_clsid, "PythonPath", self._get_pythonpath(cls)) reg_threading = getattr(cls, "_reg_threading_", None) if reg_threading is not None: append(HKCR, "CLSID\\%s\\InprocServer32" % reg_clsid, "ThreadingModel", reg_threading) reg_tlib = getattr(cls, "_reg_typelib_", None) if reg_tlib is not None: append(HKCR, "CLSID\\%s\\Typelib" % reg_clsid, "", reg_tlib[0]) return table ################################################################ if __name__ == "__main__": UseCommandLine()
37.469657
117
0.594958
"""comtypes.server.register - register and unregister a COM object. Exports the UseCommandLine function. UseCommandLine is called with the COM object classes that a module exposes. It parses the Windows command line and takes the appropriate actions. These command line options are supported: /regserver - register the classes with COM. /unregserver - unregister the classes with COM. /nodebug - remove all logging configuration from the registry. /l <name>=<level> - configure the logging level for the standard Python loggind module, this option may be used several times. /f <formatter> - specify the formatter string. Note: Registering and unregistering the objects does remove logging entries. Configuring the logging does not change other registry entries, so it is possible to freeze a comobject with py2exe, register it, then configure logging afterwards to debug it, and delete the logging config afterwards. Sample usage: Register the COM object: python mycomobj.py /regserver Configure logging info: python mycomobj.py /l comtypes=INFO /l comtypes.server=DEBUG /f %(message)s Now, debug the object, and when done delete logging info: python mycomobj.py /nodebug """ import sys, os if sys.version_info >= (3, 0): import winreg else: import _winreg as winreg import logging import comtypes from comtypes.typeinfo import LoadTypeLibEx, UnRegisterTypeLib, REGKIND_REGISTER from comtypes.hresult import * from comtypes.server import w_getopt import comtypes.server.inprocserver from ctypes import windll, c_ulong, c_wchar_p, WinError, sizeof, create_string_buffer _debug = logging.getLogger(__name__).debug def get_winerror(exception): try: return exception.winerror except AttributeError: return exception.errno # a SHDeleteKey function, will remove a registry key with all subkeys. def _non_zero(retval, func, args): if retval: raise WinError(retval) SHDeleteKey = windll.shlwapi.SHDeleteKeyW SHDeleteKey.errcheck = _non_zero SHDeleteKey.argtypes = c_ulong, c_wchar_p try: Set = set except NameError: from sets import Set #as set _KEYS = {winreg.HKEY_CLASSES_ROOT: "HKCR", winreg.HKEY_LOCAL_MACHINE: "HKLM", winreg.HKEY_CURRENT_USER: "HKCU"} def _explain(hkey): return _KEYS.get(hkey, hkey) class Registrar(object): """COM class registration. The COM class can override what this does by implementing _register and/or _unregister class methods. These methods will be called with the calling instance of Registrar, and so can call the Registrars _register and _unregister methods which do the actual work. """ def nodebug(self, cls): """Delete logging entries from the registry.""" clsid = cls._reg_clsid_ try: _debug('DeleteKey( %s\\CLSID\\%s\\Logging"' % \ (_explain(winreg.HKEY_CLASSES_ROOT), clsid)) hkey = winreg.OpenKey(winreg.HKEY_CLASSES_ROOT, r"CLSID\%s" % clsid) winreg.DeleteKey(hkey, "Logging") except WindowsError as detail: if get_winerror(detail) != 2: raise def debug(self, cls, levels, format): """Write entries in the registry to setup logging for this clsid.""" # handlers # format clsid = cls._reg_clsid_ _debug('CreateKey( %s\\CLSID\\%s\\Logging"' % \ (_explain(winreg.HKEY_CLASSES_ROOT), clsid)) hkey = winreg.CreateKey(winreg.HKEY_CLASSES_ROOT, r"CLSID\%s\Logging" % clsid) for item in levels: name, value = item.split("=") v = getattr(logging, value) assert isinstance(v, int) _debug('SetValueEx(levels, %s)' % levels) winreg.SetValueEx(hkey, "levels", None, winreg.REG_MULTI_SZ, levels) if format: _debug('SetValueEx(format, %s)' % format) winreg.SetValueEx(hkey, "format", None, winreg.REG_SZ, format) else: _debug('DeleteValue(format)') try: winreg.DeleteValue(hkey, "format") except WindowsError as detail: if get_winerror(detail) != 2: raise def register(self, cls, executable=None): """Register the COM server class.""" # First, we unregister the object with force=True, to force removal # of all registry entries, even if we would not write them. # Second, we create new entries. # It seems ATL does the same. mth = getattr(cls, "_register", None) if mth is not None: mth(self) else: self._unregister(cls, force=True) self._register(cls, executable) def _register(self, cls, executable=None): table = self._registry_entries(cls) table.sort() _debug("Registering %s", cls) for hkey, subkey, valuename, value in table: _debug ('[%s\\%s]', _explain(hkey), subkey) _debug('%s="%s"', valuename or "@", value) k = winreg.CreateKey(hkey, subkey) winreg.SetValueEx(k, valuename, None, winreg.REG_SZ, str(value)) tlib = getattr(cls, "_reg_typelib_", None) if tlib is not None: if hasattr(sys, "frozendllhandle"): dll = self._get_serverdll() _debug("LoadTypeLibEx(%s, REGKIND_REGISTER)", dll) LoadTypeLibEx(dll, REGKIND_REGISTER) else: if executable: path = executable elif hasattr(sys, "frozen"): path = sys.executable else: path = cls._typelib_path_ _debug("LoadTypeLibEx(%s, REGKIND_REGISTER)", path) LoadTypeLibEx(path, REGKIND_REGISTER) _debug("Done") def unregister(self, cls, force=False): """Unregister the COM server class.""" mth = getattr(cls, "_unregister", None) if mth is not None: mth(self) else: self._unregister(cls, force=force) def _unregister(self, cls, force=False): # If force==False, we only remove those entries that we # actually would have written. It seems ATL does the same. table = [t[:2] for t in self._registry_entries(cls)] # only unique entries table = list(set(table)) table.sort() table.reverse() _debug("Unregister %s", cls) for hkey, subkey in table: try: if force: _debug("SHDeleteKey %s\\%s", _explain(hkey), subkey) SHDeleteKey(hkey, subkey) else: _debug("DeleteKey %s\\%s", _explain(hkey), subkey) winreg.DeleteKey(hkey, subkey) except WindowsError as detail: if get_winerror(detail) != 2: raise tlib = getattr(cls, "_reg_typelib_", None) if tlib is not None: try: _debug("UnRegisterTypeLib(%s, %s, %s)", *tlib) UnRegisterTypeLib(*tlib) except WindowsError as detail: if not get_winerror(detail) in (TYPE_E_REGISTRYACCESS, TYPE_E_CANTLOADLIBRARY): raise _debug("Done") def _get_serverdll(self): """Return the pathname of the dll hosting the COM object.""" handle = getattr(sys, "frozendllhandle", None) if handle is not None: buf = create_string_buffer(260) windll.kernel32.GetModuleFileNameA(handle, buf, sizeof(buf)) return buf[:] import _ctypes return _ctypes.__file__ def _get_full_classname(self, cls): """Return <modulename>.<classname> for 'cls'.""" modname = cls.__module__ if modname == "__main__": modname = os.path.splitext(os.path.basename(sys.argv[0]))[0] return "%s.%s" % (modname, cls.__name__) def _get_pythonpath(self, cls): """Return the filesystem path of the module containing 'cls'.""" modname = cls.__module__ dirname = os.path.dirname(sys.modules[modname].__file__) return os.path.abspath(dirname) def _registry_entries(self, cls): """Return a sequence of tuples containing registry entries. The tuples must be (key, subkey, name, value). Required entries: ================= _reg_clsid_ - a string or GUID instance _reg_clsctx_ - server type(s) to register Optional entries: ================= _reg_desc_ - a string _reg_progid_ - a string naming the progid, typically 'MyServer.MyObject.1' _reg_novers_progid_ - version independend progid, typically 'MyServer.MyObject' _reg_typelib_ - an tuple (libid, majorversion, minorversion) specifying a typelib. _reg_threading_ - a string specifying the threading model Note that the first part of the progid string is typically the IDL library name of the type library containing the coclass. """ HKCR = winreg.HKEY_CLASSES_ROOT # table format: rootkey, subkey, valuename, value table = [] append = lambda *args: table.append(args) # basic entry - names the comobject reg_clsid = str(cls._reg_clsid_) # that's the only required attribute for registration reg_desc = getattr(cls, "_reg_desc_", "") if not reg_desc: # Simple minded algorithm to construct a description from # the progid: reg_desc = getattr(cls, "_reg_novers_progid_", "") or \ getattr(cls, "_reg_progid_", "") if reg_desc: reg_desc = reg_desc.replace(".", " ") append(HKCR, "CLSID\\%s" % reg_clsid, "", reg_desc) reg_progid = getattr(cls, "_reg_progid_", None) if reg_progid: # for ProgIDFromCLSID: append(HKCR, "CLSID\\%s\\ProgID" % reg_clsid, "", reg_progid) # 1 # for CLSIDFromProgID if reg_desc: append(HKCR, reg_progid, "", reg_desc) # 2 append(HKCR, "%s\\CLSID" % reg_progid, "", reg_clsid) # 3 reg_novers_progid = getattr(cls, "_reg_novers_progid_", None) if reg_novers_progid: append(HKCR, "CLSID\\%s\\VersionIndependentProgID" % reg_clsid, # 1a "", reg_novers_progid) if reg_desc: append(HKCR, reg_novers_progid, "", reg_desc) # 2a append(HKCR, "%s\\CurVer" % reg_novers_progid, "", reg_progid) # append(HKCR, "%s\\CLSID" % reg_novers_progid, "", reg_clsid) # 3a clsctx = getattr(cls, "_reg_clsctx_", 0) if clsctx & comtypes.CLSCTX_LOCAL_SERVER \ and not hasattr(sys, "frozendllhandle"): exe = sys.executable if " " in exe: exe = '"%s"' % exe if not hasattr(sys, "frozen"): if not __debug__: exe = "%s -O" % exe script = os.path.abspath(sys.modules[cls.__module__].__file__) if " " in script: script = '"%s"' % script append(HKCR, "CLSID\\%s\\LocalServer32" % reg_clsid, "", "%s %s" % (exe, script)) else: append(HKCR, "CLSID\\%s\\LocalServer32" % reg_clsid, "", "%s" % exe) # Register InprocServer32 only when run from script or from # py2exe dll server, not from py2exe exe server. if clsctx & comtypes.CLSCTX_INPROC_SERVER \ and getattr(sys, "frozen", None) in (None, "dll"): append(HKCR, "CLSID\\%s\\InprocServer32" % reg_clsid, "", self._get_serverdll()) # only for non-frozen inproc servers the PythonPath/PythonClass is needed. if not hasattr(sys, "frozendllhandle") \ or not comtypes.server.inprocserver._clsid_to_class: append(HKCR, "CLSID\\%s\\InprocServer32" % reg_clsid, "PythonClass", self._get_full_classname(cls)) append(HKCR, "CLSID\\%s\\InprocServer32" % reg_clsid, "PythonPath", self._get_pythonpath(cls)) reg_threading = getattr(cls, "_reg_threading_", None) if reg_threading is not None: append(HKCR, "CLSID\\%s\\InprocServer32" % reg_clsid, "ThreadingModel", reg_threading) reg_tlib = getattr(cls, "_reg_typelib_", None) if reg_tlib is not None: append(HKCR, "CLSID\\%s\\Typelib" % reg_clsid, "", reg_tlib[0]) return table ################################################################ def register(cls): Registrar().register(cls) def unregister(cls): Registrar().unregister(cls) def UseCommandLine(*classes): usage = """Usage: %s [-regserver] [-unregserver] [-nodebug] [-f logformat] [-l loggername=level]""" % sys.argv[0] opts, args = w_getopt.w_getopt(sys.argv[1:], "regserver unregserver embedding l: f: nodebug") if not opts: sys.stderr.write(usage + "\n") return 0 # nothing for us to do levels = [] format = None nodebug = False runit = False for option, value in opts: if option == "regserver": for cls in classes: register(cls) elif option == "unregserver": for cls in classes: unregister(cls) elif option == "embedding": runit = True elif option == "f": format = value elif option == "l": levels.append(value) elif option == "nodebug": nodebug = True if levels or format is not None: for cls in classes: Registrar().debug(cls, levels, format) if nodebug: for cls in classes: Registrar().nodebug(cls) if runit: import comtypes.server.localserver comtypes.server.localserver.run(classes) return 1 # we have done something if __name__ == "__main__": UseCommandLine()
3,789
0
191
0db440d4886e1de9666e887db833f804e052aceb
428
py
Python
src/waldur_rancher/tests/utils.py
geant-multicloud/MCMS-mastermind
81333180f5e56a0bc88d7dad448505448e01f24e
[ "MIT" ]
26
2017-10-18T13:49:58.000Z
2021-09-19T04:44:09.000Z
src/waldur_rancher/tests/utils.py
geant-multicloud/MCMS-mastermind
81333180f5e56a0bc88d7dad448505448e01f24e
[ "MIT" ]
14
2018-12-10T14:14:51.000Z
2021-06-07T10:33:39.000Z
src/waldur_rancher/tests/utils.py
geant-multicloud/MCMS-mastermind
81333180f5e56a0bc88d7dad448505448e01f24e
[ "MIT" ]
32
2017-09-24T03:10:45.000Z
2021-10-16T16:41:09.000Z
import copy import json import pkg_resources from django.conf import settings from django.test import override_settings backend_node_response = json.loads( pkg_resources.resource_stream(__name__, 'backend_node.json').read().decode() )
25.176471
80
0.806075
import copy import json import pkg_resources from django.conf import settings from django.test import override_settings backend_node_response = json.loads( pkg_resources.resource_stream(__name__, 'backend_node.json').read().decode() ) def override_plugin_settings(**kwargs): os_settings = copy.deepcopy(settings.WALDUR_RANCHER) os_settings.update(kwargs) return override_settings(WALDUR_RANCHER=os_settings)
163
0
23
7bed7bac0864f20a192d2398a2fa808183443d70
427
py
Python
Physics250-ME21/conductingRing.py
illusion173/Physics250
69f2ffdb8af013e8b0739779861c1455b579ddaf
[ "MIT" ]
null
null
null
Physics250-ME21/conductingRing.py
illusion173/Physics250
69f2ffdb8af013e8b0739779861c1455b579ddaf
[ "MIT" ]
null
null
null
Physics250-ME21/conductingRing.py
illusion173/Physics250
69f2ffdb8af013e8b0739779861c1455b579ddaf
[ "MIT" ]
null
null
null
import numpy as np import math Esubo = 8.854 * pow(10,-12) k = 8.988 * pow(10,9) chargeconstant = 1.602 * pow(10,-19) conductingRing()
21.35
93
0.613583
import numpy as np import math Esubo = 8.854 * pow(10,-12) k = 8.988 * pow(10,9) chargeconstant = 1.602 * pow(10,-19) def conductingRing(): charge = float(input("Input Charge: ")) radius = float(input("Radius: ")) distance = float(input("Distance: ")) electricField = ((k * charge * distance)/(pow(pow(radius,2)+pow(distance,2),3/2)))/100000 print(electricField) conductingRing()
264
0
23
ac35996dba9afde822b77d1b4ba444f9662895aa
2,437
py
Python
ben_ten_adventure/ui.py
Ben-10-Secret-of-the-Omnitrix-Game/Ben-10-Adventure
ede699de0369e6614665acc06b872f81bbb124c8
[ "MIT" ]
1
2021-01-16T21:48:32.000Z
2021-01-16T21:48:32.000Z
ben_ten_adventure/ui.py
Ben-10-Secret-of-the-Omnitrix-Game/Ben-10-Adventure
ede699de0369e6614665acc06b872f81bbb124c8
[ "MIT" ]
null
null
null
ben_ten_adventure/ui.py
Ben-10-Secret-of-the-Omnitrix-Game/Ben-10-Adventure
ede699de0369e6614665acc06b872f81bbb124c8
[ "MIT" ]
null
null
null
import pygame_gui import pygame from pygame.transform import scale from .game_engine import RESOLUTION, ga, manager HD = (1280, 720) FULL_HD = (1920, 1080) def vertical(size, startcolor, endcolor): """ Draws a vertical linear gradient filling the entire surface. Returns a surface filled with the gradient (numeric is only 2-3 times faster). """ height = size[1] bigSurf = pygame.Surface((1, height)).convert_alpha() dd = 1.0 / height sr, sg, sb, sa = startcolor er, eg, eb, ea = endcolor rm = (er - sr) * dd gm = (eg - sg) * dd bm = (eb - sb) * dd am = (ea - sa) * dd for y in range(height): bigSurf.set_at((0, y), (int(sr + rm * y), int(sg + gm * y), int(sb + bm * y), int(sa + am * y)) ) return scale(bigSurf, size)
40.616667
111
0.61387
import pygame_gui import pygame from pygame.transform import scale from .game_engine import RESOLUTION, ga, manager HD = (1280, 720) FULL_HD = (1920, 1080) def vertical(size, startcolor, endcolor): """ Draws a vertical linear gradient filling the entire surface. Returns a surface filled with the gradient (numeric is only 2-3 times faster). """ height = size[1] bigSurf = pygame.Surface((1, height)).convert_alpha() dd = 1.0 / height sr, sg, sb, sa = startcolor er, eg, eb, ea = endcolor rm = (er - sr) * dd gm = (eg - sg) * dd bm = (eb - sb) * dd am = (ea - sa) * dd for y in range(height): bigSurf.set_at((0, y), (int(sr + rm * y), int(sg + gm * y), int(sb + bm * y), int(sa + am * y)) ) return scale(bigSurf, size) def draw_main_screen(): # background_gradient = vertical(win_size, (118, 174, 62, 255), (9, 48, 21, 255)) if RESOLUTION <= HD: sab = pygame_gui.elements.UIButton(pygame.Rect(500, 360, 272, 50), '', manager=manager) sab.drawable_shape.states['normal'].surface.blit(ga.start_adventure_button_x2, (0, 0)) sab.drawable_shape.active_state.has_fresh_surface = True ob = pygame_gui.elements.UIButton(pygame.Rect(540, 410, *ga.options_button_x2.get_rect()[2:]), '', manager=manager) ob.drawable_shape.states['normal'].surface.blit(ga.options_button_x2, (0, 0)) ob.drawable_shape.active_state.has_fresh_surface = True elif RESOLUTION >= FULL_HD: sab_size = ga.start_adventure_button_x2.get_rect()[2:] sab_new = scale(ga.start_adventure_button_x2, (sab_size[0] * 2, sab_size[1] * 2)) sab = pygame_gui.elements.UIButton(pygame.Rect(350, 300, *sab_new.get_rect()[2:]), '', manager=manager) sab.drawable_shape.states['normal'].surface.blit(sab_new, (0, 0)) sab.drawable_shape.active_state.has_fresh_surface = True ob_size = ga.options_button_x2.get_rect()[2:] ob_new = scale(ga.options_button_x2, (ob_size[0] * 2, ob_size[1] * 2)) ob = pygame_gui.elements.UIButton(pygame.Rect(450, 400, *ob_new.get_rect()[2:]), '', manager=manager) ob.drawable_shape.states['normal'].surface.blit(ob_new, (0, 0)) ob.drawable_shape.active_state.has_fresh_surface = True
1,503
0
23
e75405f656394553bba9f371073eac1ef69a8ee7
2,979
py
Python
routes/internal_routes.py
Madpilot0/FlaskDashboard
73fddbee9f04da415ffdbf6f4062d17dc777aed5
[ "MIT" ]
2
2018-12-15T03:55:23.000Z
2021-03-23T09:23:25.000Z
routes/internal_routes.py
Madpilot0/FlaskDashboard
73fddbee9f04da415ffdbf6f4062d17dc777aed5
[ "MIT" ]
2
2018-08-31T19:13:03.000Z
2021-02-04T12:41:31.000Z
routes/internal_routes.py
Madpilot0/FlaskDashboard
73fddbee9f04da415ffdbf6f4062d17dc777aed5
[ "MIT" ]
3
2020-08-21T02:19:16.000Z
2021-03-10T19:15:07.000Z
from flask import Blueprint, render_template, abort, session, redirect, url_for, request from functools import wraps from lib.Users import Users from lib.Groups import Groups from lib.Database import Database import json internal_routes = Blueprint('internal_routes', __name__, template_folder='templates') users = Users() groups = Groups() db = Database() #Internal routes #Users @internal_routes.route('/internal/users/getAllUsers') @requires_auth @requires_admin @internal_routes.route('/internal/users/getUserInfo') @requires_auth @internal_routes.route('/internal/users/addUser', methods=["POST"]) @requires_auth @requires_admin @internal_routes.route('/internal/users/getUserInfoAdmin/<user>') @requires_auth @requires_admin @internal_routes.route('/internal/users/editUserAdmin', methods=["POST"]) @requires_auth @requires_admin @internal_routes.route('/internal/users/saveUserPassword', methods=["POST"]) @requires_auth #Groups @internal_routes.route('/internal/groups/getAllGroups') @requires_auth @requires_admin @internal_routes.route('/internal/groups/getGroupDetails/<group>') @requires_auth @requires_admin @internal_routes.route('/internal/groups/addGroup', methods=["POST"]) @requires_auth @requires_admin @internal_routes.route('/internal/groups/editGroup', methods=["POST"]) @requires_auth @requires_admin @internal_routes.route('/internal/groups/delGroup/<group>') @requires_auth @requires_admin
27.841121
88
0.772071
from flask import Blueprint, render_template, abort, session, redirect, url_for, request from functools import wraps from lib.Users import Users from lib.Groups import Groups from lib.Database import Database import json def requires_auth(f): @wraps(f) def decorated_auth(*args, **kwargs): if 'username' not in session: return redirect(url_for('page_routes.login')) return f(*args, **kwargs) return decorated_auth def requires_admin(f): @wraps(f) def decorated_admin(*args, **kwargs): #Check if admin if not users.isAdmin(): return json.dumps({"error": "Unauthorized"}),401 return f(*args, **kwargs) return decorated_admin internal_routes = Blueprint('internal_routes', __name__, template_folder='templates') users = Users() groups = Groups() db = Database() #Internal routes #Users @internal_routes.route('/internal/users/getAllUsers') @requires_auth @requires_admin def getAllUsers(): return json.dumps(users.getAllUsers()) @internal_routes.route('/internal/users/getUserInfo') @requires_auth def getUserInfo(): return json.dumps(users.getUserInfo()) @internal_routes.route('/internal/users/addUser', methods=["POST"]) @requires_auth @requires_admin def addUser(): res = users.addUser(request.form) return redirect(url_for('page_routes.admin')) @internal_routes.route('/internal/users/getUserInfoAdmin/<user>') @requires_auth @requires_admin def getUserInfoAdmin(user): return json.dumps(users.getUserInfo(user)) @internal_routes.route('/internal/users/editUserAdmin', methods=["POST"]) @requires_auth @requires_admin def editUserInfoAdmin(): res = users.editUser(request.form) return redirect(url_for('page_routes.admin')) @internal_routes.route('/internal/users/saveUserPassword', methods=["POST"]) @requires_auth def saveUserPassword(): res = users.saveUserPassword(request.form["password"]) redirectPage = list(filter(None, request.form["page"].split("/"))) if len(redirectPage) == 0: redirectPage = 'index' else: redirectPage = redirectPage[1] return redirect(url_for('page_routes.'+redirectPage)) #Groups @internal_routes.route('/internal/groups/getAllGroups') @requires_auth @requires_admin def getGroups(): return json.dumps(groups.getGroups()) @internal_routes.route('/internal/groups/getGroupDetails/<group>') @requires_auth @requires_admin def getGroupDetails(group): return json.dumps(groups.getGroupDetails(group)) @internal_routes.route('/internal/groups/addGroup', methods=["POST"]) @requires_auth @requires_admin def addGroup(): res = groups.addGroup(request.form) return redirect(url_for('page_routes.admin')) @internal_routes.route('/internal/groups/editGroup', methods=["POST"]) @requires_auth @requires_admin def editGroup(): res = groups.editGroup(request.form) return redirect(url_for('page_routes.admin')) @internal_routes.route('/internal/groups/delGroup/<group>') @requires_auth @requires_admin def delGroup(group): res = groups.delGroup(group) return redirect(url_for('page_routes.admin'))
1,263
0
288
cb3a583cba047c6edf4fadbc326270db7a1780ab
829
py
Python
setup.py
akaariai/drf-fast-serializer
ff286e58f1a073a4fe6f256fe2279e9fb39bbcee
[ "MIT" ]
27
2015-03-01T19:15:55.000Z
2022-01-13T22:57:43.000Z
setup.py
akaariai/drf-fast-serializer
ff286e58f1a073a4fe6f256fe2279e9fb39bbcee
[ "MIT" ]
1
2015-03-01T19:19:00.000Z
2015-03-01T19:19:00.000Z
setup.py
akaariai/drf-fast-serializer
ff286e58f1a073a4fe6f256fe2279e9fb39bbcee
[ "MIT" ]
8
2015-07-10T08:24:12.000Z
2020-10-05T19:54:45.000Z
# -*- encoding: utf-8 -*- import os from setuptools import setup setup( name="drf-fast-serializer", version="0.1-dev", description="A fast serializer mixin for Django request framework", long_description=read('readme.md'), url='https://github.com/akaariai/drf-fast-serializer', license='MIT', author=u'Anssi Kääriäinen', author_email='akaariai@gmail.com', classifiers=[ 'Development Status :: 2 - Pre-Alpha', 'Environment :: Console', 'Framework :: Django', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', 'Operating System :: OS Independent', 'Programming Language :: Python', ], packages=['fast_serializer'] )
31.884615
71
0.640531
# -*- encoding: utf-8 -*- import os from setuptools import setup def read(fname): return open(os.path.join(os.path.dirname(__file__), fname)).read() setup( name="drf-fast-serializer", version="0.1-dev", description="A fast serializer mixin for Django request framework", long_description=read('readme.md'), url='https://github.com/akaariai/drf-fast-serializer', license='MIT', author=u'Anssi Kääriäinen', author_email='akaariai@gmail.com', classifiers=[ 'Development Status :: 2 - Pre-Alpha', 'Environment :: Console', 'Framework :: Django', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', 'Operating System :: OS Independent', 'Programming Language :: Python', ], packages=['fast_serializer'] )
66
0
22
102046e68e582ec40bf3e5235359ef4f4a81ca45
1,088
py
Python
src/arbies/workers/image.py
broiledmeat/arbies
29f3ce498dbd3265b1181dde62629df3deda0440
[ "MIT" ]
null
null
null
src/arbies/workers/image.py
broiledmeat/arbies
29f3ce498dbd3265b1181dde62629df3deda0440
[ "MIT" ]
null
null
null
src/arbies/workers/image.py
broiledmeat/arbies
29f3ce498dbd3265b1181dde62629df3deda0440
[ "MIT" ]
null
null
null
from __future__ import annotations from PIL import Image from typing import Optional from arbies import drawing from arbies.drawing import HorizontalAlignment, VerticalAlignment from arbies.manager import Manager, ConfigDict from arbies.workers import Worker
32
78
0.651654
from __future__ import annotations from PIL import Image from typing import Optional from arbies import drawing from arbies.drawing import HorizontalAlignment, VerticalAlignment from arbies.manager import Manager, ConfigDict from arbies.workers import Worker class ImageWorker(Worker): def __init__(self, manager: Manager): super().__init__(manager) self.loop_interval = 0.5 * 60 self.path: Optional[str] = None def render(self): image = Image.new('1', self.size, 1) drawing.draw_image(image, Image.open(self.path), resize=True, horizontal_alignment=HorizontalAlignment.CENTER, vertical_alignment=VerticalAlignment.CENTER) self.serve(image) @classmethod def from_config(cls, manager: Manager, config: ConfigDict) -> ImageWorker: # noinspection PyTypeChecker worker: ImageWorker = super().from_config(manager, config) worker.path = config.get('path', worker.path) return worker
703
102
23
3c626024e40ae3dde1f4925204274dc99f9dec89
138
py
Python
my/reading/goodreads.py
aluhrs13/HPI
e750666e30e8987f3a4c46755857dc85dd64446c
[ "MIT" ]
1,026
2020-03-16T16:53:29.000Z
2022-03-29T16:03:38.000Z
my/reading/goodreads.py
aluhrs13/HPI
e750666e30e8987f3a4c46755857dc85dd64446c
[ "MIT" ]
102
2020-03-18T22:53:29.000Z
2022-03-22T00:34:46.000Z
my/reading/goodreads.py
aluhrs13/HPI
e750666e30e8987f3a4c46755857dc85dd64446c
[ "MIT" ]
50
2020-03-17T21:00:34.000Z
2022-03-28T08:37:13.000Z
from my.core import warnings warnings.medium('my.reading.goodreads is deprecated! Use my.goodreads instead!') from ..goodreads import *
23
80
0.782609
from my.core import warnings warnings.medium('my.reading.goodreads is deprecated! Use my.goodreads instead!') from ..goodreads import *
0
0
0
db28497c5293e87aa7f5a3bd4a943451b7e89387
4,551
py
Python
flod_organisations/alembic/versions/20140123-0821-56aa02f54e74_converting_brreg_activity_codes_from_fixture_.py
Trondheim-kommune/Tilskuddsbasen
4f8ce270ef7296069f8e43bfb4bf6a570a7a35d4
[ "BSD-2-Clause-FreeBSD" ]
1
2017-10-17T12:15:28.000Z
2017-10-17T12:15:28.000Z
flod_organisations/alembic/versions/20140123-0821-56aa02f54e74_converting_brreg_activity_codes_from_fixture_.py
Trondheim-kommune/Bookingbasen
58235a5a1fd6ad291cb237e6ec9a67bfe8c463c6
[ "BSD-2-Clause-FreeBSD" ]
6
2021-03-22T17:15:52.000Z
2022-01-13T00:39:58.000Z
flod_organisations/alembic/versions/20140123-0821-56aa02f54e74_converting_brreg_activity_codes_from_fixture_.py
Trondheim-kommune/Tilskuddsbasen
4f8ce270ef7296069f8e43bfb4bf6a570a7a35d4
[ "BSD-2-Clause-FreeBSD" ]
1
2019-09-09T13:35:03.000Z
2019-09-09T13:35:03.000Z
# -*- coding: utf-8 -*- """Converting brreg_activity_codes from fixture to alembic migration Revision ID: 56aa02f54e74 Revises: 357cc9fc466b Create Date: 2014-01-23 08:21:22.953015 """ # revision identifiers, used by Alembic. from sqlalchemy.sql import table, column from sqlalchemy import String revision = '56aa02f54e74' down_revision = '357cc9fc466b' from alembic import op
27.920245
78
0.390024
# -*- coding: utf-8 -*- """Converting brreg_activity_codes from fixture to alembic migration Revision ID: 56aa02f54e74 Revises: 357cc9fc466b Create Date: 2014-01-23 08:21:22.953015 """ # revision identifiers, used by Alembic. from sqlalchemy.sql import table, column from sqlalchemy import String revision = '56aa02f54e74' down_revision = '357cc9fc466b' from alembic import op def upgrade(): brreg_activity_codes_table = table('brreg_activity_codes', column('code', String), column('description') ) op.bulk_insert( brreg_activity_codes_table, [ { 'code': '1 100', 'description': 'Kunst og kultur' }, { 'code': '1 200', 'description': 'Idrett' }, { 'code': '1 300', 'description': 'Rekreasjon og sosiale foreninger' }, { 'code': '2 100', 'description': 'Grunn- og videregående utdanning' }, { 'code': '2 200', 'description': 'Høgskole og universitet' }, { 'code': '2 300', 'description': 'Annen utdanning' }, { 'code': '2 400', 'description': 'Andre helsetjenester' }, { 'code': '3 100', 'description': 'Sykehus og rehabilitering' }, { 'code': '3 200', 'description': 'Sykehjem' }, { 'code': '3 300', 'description': 'Psykiatriske institusjoner' }, { 'code': '3 400', 'description': 'Andre helsetjenester' }, { 'code': '4 100', 'description': 'Sosiale tjenester' }, { 'code': '4 200', 'description': 'Krisehjelp og støttearbeid' }, { 'code': '4 300', 'description': 'Økonomisk og materiell støtte' }, { 'code': '5 100', 'description': 'Natur- og miljøvern' }, { 'code': '5 200', 'description': 'Dyrevern' }, { 'code': '6 100', 'description': 'Lokalsamfunnsutvikling' }, { 'code': '6 200', 'description': 'Bolig- og lokalmiljø' }, { 'code': '6 300', 'description': 'Arbeidsopplæring' }, { 'code': '7 100', 'description': 'Interesseorganisasjoner' }, { 'code': '7 200', 'description': 'Juridisk rådgivning' }, { 'code': '7 300', 'description': 'Politiske organisasjoner' }, { 'code': '8 100', 'description': 'Pengeutdelende stiftelser' }, { 'code': '8 200', 'description': 'Frivillighetssentraler' }, { 'code': '9 100', 'description': 'Internasjonale organisasjoner' }, { 'code': '10 100', 'description': 'Tros- og livssynsorganisasjoner' }, { 'code': '11 100', 'description': 'Næringslivs- og arbeidsgiverorganisasjoner' }, { 'code': '11 200', 'description': 'Yrkessammenslutninger' }, { 'code': '11 300', 'description': 'Arbeidstakerorganisasjoner' }, { 'code': '12 100', 'description': 'Andre' }, { 'code': '13 100', 'description': 'Barne- og ungdomsorganisasjoner' }, { 'code': '14 100', 'description': 'Mangfold og inkludering' } ] ) def downgrade(): raise NotImplementedError('This application does not support downgrades.')
4,131
0
46
d48aa0eeb406712e8546275fb2e2aae57dc24dde
159
py
Python
Python Fundamentals/2. Data Types and Variables/More Exercises/03. Decrypting Messages.py
a-shiro/SoftUni-Courses
7d0ca6401017a28b5ff7e7fa3e5df8bba8ddbe77
[ "MIT" ]
null
null
null
Python Fundamentals/2. Data Types and Variables/More Exercises/03. Decrypting Messages.py
a-shiro/SoftUni-Courses
7d0ca6401017a28b5ff7e7fa3e5df8bba8ddbe77
[ "MIT" ]
null
null
null
Python Fundamentals/2. Data Types and Variables/More Exercises/03. Decrypting Messages.py
a-shiro/SoftUni-Courses
7d0ca6401017a28b5ff7e7fa3e5df8bba8ddbe77
[ "MIT" ]
null
null
null
key = int(input()) lines = int(input()) decrypted = "" for _ in range(lines): letter = input() decrypted += chr(ord(letter) + key) print(decrypted)
14.454545
39
0.616352
key = int(input()) lines = int(input()) decrypted = "" for _ in range(lines): letter = input() decrypted += chr(ord(letter) + key) print(decrypted)
0
0
0
4c6f5a8d2924c4754159ef0ebec519f1097c6303
1,594
py
Python
XML/pycopia/XML/SVG.py
kdart/pycopia
1446fabaedf8c6bdd4ab1fc3f0ea731e0ef8da9d
[ "Apache-2.0" ]
89
2015-03-26T11:25:20.000Z
2022-01-12T06:25:14.000Z
XML/pycopia/XML/SVG.py
kdart/pycopia
1446fabaedf8c6bdd4ab1fc3f0ea731e0ef8da9d
[ "Apache-2.0" ]
1
2015-07-05T03:27:43.000Z
2015-07-11T06:21:20.000Z
XML/pycopia/XML/SVG.py
kdart/pycopia
1446fabaedf8c6bdd4ab1fc3f0ea731e0ef8da9d
[ "Apache-2.0" ]
30
2015-04-30T01:35:54.000Z
2022-01-12T06:19:49.000Z
#!/usr/bin/python2.7 # -*- coding: utf-8 -*- # vim:ts=4:sw=4:softtabstop=4:smarttab:expandtab # 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. """ Generate and parse SVG files. # PUBLIC "-//W3C//DTD SVG 1.1//EN" # SYSTEM "http://www.w3.org/Graphics/SVG/1.1/DTD/svg11.dtd" """ from pycopia import dtds from pycopia.dtds import svg11_flat_20030114 from pycopia.XML import POM MIME_SVG = "image/svg+xml" if __name__ == "__main__": import sys from pycopia import autodebug fname = sys.argv[1] string = open(fname).read() parser = get_parser() parser.feed(string) parser.close() doc = parser.getContentHandler().doc print doc print repr(doc.root)
24.151515
82
0.71079
#!/usr/bin/python2.7 # -*- coding: utf-8 -*- # vim:ts=4:sw=4:softtabstop=4:smarttab:expandtab # 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. """ Generate and parse SVG files. # PUBLIC "-//W3C//DTD SVG 1.1//EN" # SYSTEM "http://www.w3.org/Graphics/SVG/1.1/DTD/svg11.dtd" """ from pycopia import dtds from pycopia.dtds import svg11_flat_20030114 from pycopia.XML import POM MIME_SVG = "image/svg+xml" class SVGMixin(object): pass class SVGDocument(POM.POMDocument, SVGMixin): MIMETYPE = MIME_SVG def new_document(): return SVGDocument(svg11_flat_20030114, dtds.SVG) def get_parser(document=None): from pycopia.XML import POMparse if not document: document = new_document() return POMparse.get_parser(document, namespaces=0, validate=0, external_ges=1) if __name__ == "__main__": import sys from pycopia import autodebug fname = sys.argv[1] string = open(fname).read() parser = get_parser() parser.feed(string) parser.close() doc = parser.getContentHandler().doc print doc print repr(doc.root)
236
59
92
fb384f229420aa34cb7f12e50bd7903777f0a193
381
py
Python
day3/day3.py
partridgems/advent2018
c5b447a4df1f0ee3e28a656ee6597f605f2d7b79
[ "MIT" ]
null
null
null
day3/day3.py
partridgems/advent2018
c5b447a4df1f0ee3e28a656ee6597f605f2d7b79
[ "MIT" ]
null
null
null
day3/day3.py
partridgems/advent2018
c5b447a4df1f0ee3e28a656ee6597f605f2d7b79
[ "MIT" ]
null
null
null
import sys import numpy import re main()
14.111111
66
0.551181
import sys import numpy import re def main(): fabric = numpy.zeros((1000,1000)) for claim in sys.stdin.readlines(): nums = [int(x) for x in re.split(' @ |,|: |x',claim)[1:]] if len(nums) < 4: continue (b,l,t,r) = (nums[0],nums[1],nums[0]+nums[2],nums[1]+nums[3]) # print(b,t,l,r) fabric[b:t,l:r] += 1 print(numpy.sum(fabric > 1)) main()
307
0
23
5ab6f2c817b76a5338a950b54956ecb1e442d955
1,917
py
Python
keystone/cmd/doctor/ldap.py
dtroyer/keystone
ba21db422d4f58c185e1b4414e118f723c33b959
[ "Apache-2.0" ]
null
null
null
keystone/cmd/doctor/ldap.py
dtroyer/keystone
ba21db422d4f58c185e1b4414e118f723c33b959
[ "Apache-2.0" ]
null
null
null
keystone/cmd/doctor/ldap.py
dtroyer/keystone
ba21db422d4f58c185e1b4414e118f723c33b959
[ "Apache-2.0" ]
null
null
null
# 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 keystone.conf CONF = keystone.conf.CONF def symptom_LDAP_user_enabled_emulation_dn_ignored(): """`[ldap] user_enabled_emulation_dn` is being ignored. There is no reason to set this value unless `keystone.conf [ldap] user_enabled_emulation` is also enabled. """ return ( not CONF.ldap.user_enabled_emulation and CONF.ldap.user_enabled_emulation_dn is not None) def symptom_LDAP_user_enabled_emulation_use_group_config_ignored(): """`[ldap] user_enabled_emulation_use_group_config` is being ignored. There is no reason to set this value unless `keystone.conf [ldap] user_enabled_emulation` is also enabled. """ return ( not CONF.ldap.user_enabled_emulation and CONF.ldap.user_enabled_emulation_use_group_config) def symptom_LDAP_group_members_are_ids_disabled(): """`[ldap] group_members_are_ids` is not enabled. Because you've set `keystone.conf [ldap] group_objectclass = posixGroup`, we would have also expected you to enable set `keystone.conf [ldap] group_members_are_ids` because we suspect you're using Open Directory, which would contain user ID's in a `posixGroup` rather than LDAP DNs, as other object classes typically would. """ return ( CONF.ldap.group_objectclass == 'posixGroup' and not CONF.ldap.group_members_are_ids)
36.169811
77
0.745436
# 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 keystone.conf CONF = keystone.conf.CONF def symptom_LDAP_user_enabled_emulation_dn_ignored(): """`[ldap] user_enabled_emulation_dn` is being ignored. There is no reason to set this value unless `keystone.conf [ldap] user_enabled_emulation` is also enabled. """ return ( not CONF.ldap.user_enabled_emulation and CONF.ldap.user_enabled_emulation_dn is not None) def symptom_LDAP_user_enabled_emulation_use_group_config_ignored(): """`[ldap] user_enabled_emulation_use_group_config` is being ignored. There is no reason to set this value unless `keystone.conf [ldap] user_enabled_emulation` is also enabled. """ return ( not CONF.ldap.user_enabled_emulation and CONF.ldap.user_enabled_emulation_use_group_config) def symptom_LDAP_group_members_are_ids_disabled(): """`[ldap] group_members_are_ids` is not enabled. Because you've set `keystone.conf [ldap] group_objectclass = posixGroup`, we would have also expected you to enable set `keystone.conf [ldap] group_members_are_ids` because we suspect you're using Open Directory, which would contain user ID's in a `posixGroup` rather than LDAP DNs, as other object classes typically would. """ return ( CONF.ldap.group_objectclass == 'posixGroup' and not CONF.ldap.group_members_are_ids)
0
0
0
3f409adad054046b5315883c8e55c4733338b896
450
py
Python
Arrangement/5568.py
miiiingi/algorithmstudy
75eaf97e2c41d7edf32eb4a57d4d7685c9218aba
[ "MIT" ]
null
null
null
Arrangement/5568.py
miiiingi/algorithmstudy
75eaf97e2c41d7edf32eb4a57d4d7685c9218aba
[ "MIT" ]
null
null
null
Arrangement/5568.py
miiiingi/algorithmstudy
75eaf97e2c41d7edf32eb4a57d4d7685c9218aba
[ "MIT" ]
null
null
null
import itertools list_num = list() n = int(input()) k = int(input()) for _ in range(n) : number = input() list_num.append(number) cat_num = itertools.combinations(list_num, k) _answer = list() for nums in cat_num : num = itertools.permutations(nums, k) for n in num : str_sum = '' for s in n : str_sum += s if str_sum not in _answer : _answer.append(str_sum) print(len(_answer))
21.428571
45
0.595556
import itertools list_num = list() n = int(input()) k = int(input()) for _ in range(n) : number = input() list_num.append(number) cat_num = itertools.combinations(list_num, k) _answer = list() for nums in cat_num : num = itertools.permutations(nums, k) for n in num : str_sum = '' for s in n : str_sum += s if str_sum not in _answer : _answer.append(str_sum) print(len(_answer))
0
0
0
f0b9c3a404369231c434674735d3e6ae78005ca9
261,031
py
Python
instances/passenger_demand/pas-20210422-1717-int16e/29.py
LHcau/scheduling-shared-passenger-and-freight-transport-on-a-fixed-infrastructure
bba1e6af5bc8d9deaa2dc3b83f6fe9ddf15d2a11
[ "BSD-3-Clause" ]
null
null
null
instances/passenger_demand/pas-20210422-1717-int16e/29.py
LHcau/scheduling-shared-passenger-and-freight-transport-on-a-fixed-infrastructure
bba1e6af5bc8d9deaa2dc3b83f6fe9ddf15d2a11
[ "BSD-3-Clause" ]
null
null
null
instances/passenger_demand/pas-20210422-1717-int16e/29.py
LHcau/scheduling-shared-passenger-and-freight-transport-on-a-fixed-infrastructure
bba1e6af5bc8d9deaa2dc3b83f6fe9ddf15d2a11
[ "BSD-3-Clause" ]
null
null
null
""" PASSENGERS """ numPassengers = 30558 passenger_arriving = ( (11, 2, 10, 9, 2, 7, 2, 5, 2, 1, 1, 0, 0, 9, 8, 6, 8, 2, 5, 1, 5, 4, 1, 1, 1, 0), # 0 (9, 12, 9, 9, 8, 2, 1, 4, 2, 0, 1, 2, 0, 8, 6, 8, 5, 2, 5, 7, 3, 3, 1, 0, 2, 0), # 1 (4, 3, 8, 10, 7, 5, 1, 6, 4, 4, 1, 0, 0, 15, 10, 4, 8, 4, 5, 3, 2, 5, 1, 2, 1, 0), # 2 (9, 12, 4, 11, 5, 5, 3, 4, 2, 1, 1, 1, 0, 7, 13, 9, 3, 12, 7, 3, 2, 2, 2, 1, 1, 0), # 3 (9, 13, 8, 7, 7, 1, 5, 7, 1, 1, 1, 2, 0, 7, 9, 3, 7, 8, 3, 5, 2, 3, 3, 2, 1, 0), # 4 (12, 7, 8, 8, 9, 2, 5, 6, 2, 2, 5, 0, 0, 4, 5, 9, 7, 10, 6, 1, 3, 8, 2, 4, 5, 0), # 5 (16, 14, 14, 11, 5, 5, 7, 5, 0, 1, 0, 0, 0, 10, 12, 8, 4, 8, 7, 4, 1, 2, 4, 2, 2, 0), # 6 (7, 7, 18, 10, 10, 5, 5, 3, 6, 4, 1, 1, 0, 9, 7, 14, 6, 10, 7, 5, 2, 3, 2, 4, 1, 0), # 7 (17, 16, 12, 12, 9, 1, 7, 5, 5, 3, 1, 0, 0, 15, 11, 5, 8, 12, 3, 9, 5, 4, 6, 1, 1, 0), # 8 (13, 12, 11, 10, 13, 6, 3, 2, 4, 4, 3, 1, 0, 14, 9, 6, 12, 6, 6, 2, 4, 6, 7, 2, 1, 0), # 9 (17, 15, 11, 15, 10, 2, 7, 6, 10, 2, 0, 1, 0, 18, 16, 12, 5, 6, 9, 6, 0, 6, 9, 4, 1, 0), # 10 (9, 11, 13, 13, 6, 2, 7, 6, 3, 1, 5, 0, 0, 14, 13, 8, 6, 12, 11, 4, 1, 6, 2, 2, 1, 0), # 11 (10, 18, 9, 11, 7, 4, 5, 4, 8, 4, 0, 1, 0, 12, 13, 7, 7, 18, 6, 3, 8, 4, 2, 3, 0, 0), # 12 (10, 12, 7, 9, 7, 3, 7, 7, 6, 2, 2, 2, 0, 15, 21, 10, 10, 12, 5, 6, 2, 2, 0, 2, 2, 0), # 13 (23, 17, 6, 26, 16, 3, 9, 7, 3, 2, 2, 1, 0, 17, 11, 15, 10, 9, 4, 7, 5, 2, 4, 1, 1, 0), # 14 (12, 10, 10, 20, 9, 4, 11, 6, 7, 5, 3, 2, 0, 22, 16, 14, 9, 12, 8, 3, 4, 8, 6, 1, 2, 0), # 15 (14, 14, 10, 15, 9, 3, 4, 5, 3, 1, 1, 1, 0, 14, 17, 15, 12, 11, 3, 4, 6, 3, 6, 3, 1, 0), # 16 (24, 12, 8, 9, 14, 8, 5, 6, 5, 2, 2, 1, 0, 15, 15, 7, 11, 15, 5, 12, 6, 1, 6, 3, 1, 0), # 17 (21, 18, 13, 17, 16, 6, 10, 6, 3, 4, 2, 2, 0, 12, 18, 13, 8, 8, 8, 5, 5, 3, 8, 1, 3, 0), # 18 (15, 10, 9, 13, 13, 7, 6, 11, 6, 2, 1, 0, 0, 22, 13, 9, 9, 15, 9, 6, 7, 6, 3, 0, 0, 0), # 19 (15, 12, 14, 5, 9, 6, 6, 11, 2, 1, 1, 2, 0, 19, 9, 10, 9, 13, 10, 6, 4, 6, 4, 4, 1, 0), # 20 (18, 23, 12, 17, 10, 5, 3, 8, 5, 3, 1, 1, 0, 15, 9, 10, 12, 16, 6, 7, 2, 8, 5, 2, 1, 0), # 21 (20, 17, 13, 17, 8, 9, 9, 6, 7, 3, 0, 0, 0, 16, 13, 14, 6, 13, 8, 7, 4, 7, 1, 0, 2, 0), # 22 (12, 16, 19, 14, 16, 8, 5, 9, 3, 1, 2, 1, 0, 28, 12, 8, 8, 21, 16, 2, 6, 5, 5, 4, 4, 0), # 23 (18, 18, 15, 17, 17, 7, 8, 5, 3, 3, 3, 2, 0, 24, 20, 16, 11, 16, 7, 8, 3, 5, 2, 4, 1, 0), # 24 (15, 18, 14, 16, 18, 10, 2, 3, 5, 2, 2, 1, 0, 16, 13, 10, 11, 13, 10, 8, 6, 6, 1, 2, 4, 0), # 25 (19, 19, 16, 14, 14, 10, 7, 6, 10, 1, 3, 0, 0, 11, 16, 11, 8, 20, 6, 4, 8, 3, 9, 3, 3, 0), # 26 (13, 19, 16, 14, 16, 4, 6, 6, 3, 2, 1, 2, 0, 18, 14, 12, 12, 12, 8, 12, 3, 6, 6, 3, 0, 0), # 27 (13, 17, 12, 16, 10, 3, 4, 2, 6, 3, 4, 0, 0, 11, 18, 9, 8, 14, 5, 3, 9, 3, 6, 4, 2, 0), # 28 (26, 17, 13, 17, 7, 3, 5, 3, 5, 3, 0, 1, 0, 21, 17, 7, 12, 17, 13, 6, 4, 9, 1, 4, 3, 0), # 29 (22, 21, 10, 19, 21, 4, 2, 9, 6, 3, 0, 2, 0, 18, 9, 10, 15, 10, 14, 6, 6, 5, 5, 1, 2, 0), # 30 (15, 17, 7, 20, 11, 4, 3, 11, 3, 6, 1, 1, 0, 14, 14, 8, 7, 11, 10, 8, 4, 6, 1, 1, 1, 0), # 31 (17, 14, 11, 15, 14, 5, 10, 8, 8, 5, 2, 0, 0, 19, 18, 10, 6, 8, 5, 5, 7, 2, 6, 4, 1, 0), # 32 (17, 7, 17, 15, 15, 7, 6, 6, 4, 5, 5, 4, 0, 16, 13, 14, 10, 11, 11, 3, 4, 7, 5, 2, 1, 0), # 33 (20, 12, 7, 19, 7, 3, 8, 1, 6, 3, 2, 0, 0, 18, 14, 13, 5, 8, 10, 7, 4, 3, 3, 5, 2, 0), # 34 (13, 21, 11, 9, 11, 12, 7, 3, 5, 0, 4, 1, 0, 15, 14, 7, 9, 16, 8, 7, 2, 7, 4, 3, 2, 0), # 35 (21, 14, 14, 17, 13, 5, 4, 8, 8, 2, 3, 0, 0, 16, 16, 6, 13, 11, 7, 7, 4, 6, 4, 3, 3, 0), # 36 (11, 13, 10, 12, 10, 5, 10, 4, 6, 4, 3, 1, 0, 22, 12, 17, 6, 11, 10, 4, 4, 7, 5, 1, 1, 0), # 37 (15, 16, 10, 11, 12, 9, 6, 3, 6, 0, 0, 0, 0, 19, 16, 8, 8, 12, 10, 6, 6, 7, 7, 1, 2, 0), # 38 (20, 12, 16, 15, 12, 4, 6, 8, 1, 4, 2, 3, 0, 14, 14, 10, 7, 9, 9, 5, 5, 2, 5, 2, 0, 0), # 39 (16, 9, 14, 15, 10, 13, 3, 6, 10, 3, 2, 2, 0, 11, 12, 7, 10, 11, 10, 9, 2, 6, 3, 1, 1, 0), # 40 (14, 19, 17, 11, 4, 7, 14, 7, 9, 2, 0, 2, 0, 17, 4, 10, 12, 16, 7, 10, 3, 8, 3, 2, 2, 0), # 41 (17, 12, 8, 10, 11, 7, 2, 3, 5, 1, 2, 0, 0, 19, 13, 16, 7, 19, 4, 6, 1, 3, 6, 0, 2, 0), # 42 (14, 15, 11, 14, 4, 10, 7, 1, 4, 2, 1, 4, 0, 18, 13, 11, 10, 10, 4, 3, 5, 7, 3, 1, 0, 0), # 43 (18, 17, 14, 14, 8, 4, 8, 11, 3, 3, 0, 3, 0, 14, 14, 10, 6, 12, 7, 7, 0, 6, 2, 2, 3, 0), # 44 (11, 16, 18, 13, 14, 4, 7, 7, 8, 4, 7, 1, 0, 20, 12, 11, 5, 16, 8, 10, 5, 11, 2, 2, 3, 0), # 45 (14, 23, 13, 17, 9, 5, 4, 3, 7, 2, 5, 3, 0, 19, 18, 6, 6, 20, 12, 6, 7, 4, 10, 2, 3, 0), # 46 (15, 17, 11, 12, 14, 4, 10, 12, 6, 3, 1, 3, 0, 17, 13, 14, 15, 12, 9, 4, 4, 8, 3, 3, 4, 0), # 47 (25, 18, 12, 9, 11, 6, 10, 10, 4, 3, 3, 1, 0, 12, 12, 5, 9, 11, 12, 10, 5, 7, 3, 0, 0, 0), # 48 (20, 16, 16, 20, 9, 8, 2, 3, 10, 1, 2, 2, 0, 14, 10, 14, 16, 7, 5, 4, 2, 5, 4, 3, 2, 0), # 49 (18, 15, 18, 11, 7, 5, 15, 5, 6, 5, 0, 0, 0, 18, 23, 12, 9, 11, 9, 9, 2, 6, 5, 2, 3, 0), # 50 (16, 15, 17, 19, 12, 3, 12, 3, 6, 1, 0, 0, 0, 19, 8, 12, 8, 6, 10, 9, 4, 6, 6, 2, 1, 0), # 51 (16, 13, 16, 15, 18, 3, 7, 6, 5, 3, 3, 0, 0, 22, 12, 14, 8, 12, 7, 6, 2, 4, 4, 5, 0, 0), # 52 (21, 13, 11, 8, 13, 4, 3, 5, 7, 3, 3, 1, 0, 15, 14, 10, 11, 15, 12, 4, 2, 3, 3, 2, 1, 0), # 53 (12, 19, 19, 14, 12, 7, 5, 10, 6, 2, 3, 1, 0, 10, 9, 10, 6, 14, 11, 3, 3, 6, 8, 5, 0, 0), # 54 (11, 17, 20, 11, 6, 11, 6, 6, 2, 3, 2, 2, 0, 22, 14, 11, 7, 14, 7, 1, 8, 7, 5, 4, 1, 0), # 55 (13, 12, 10, 16, 13, 5, 8, 2, 5, 4, 2, 2, 0, 21, 17, 11, 8, 9, 7, 8, 8, 9, 5, 3, 3, 0), # 56 (14, 13, 7, 10, 14, 7, 9, 4, 6, 1, 1, 3, 0, 12, 13, 10, 6, 9, 4, 9, 1, 8, 4, 1, 0, 0), # 57 (13, 21, 10, 17, 12, 3, 6, 6, 5, 3, 2, 2, 0, 14, 7, 7, 12, 14, 8, 7, 3, 9, 7, 4, 4, 0), # 58 (12, 10, 9, 14, 21, 6, 12, 4, 7, 8, 2, 1, 0, 16, 15, 6, 9, 14, 9, 4, 2, 4, 5, 1, 0, 0), # 59 (11, 18, 20, 14, 9, 2, 7, 4, 7, 0, 2, 4, 0, 14, 12, 13, 5, 14, 9, 9, 4, 6, 7, 1, 0, 0), # 60 (20, 13, 10, 15, 9, 8, 6, 5, 6, 3, 2, 1, 0, 13, 11, 9, 4, 12, 4, 7, 13, 9, 2, 1, 1, 0), # 61 (16, 15, 12, 15, 15, 7, 10, 10, 6, 3, 1, 0, 0, 16, 17, 13, 8, 19, 9, 4, 3, 7, 6, 3, 1, 0), # 62 (21, 5, 14, 19, 12, 9, 5, 4, 10, 4, 2, 1, 0, 11, 14, 16, 10, 12, 5, 5, 2, 4, 6, 2, 2, 0), # 63 (14, 12, 14, 16, 7, 5, 0, 2, 5, 1, 2, 1, 0, 9, 14, 21, 11, 8, 12, 5, 5, 4, 3, 1, 1, 0), # 64 (18, 17, 11, 11, 9, 5, 4, 2, 11, 0, 1, 2, 0, 19, 16, 10, 11, 12, 5, 10, 5, 3, 4, 4, 2, 0), # 65 (26, 13, 8, 21, 14, 3, 7, 6, 4, 1, 1, 1, 0, 16, 10, 13, 8, 16, 4, 11, 4, 5, 6, 2, 0, 0), # 66 (18, 11, 20, 23, 8, 12, 9, 2, 3, 5, 4, 3, 0, 18, 13, 6, 10, 12, 9, 7, 2, 6, 7, 8, 1, 0), # 67 (17, 13, 16, 15, 12, 9, 3, 5, 4, 4, 1, 0, 0, 14, 16, 8, 7, 14, 7, 4, 3, 11, 9, 5, 3, 0), # 68 (16, 11, 14, 19, 9, 2, 7, 1, 11, 6, 4, 2, 0, 14, 12, 18, 7, 18, 2, 7, 2, 6, 3, 1, 0, 0), # 69 (13, 8, 22, 13, 10, 4, 2, 3, 6, 4, 1, 1, 0, 12, 13, 13, 7, 14, 8, 7, 2, 2, 3, 4, 2, 0), # 70 (15, 15, 11, 19, 10, 9, 5, 9, 7, 4, 2, 3, 0, 20, 10, 5, 8, 13, 3, 3, 6, 10, 8, 3, 3, 0), # 71 (17, 10, 9, 9, 14, 9, 6, 5, 4, 2, 1, 2, 0, 17, 14, 7, 8, 8, 4, 4, 7, 10, 2, 3, 1, 0), # 72 (9, 14, 9, 11, 17, 4, 5, 5, 3, 3, 0, 1, 0, 16, 8, 15, 11, 14, 12, 8, 3, 8, 2, 3, 3, 0), # 73 (10, 14, 20, 15, 14, 4, 0, 5, 7, 2, 3, 1, 0, 22, 12, 7, 9, 14, 9, 8, 1, 13, 0, 2, 2, 0), # 74 (14, 13, 19, 16, 9, 3, 3, 7, 4, 1, 6, 4, 0, 18, 14, 6, 8, 15, 3, 6, 6, 6, 5, 2, 0, 0), # 75 (23, 19, 17, 16, 9, 9, 6, 5, 3, 1, 3, 0, 0, 16, 15, 11, 9, 15, 12, 7, 5, 1, 1, 7, 3, 0), # 76 (11, 15, 6, 13, 13, 6, 6, 3, 4, 3, 2, 1, 0, 13, 11, 5, 10, 11, 8, 5, 5, 8, 3, 3, 1, 0), # 77 (14, 12, 12, 22, 10, 6, 9, 7, 5, 2, 1, 0, 0, 17, 21, 14, 10, 11, 8, 9, 8, 6, 6, 4, 3, 0), # 78 (22, 19, 17, 14, 10, 2, 5, 6, 6, 1, 2, 4, 0, 19, 8, 16, 7, 8, 8, 5, 3, 5, 4, 2, 0, 0), # 79 (16, 10, 10, 9, 10, 5, 5, 4, 6, 1, 2, 0, 0, 23, 12, 9, 11, 19, 6, 2, 3, 5, 2, 5, 1, 0), # 80 (24, 12, 12, 12, 10, 6, 10, 4, 6, 5, 6, 1, 0, 17, 15, 6, 11, 15, 10, 6, 4, 6, 5, 2, 2, 0), # 81 (16, 17, 12, 15, 10, 2, 4, 4, 3, 4, 1, 1, 0, 21, 17, 8, 10, 13, 5, 4, 4, 5, 3, 2, 2, 0), # 82 (17, 8, 15, 15, 12, 7, 9, 5, 10, 2, 4, 0, 0, 15, 17, 9, 7, 17, 4, 6, 5, 3, 5, 2, 2, 0), # 83 (11, 16, 10, 12, 9, 5, 8, 5, 5, 3, 4, 0, 0, 18, 14, 13, 6, 12, 4, 6, 6, 6, 4, 0, 1, 0), # 84 (14, 18, 11, 11, 10, 9, 6, 7, 4, 3, 0, 0, 0, 13, 17, 16, 8, 15, 9, 3, 4, 7, 5, 2, 1, 0), # 85 (13, 14, 14, 11, 12, 5, 4, 5, 4, 1, 2, 1, 0, 21, 13, 8, 9, 7, 3, 4, 5, 6, 2, 2, 2, 0), # 86 (20, 10, 15, 18, 8, 4, 7, 6, 8, 0, 4, 2, 0, 19, 19, 10, 8, 6, 8, 8, 6, 5, 4, 3, 1, 0), # 87 (19, 17, 14, 16, 8, 7, 5, 9, 2, 1, 1, 3, 0, 13, 9, 13, 7, 12, 10, 4, 5, 9, 8, 2, 1, 0), # 88 (24, 10, 17, 11, 6, 7, 6, 5, 7, 3, 2, 1, 0, 12, 10, 8, 8, 10, 5, 4, 5, 7, 3, 4, 1, 0), # 89 (11, 15, 12, 12, 10, 6, 2, 5, 4, 5, 3, 1, 0, 13, 9, 16, 6, 21, 3, 4, 1, 2, 6, 2, 0, 0), # 90 (15, 7, 20, 20, 7, 4, 4, 3, 5, 4, 2, 2, 0, 21, 17, 9, 7, 10, 7, 7, 6, 3, 4, 3, 0, 0), # 91 (17, 13, 11, 12, 19, 5, 5, 5, 10, 4, 1, 0, 0, 13, 20, 8, 7, 24, 6, 7, 3, 6, 1, 4, 0, 0), # 92 (19, 18, 14, 13, 13, 5, 5, 4, 8, 1, 1, 2, 0, 12, 15, 9, 4, 19, 5, 2, 2, 6, 4, 3, 4, 0), # 93 (17, 9, 16, 12, 17, 8, 6, 3, 7, 4, 2, 1, 0, 15, 14, 8, 7, 13, 5, 5, 7, 9, 7, 1, 0, 0), # 94 (11, 9, 19, 16, 11, 7, 4, 11, 8, 1, 5, 1, 0, 12, 13, 9, 6, 7, 9, 5, 1, 4, 6, 5, 0, 0), # 95 (16, 6, 12, 17, 12, 7, 3, 8, 4, 2, 0, 1, 0, 21, 17, 9, 7, 14, 3, 7, 3, 4, 3, 0, 0, 0), # 96 (24, 9, 13, 10, 9, 8, 3, 4, 4, 4, 2, 1, 0, 17, 16, 12, 4, 11, 2, 5, 4, 5, 9, 4, 0, 0), # 97 (10, 12, 12, 13, 14, 5, 9, 5, 7, 3, 0, 1, 0, 16, 5, 9, 7, 12, 6, 5, 2, 6, 4, 2, 0, 0), # 98 (7, 11, 18, 10, 8, 9, 6, 5, 5, 3, 2, 1, 0, 15, 12, 12, 9, 16, 4, 12, 1, 4, 5, 2, 0, 0), # 99 (8, 18, 18, 19, 11, 5, 11, 8, 4, 1, 3, 3, 0, 25, 20, 14, 6, 14, 3, 4, 6, 9, 4, 3, 1, 0), # 100 (15, 11, 12, 16, 6, 3, 3, 6, 3, 1, 2, 4, 0, 19, 14, 12, 14, 10, 7, 4, 7, 5, 3, 3, 0, 0), # 101 (26, 9, 10, 9, 13, 12, 3, 5, 6, 4, 2, 1, 0, 27, 13, 8, 9, 12, 5, 7, 4, 6, 2, 1, 3, 0), # 102 (18, 18, 15, 9, 8, 6, 7, 2, 6, 2, 2, 1, 0, 14, 10, 11, 7, 13, 14, 6, 3, 9, 5, 9, 2, 0), # 103 (18, 13, 10, 22, 7, 3, 4, 5, 9, 3, 1, 1, 0, 18, 11, 16, 2, 8, 5, 7, 1, 8, 6, 4, 2, 0), # 104 (16, 14, 11, 15, 10, 5, 1, 5, 3, 0, 0, 1, 0, 16, 16, 6, 8, 11, 9, 6, 7, 5, 3, 3, 0, 0), # 105 (11, 14, 13, 17, 10, 5, 3, 5, 9, 3, 2, 0, 0, 24, 15, 6, 11, 10, 4, 7, 1, 3, 3, 7, 0, 0), # 106 (19, 12, 13, 10, 11, 3, 3, 5, 4, 2, 0, 1, 0, 17, 12, 1, 5, 17, 7, 5, 3, 8, 5, 0, 0, 0), # 107 (9, 9, 16, 17, 7, 6, 2, 0, 4, 2, 3, 1, 0, 14, 7, 13, 8, 15, 6, 7, 0, 7, 4, 5, 2, 0), # 108 (20, 6, 9, 16, 4, 7, 4, 7, 6, 1, 2, 0, 0, 21, 16, 6, 8, 17, 4, 5, 1, 1, 2, 1, 8, 0), # 109 (18, 9, 10, 14, 16, 9, 3, 6, 9, 1, 1, 2, 0, 16, 11, 7, 4, 8, 6, 7, 4, 11, 7, 2, 1, 0), # 110 (16, 10, 12, 10, 10, 5, 2, 3, 10, 3, 0, 1, 0, 14, 9, 12, 6, 12, 7, 5, 6, 5, 4, 2, 2, 0), # 111 (17, 18, 13, 12, 7, 4, 6, 6, 4, 2, 4, 0, 0, 23, 13, 12, 5, 12, 7, 0, 6, 7, 2, 5, 0, 0), # 112 (10, 11, 10, 15, 11, 4, 4, 3, 10, 1, 1, 0, 0, 16, 14, 8, 7, 10, 7, 1, 5, 8, 5, 2, 4, 0), # 113 (14, 14, 15, 13, 11, 9, 4, 2, 3, 1, 4, 2, 0, 15, 16, 7, 10, 10, 2, 5, 9, 5, 6, 1, 0, 0), # 114 (18, 13, 13, 8, 19, 3, 1, 3, 4, 3, 4, 1, 0, 12, 10, 6, 10, 6, 3, 2, 5, 5, 4, 3, 0, 0), # 115 (15, 16, 9, 12, 11, 4, 3, 2, 4, 4, 0, 1, 0, 13, 14, 5, 8, 12, 7, 3, 4, 8, 2, 5, 3, 0), # 116 (15, 14, 11, 15, 11, 2, 3, 1, 5, 2, 3, 1, 0, 8, 7, 9, 8, 13, 5, 4, 4, 12, 4, 0, 0, 0), # 117 (13, 11, 12, 14, 17, 3, 4, 2, 5, 4, 0, 1, 0, 10, 13, 10, 7, 14, 7, 2, 5, 6, 6, 4, 2, 0), # 118 (14, 5, 9, 13, 8, 4, 3, 2, 3, 3, 1, 2, 0, 19, 15, 7, 7, 17, 3, 4, 4, 7, 5, 3, 2, 0), # 119 (17, 13, 9, 17, 12, 2, 5, 2, 7, 3, 2, 3, 0, 10, 18, 8, 9, 9, 7, 5, 4, 7, 10, 0, 2, 0), # 120 (13, 11, 11, 13, 12, 2, 3, 1, 6, 5, 0, 0, 0, 13, 12, 4, 13, 6, 11, 2, 3, 5, 3, 2, 0, 0), # 121 (15, 12, 14, 11, 12, 4, 4, 10, 4, 1, 7, 0, 0, 20, 12, 10, 5, 12, 1, 4, 7, 8, 2, 3, 1, 0), # 122 (21, 14, 13, 11, 10, 6, 6, 4, 10, 1, 1, 4, 0, 11, 12, 13, 3, 14, 9, 2, 3, 6, 7, 4, 3, 0), # 123 (10, 9, 13, 8, 14, 3, 7, 13, 4, 0, 0, 1, 0, 12, 13, 16, 7, 18, 3, 7, 2, 7, 3, 0, 0, 0), # 124 (10, 10, 9, 12, 13, 1, 6, 4, 6, 3, 4, 0, 0, 15, 14, 13, 8, 12, 8, 1, 3, 9, 8, 3, 0, 0), # 125 (14, 13, 15, 10, 6, 4, 3, 2, 7, 2, 2, 0, 0, 18, 10, 10, 4, 18, 6, 3, 3, 6, 4, 1, 0, 0), # 126 (16, 10, 16, 8, 11, 4, 1, 10, 5, 6, 2, 2, 0, 14, 12, 10, 16, 8, 4, 7, 5, 10, 7, 2, 0, 0), # 127 (3, 11, 13, 15, 7, 8, 2, 3, 3, 4, 0, 0, 0, 19, 16, 6, 6, 14, 5, 5, 3, 9, 7, 1, 2, 0), # 128 (8, 12, 12, 11, 7, 5, 3, 4, 2, 2, 2, 0, 0, 21, 6, 5, 5, 18, 7, 2, 3, 3, 3, 3, 1, 0), # 129 (17, 8, 14, 10, 5, 3, 6, 5, 5, 3, 2, 2, 0, 10, 16, 8, 5, 17, 4, 5, 2, 7, 0, 1, 2, 0), # 130 (15, 3, 16, 15, 17, 3, 4, 1, 2, 1, 0, 3, 0, 12, 6, 2, 2, 10, 3, 7, 6, 6, 3, 3, 0, 0), # 131 (9, 11, 10, 12, 10, 1, 6, 3, 9, 4, 1, 1, 0, 13, 16, 9, 7, 10, 3, 5, 5, 4, 8, 1, 1, 0), # 132 (12, 13, 10, 21, 5, 6, 4, 7, 6, 3, 2, 2, 0, 13, 12, 6, 11, 11, 12, 5, 8, 1, 3, 1, 1, 0), # 133 (14, 10, 13, 16, 8, 9, 2, 3, 6, 3, 1, 1, 0, 18, 9, 10, 4, 17, 5, 1, 8, 6, 7, 4, 1, 0), # 134 (9, 5, 12, 7, 10, 3, 5, 5, 2, 4, 1, 0, 0, 12, 6, 10, 8, 13, 7, 3, 2, 5, 5, 1, 1, 0), # 135 (15, 7, 11, 11, 14, 5, 5, 3, 3, 3, 1, 1, 0, 8, 10, 6, 6, 13, 7, 7, 4, 4, 3, 4, 1, 0), # 136 (8, 12, 12, 9, 15, 5, 4, 3, 1, 4, 1, 5, 0, 18, 19, 11, 9, 12, 2, 5, 4, 5, 5, 2, 1, 0), # 137 (14, 6, 13, 13, 11, 3, 3, 2, 4, 3, 0, 3, 0, 16, 13, 5, 4, 10, 6, 3, 5, 3, 3, 5, 1, 0), # 138 (16, 10, 16, 9, 5, 7, 2, 4, 11, 0, 3, 2, 0, 13, 16, 8, 6, 4, 4, 4, 6, 7, 5, 4, 0, 0), # 139 (17, 8, 11, 15, 9, 8, 7, 3, 8, 4, 2, 0, 0, 14, 13, 10, 7, 13, 1, 7, 2, 3, 4, 5, 1, 0), # 140 (12, 13, 6, 18, 9, 9, 3, 5, 6, 2, 1, 2, 0, 16, 11, 7, 10, 11, 7, 6, 1, 6, 4, 1, 2, 0), # 141 (17, 8, 23, 6, 10, 3, 0, 5, 3, 3, 3, 0, 0, 17, 8, 12, 7, 8, 5, 7, 5, 2, 2, 3, 1, 0), # 142 (10, 7, 11, 12, 9, 4, 8, 5, 5, 0, 2, 0, 0, 11, 9, 5, 5, 11, 3, 8, 6, 6, 4, 2, 0, 0), # 143 (9, 15, 12, 15, 7, 6, 6, 5, 2, 2, 2, 1, 0, 14, 7, 6, 8, 14, 5, 3, 5, 11, 5, 1, 2, 0), # 144 (16, 7, 6, 11, 12, 5, 5, 8, 3, 3, 1, 1, 0, 13, 14, 6, 7, 18, 6, 3, 4, 5, 3, 2, 1, 0), # 145 (14, 15, 20, 9, 17, 2, 3, 6, 4, 1, 0, 0, 0, 15, 10, 8, 5, 7, 3, 5, 5, 3, 6, 0, 2, 0), # 146 (16, 9, 8, 11, 20, 8, 2, 4, 6, 2, 3, 0, 0, 11, 10, 8, 2, 11, 7, 2, 3, 1, 1, 2, 1, 0), # 147 (9, 9, 9, 11, 11, 6, 2, 6, 4, 2, 0, 0, 0, 15, 12, 6, 2, 10, 3, 1, 2, 5, 5, 2, 0, 0), # 148 (17, 5, 10, 11, 6, 4, 6, 5, 6, 3, 1, 2, 0, 10, 13, 9, 6, 13, 5, 6, 5, 4, 1, 3, 1, 0), # 149 (16, 8, 16, 11, 12, 5, 3, 5, 4, 3, 3, 1, 0, 17, 4, 9, 11, 8, 7, 4, 3, 4, 3, 1, 0, 0), # 150 (7, 12, 8, 16, 5, 3, 5, 4, 7, 2, 5, 1, 0, 19, 13, 7, 4, 6, 4, 3, 4, 3, 6, 2, 0, 0), # 151 (11, 2, 17, 6, 9, 5, 2, 5, 3, 1, 1, 0, 0, 12, 12, 5, 5, 8, 2, 0, 2, 8, 2, 1, 1, 0), # 152 (6, 9, 9, 9, 12, 8, 11, 4, 3, 4, 0, 2, 0, 11, 10, 6, 8, 14, 9, 2, 5, 5, 4, 2, 1, 0), # 153 (9, 7, 11, 13, 5, 3, 3, 3, 4, 3, 2, 0, 0, 8, 7, 9, 9, 13, 7, 5, 6, 6, 6, 4, 1, 0), # 154 (13, 8, 13, 16, 9, 0, 4, 8, 4, 0, 2, 0, 0, 14, 7, 5, 4, 14, 2, 3, 5, 2, 4, 1, 2, 0), # 155 (15, 7, 11, 6, 7, 7, 5, 3, 6, 1, 2, 0, 0, 15, 5, 6, 5, 8, 0, 2, 0, 6, 1, 2, 0, 0), # 156 (17, 9, 15, 10, 14, 4, 2, 3, 4, 0, 0, 1, 0, 8, 12, 8, 5, 11, 5, 4, 0, 4, 2, 2, 2, 0), # 157 (17, 9, 8, 15, 11, 7, 3, 3, 9, 1, 0, 0, 0, 13, 14, 5, 4, 10, 4, 5, 5, 7, 3, 3, 0, 0), # 158 (11, 7, 19, 8, 7, 3, 1, 3, 3, 1, 2, 1, 0, 15, 12, 6, 9, 8, 3, 3, 3, 5, 3, 4, 2, 0), # 159 (17, 5, 11, 16, 6, 4, 5, 5, 4, 2, 0, 0, 0, 13, 12, 8, 6, 13, 4, 4, 2, 4, 3, 2, 2, 0), # 160 (16, 5, 7, 10, 8, 5, 5, 3, 6, 4, 2, 0, 0, 10, 2, 9, 2, 14, 3, 3, 2, 5, 3, 1, 0, 0), # 161 (12, 11, 9, 11, 11, 8, 1, 3, 7, 5, 1, 0, 0, 11, 6, 5, 10, 6, 5, 3, 3, 8, 5, 1, 0, 0), # 162 (14, 8, 14, 13, 8, 6, 4, 8, 3, 4, 1, 1, 0, 8, 11, 12, 4, 11, 5, 9, 1, 6, 4, 2, 3, 0), # 163 (10, 7, 8, 7, 13, 10, 3, 2, 5, 1, 1, 0, 0, 16, 10, 7, 4, 9, 3, 3, 3, 5, 2, 1, 0, 0), # 164 (11, 2, 7, 8, 3, 4, 4, 2, 1, 5, 1, 2, 0, 12, 12, 7, 2, 6, 5, 10, 6, 6, 5, 2, 0, 0), # 165 (10, 11, 9, 9, 7, 3, 5, 3, 6, 1, 0, 2, 0, 11, 11, 6, 3, 5, 5, 5, 2, 4, 3, 1, 0, 0), # 166 (10, 9, 9, 10, 10, 4, 0, 3, 2, 1, 3, 1, 0, 12, 10, 5, 7, 12, 2, 4, 6, 2, 5, 0, 2, 0), # 167 (11, 6, 11, 14, 6, 1, 6, 1, 6, 1, 1, 2, 0, 12, 7, 5, 2, 14, 3, 2, 2, 2, 7, 0, 0, 0), # 168 (5, 6, 4, 11, 12, 3, 2, 5, 4, 1, 2, 1, 0, 6, 9, 8, 5, 10, 5, 1, 2, 3, 3, 2, 0, 0), # 169 (8, 4, 6, 5, 10, 10, 2, 2, 4, 2, 1, 1, 0, 15, 10, 12, 3, 8, 4, 1, 5, 6, 3, 0, 0, 0), # 170 (8, 1, 8, 7, 3, 4, 8, 3, 4, 1, 1, 2, 0, 8, 9, 7, 1, 14, 2, 4, 0, 4, 0, 0, 1, 0), # 171 (4, 4, 4, 12, 7, 4, 7, 1, 5, 2, 0, 1, 0, 12, 6, 8, 4, 7, 4, 5, 0, 2, 2, 1, 0, 0), # 172 (14, 5, 6, 6, 6, 1, 4, 3, 4, 1, 2, 1, 0, 8, 7, 4, 5, 7, 4, 4, 2, 3, 4, 2, 1, 0), # 173 (12, 5, 9, 8, 8, 7, 3, 2, 4, 0, 1, 1, 0, 8, 10, 4, 3, 9, 2, 2, 0, 3, 3, 0, 0, 0), # 174 (8, 5, 9, 8, 6, 4, 2, 3, 2, 3, 0, 0, 0, 9, 6, 3, 4, 13, 2, 0, 1, 6, 2, 2, 0, 0), # 175 (9, 2, 7, 9, 7, 3, 2, 0, 2, 3, 0, 1, 0, 4, 6, 4, 4, 3, 4, 3, 1, 3, 3, 1, 0, 0), # 176 (3, 2, 8, 7, 8, 1, 4, 4, 2, 3, 2, 0, 0, 9, 5, 2, 3, 8, 3, 1, 1, 0, 2, 1, 0, 0), # 177 (7, 4, 6, 10, 7, 4, 1, 2, 3, 0, 0, 0, 0, 8, 3, 6, 3, 6, 0, 0, 0, 0, 4, 4, 0, 0), # 178 (0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0), # 179 ) station_arriving_intensity = ( (8.033384925394829, 8.840461695509067, 8.33805316738001, 9.943468438181492, 8.887496972175379, 5.021847891259743, 6.6336569845982645, 7.445081876767077, 9.744158499468812, 6.332824024835792, 6.728424262216965, 7.836664125289878, 8.134208340125381), # 0 (8.566923443231959, 9.424097110631614, 8.888554546128244, 10.600230805242587, 9.475984539958779, 5.353573734468089, 7.07115030602191, 7.9352219566491335, 10.387592522132655, 6.75036910764344, 7.172953817529811, 8.353946657302968, 8.671666635903767), # 1 (9.09875681436757, 10.005416273425567, 9.436867656875862, 11.254380327463672, 10.062340757999591, 5.683976183219912, 7.506909612737127, 8.423400396647072, 11.028458891004078, 7.166262040032874, 7.615717038042101, 8.869172243284888, 9.206983725135505), # 2 (9.6268124690345, 10.582112803098315, 9.980817390911767, 11.903322252051318, 10.644258681603043, 6.011744996136181, 7.939205826636729, 8.907681851991212, 11.664216257473749, 7.578852317481889, 8.054957458923813, 9.380297095888738, 9.738036490006762), # 3 (10.149017837465571, 11.15188031885724, 10.518228639524859, 12.544461826212112, 11.219431366074389, 6.335569931837869, 8.366309869613534, 9.386130977911865, 12.292323272932332, 7.986489435468286, 8.48891861534492, 9.885277427767623, 10.262701812703709), # 4 (10.663300349893618, 11.712412439909741, 11.04692629400403, 13.17520429715263, 11.785551866718848, 6.654140748945943, 8.786492663560358, 9.856812429639348, 12.910238588770495, 8.387522889469862, 8.915844042475412, 10.382069451574637, 10.778856575412524), # 5 (11.167587436551466, 12.261402785463202, 11.564735245638186, 13.792954912079445, 12.34031323884167, 6.9661472060813825, 9.19802513037002, 10.317790862403982, 13.515420856378904, 8.780302174964413, 9.333977275485251, 10.868629379962893, 11.284377660319372), # 6 (11.65980652767195, 12.79654497472501, 12.069480385716217, 14.39511891819914, 12.881408537748086, 7.270279061865153, 9.599178191935335, 10.767130931436084, 14.105328727148231, 9.16317678742974, 9.74156184954443, 11.342913425585486, 11.777141949610431), # 7 (12.137885053487896, 13.31553262690256, 12.558986605527034, 14.979101562718284, 13.406530818743338, 7.565226074918224, 9.988222770149116, 11.20289729196596, 14.67742085246913, 9.53449622234364, 10.136841299822914, 11.802877801095525, 12.255026325471867), # 8 (12.599750444232136, 13.816059361203237, 13.031078796359527, 15.54230809284347, 13.913373137132655, 7.849678003861574, 10.363429786904192, 11.623154599223941, 15.229155883732279, 9.892609975183907, 10.518059161490685, 12.246478719146102, 12.71590767008986), # 9 (13.043330130137491, 14.295818796834425, 13.483581849502599, 16.08214375578126, 14.399628548221282, 8.122324607316171, 10.723070164093368, 12.025967508440338, 15.757992472328343, 10.235867541428343, 10.883458969717719, 12.671672392390324, 13.157662865650577), # 10 (13.466551541436809, 14.752504553003531, 13.914320656245145, 16.596013798738237, 14.862990107314454, 8.38185564390299, 11.065414823609466, 12.409400674845465, 16.26138926964799, 10.56261841655475, 11.231284259673998, 13.076415033481297, 13.57816879434018), # 11 (13.8673421083629, 15.183810248917917, 14.321120107876064, 17.08132346892098, 15.301150869717404, 8.626960872242991, 11.388734687345298, 12.771518753669634, 16.736804927081888, 10.871212096040916, 11.559778566529495, 13.45866285507211, 13.975302338344855), # 12 (14.243629261148602, 15.587429503784993, 14.701805095684259, 17.53547801353607, 15.711803890735363, 8.856330050957158, 11.69130067719369, 13.11038640014317, 17.181698096020693, 11.159998075364648, 11.86718542545419, 13.816372069815873, 14.346940379850777), # 13 (14.593340430026746, 15.961055936812143, 15.054200510958635, 17.95588267979007, 16.092642225673583, 9.068652938666455, 11.971383715047459, 13.424068269496395, 17.593527427855076, 11.427325850003735, 12.151748371618055, 14.147498890365696, 14.690959801044102), # 14 (14.914403045230168, 16.30238316720675, 15.376131244988068, 18.339942714889578, 16.441358929837293, 9.26261929399186, 12.227254722799401, 13.71062901695961, 17.96975157397571, 11.671544915435986, 12.411710940191071, 14.449999529374674, 15.00523748411101), # 15 (15.204744536991681, 16.609104814176213, 15.66542218906148, 18.685063366041145, 16.755647058531732, 9.436918875554335, 12.457184622342362, 13.968133297763139, 18.307829185773258, 11.891004767139194, 12.64531666634322, 14.721830199495905, 15.287650311237673), # 16 (15.46229233554412, 16.878914496927916, 15.919898234467764, 18.98864988045138, 17.033199667062142, 9.590241441974857, 12.659444335569138, 14.19464576713731, 18.605218914638375, 12.084054900591148, 12.850809085244478, 14.960947113382488, 15.536075164610265), # 17 (15.684973871120327, 17.10950583466924, 16.137384272495808, 19.248107505326846, 17.271709810733743, 9.721276751874406, 12.832304784372562, 14.388231080312417, 18.859379411961754, 12.249044811269659, 13.026431732064815, 15.165306483687544, 15.748388926414954), # 18 (15.870716573953118, 17.29857244660759, 16.315705194434525, 19.460841487874106, 17.468870544851786, 9.828714563873934, 12.974036890645431, 14.546953892518793, 19.067769329134048, 12.384323994652526, 13.170428141974206, 15.332864523064154, 15.922468478837914), # 19 (16.01744787427533, 17.44380795195034, 16.452685891572806, 19.624257075299766, 17.62237492472151, 9.91124463659443, 13.08291157628058, 14.668878858986748, 19.22784731754592, 12.488241946217535, 13.28104185014264, 15.461577444165426, 16.05619070406532), # 20 (16.123095202319785, 17.542905969904893, 16.54615125519955, 19.73575951481038, 17.729916005648143, 9.967556728656858, 13.157199763170816, 14.752070634946598, 19.337072028588036, 12.559148161442488, 13.356516391740096, 15.54940145964447, 16.147432484283325), # 21 (16.18558598831933, 17.59356011967863, 16.593926176603656, 19.79275405361254, 17.78918684293692, 9.996340598682188, 13.19517237320896, 14.794593875628664, 19.392902113651065, 12.595392135805188, 13.395095301936545, 15.594292782154383, 16.194070701678125), # 22 (16.208629381348224, 17.599557750342935, 16.599877091906723, 19.799889300411525, 17.804371289652156, 10.0, 13.199686403614942, 14.79919012345679, 19.399881975308645, 12.599667636031093, 13.399932859458785, 15.599836122542294, 16.2), # 23 (16.225619860854646, 17.59605925925926, 16.598903703703705, 19.799011111111113, 17.812972181783763, 10.0, 13.197206100217867, 14.7928, 19.398946666666667, 12.59704098765432, 13.39939932659933, 15.598538271604937, 16.2), # 24 (16.242251568338528, 17.589163237311386, 16.59698216735254, 19.797273662551444, 17.821383912951205, 10.0, 13.192318244170096, 14.78024691358025, 19.3970987654321, 12.591870141746686, 13.39834143908218, 15.595976223136716, 16.2), # 25 (16.258523230476854, 17.578975034293556, 16.594138820301787, 19.79469670781893, 17.82960618947377, 10.0, 13.185098749293955, 14.76176790123457, 19.39436197530864, 12.58424113397348, 13.396768774161368, 15.592185093735715, 16.2), # 26 (16.27443357394662, 17.5656, 16.5904, 19.7913, 17.837638717670742, 10.0, 13.175623529411766, 14.7376, 19.39076, 12.57424, 13.39469090909091, 15.587200000000003, 16.2), # 27 (16.2899813254248, 17.549143484224967, 16.585792043895747, 19.787103292181072, 17.845481203861443, 10.0, 13.163968498345842, 14.707980246913582, 19.386316543209876, 12.561952775491541, 13.39211742112483, 15.581056058527665, 16.2), # 28 (16.3051652115884, 17.52971083676269, 16.580341289437587, 19.78212633744856, 17.853133354365152, 10.0, 13.150209569918506, 14.673145679012345, 19.381055308641976, 12.547465496113398, 13.389057887517147, 15.57378838591678, 16.2), # 29 (16.319983959114396, 17.50740740740741, 16.574074074074073, 19.77638888888889, 17.860594875501178, 10.0, 13.13442265795207, 14.633333333333333, 19.375, 12.530864197530866, 13.385521885521886, 15.56543209876543, 16.2), # 30 (16.334436294679772, 17.482338545953365, 16.567016735253773, 19.76991069958848, 17.867865473588814, 10.0, 13.116683676268863, 14.588780246913581, 19.368174320987656, 12.512234915409238, 13.381518992393067, 15.556022313671699, 16.2), # 31 (16.34852094496153, 17.45460960219479, 16.55919561042524, 19.762711522633747, 17.874944854947355, 10.0, 13.097068538691198, 14.539723456790126, 19.360601975308644, 12.49166368541381, 13.377058785384712, 15.545594147233656, 16.2), # 32 (16.362236636636634, 17.424325925925924, 16.55063703703704, 19.75481111111111, 17.8818327258961, 10.0, 13.075653159041394, 14.486400000000001, 19.352306666666667, 12.469236543209878, 13.372150841750841, 15.534182716049381, 16.2), # 33 (16.375582096382097, 17.391592866941014, 16.541367352537723, 19.746229218106997, 17.888528792754347, 10.0, 13.052513451141776, 14.429046913580246, 19.343312098765438, 12.445039524462736, 13.36680473874548, 15.521823136716964, 16.2), # 34 (16.388556050874893, 17.356515775034293, 16.53141289437586, 19.736985596707818, 17.895032761841392, 10.0, 13.027725328814654, 14.367901234567903, 19.333641975308645, 12.419158664837678, 13.361030053622645, 15.508550525834478, 16.2), # 35 (16.40115722679201, 17.3192, 16.5208, 19.7271, 17.901344339476537, 10.0, 13.001364705882352, 14.303200000000002, 19.32332, 12.391680000000001, 13.354836363636364, 15.494400000000002, 16.2), # 36 (16.41338435081044, 17.27975089163237, 16.50955500685871, 19.71659218106996, 17.907463231979076, 10.0, 12.97350749616719, 14.23518024691358, 19.31236987654321, 12.362689565615, 13.348233246040657, 15.479406675811616, 16.2), # 37 (16.425236149607162, 17.238273799725654, 16.49770425240055, 19.70548189300412, 17.913389145668305, 10.0, 12.944229613491487, 14.164079012345681, 19.300815308641976, 12.332273397347967, 13.341230278089538, 15.4636056698674, 16.2), # 38 (16.436711349859177, 17.194874074074075, 16.485274074074077, 19.69378888888889, 17.919121786863524, 10.0, 12.913606971677561, 14.090133333333334, 19.288680000000003, 12.300517530864198, 13.333837037037037, 15.447032098765431, 16.2), # 39 (16.44780867824346, 17.149657064471878, 16.472290809327845, 19.6815329218107, 17.924660861884032, 10.0, 12.88171548454773, 14.013580246913584, 19.27598765432099, 12.267508001828991, 13.326063100137175, 15.429721079103798, 16.2), # 40 (16.458526861437004, 17.102728120713305, 16.458780795610426, 19.66873374485597, 17.930006077049125, 10.0, 12.848631065924312, 13.934656790123459, 19.262761975308642, 12.233330845907636, 13.317918044643973, 15.411707727480568, 16.2), # 41 (16.4688646261168, 17.054192592592596, 16.444770370370374, 19.655411111111114, 17.935157138678093, 10.0, 12.814429629629629, 13.8536, 19.24902666666667, 12.198072098765433, 13.30941144781145, 15.393027160493828, 16.2), # 42 (16.47882069895983, 17.00415582990398, 16.430285871056242, 19.641584773662554, 17.940113753090245, 10.0, 12.779187089486001, 13.770646913580249, 19.234805432098767, 12.161817796067673, 13.300552886893627, 15.373714494741657, 16.2), # 43 (16.488393806643085, 16.9527231824417, 16.4153536351166, 19.62727448559671, 17.944875626604873, 10.0, 12.742979359315743, 13.686034567901238, 19.220121975308643, 12.124653973479653, 13.291351939144532, 15.353804846822133, 16.2), # 44 (16.497582675843546, 16.900000000000002, 16.400000000000002, 19.6125, 17.949442465541274, 10.0, 12.705882352941178, 13.600000000000001, 19.205, 12.086666666666668, 13.281818181818181, 15.333333333333332, 16.2), # 45 (16.50638603323821, 16.846091632373113, 16.384251303155008, 19.59728106995885, 17.953813976218747, 10.0, 12.667971984184621, 13.512780246913582, 19.189463209876543, 12.04794191129401, 13.271961192168598, 15.312335070873344, 16.2), # 46 (16.514802605504055, 16.79110342935528, 16.36813388203018, 19.581637448559672, 17.957989864956588, 10.0, 12.629324166868395, 13.424612345679012, 19.173535308641977, 12.008565743026978, 13.261790547449806, 15.29084517604024, 16.2), # 47 (16.522831119318074, 16.735140740740743, 16.351674074074076, 19.565588888888893, 17.961969838074097, 10.0, 12.590014814814815, 13.335733333333335, 19.15724, 11.968624197530865, 13.251315824915824, 15.268898765432098, 16.2), # 48 (16.53047030135726, 16.67830891632373, 16.334898216735255, 19.549155144032923, 17.965753601890572, 10.0, 12.550119841846204, 13.246380246913581, 19.14060098765432, 11.928203310470966, 13.240546601820677, 15.246530955647007, 16.2), # 49 (16.537718878298588, 16.620713305898494, 16.31783264746228, 19.53235596707819, 17.969340862725304, 10.0, 12.50971516178488, 13.15679012345679, 19.12364197530864, 11.887389117512575, 13.22949245541838, 15.223776863283039, 16.2), # 50 (16.544575576819057, 16.56245925925926, 16.300503703703704, 19.515211111111114, 17.9727313268976, 10.0, 12.46887668845316, 13.0672, 19.10638666666667, 11.846267654320988, 13.218162962962964, 15.200671604938274, 16.2), # 51 (16.551039123595647, 16.503652126200276, 16.282937722908095, 19.497740329218107, 17.975924700726743, 10.0, 12.427680335673365, 12.977846913580246, 19.0888587654321, 11.8049249565615, 13.206567701708444, 15.177250297210794, 16.2), # 52 (16.55710824530535, 16.444397256515778, 16.26516104252401, 19.479963374485596, 17.978920690532046, 10.0, 12.386202017267813, 12.888967901234569, 19.071081975308644, 11.763447059899406, 13.194716248908842, 15.153548056698675, 16.2), # 53 (16.562781668625146, 16.384800000000002, 16.2472, 19.4619, 17.981719002632804, 10.0, 12.344517647058824, 12.800799999999999, 19.05308, 11.72192, 13.18261818181818, 15.1296, 16.2), # 54 (16.568058120232035, 16.324965706447188, 16.229080932784637, 19.443569958847736, 17.984319343348304, 10.0, 12.302703138868717, 12.71358024691358, 19.034876543209876, 11.68042981252858, 13.170283077690485, 15.10544124371285, 16.2), # 55 (16.572936326802996, 16.264999725651577, 16.210830178326475, 19.424993004115226, 17.986721418997856, 10.0, 12.26083440651981, 12.627545679012346, 19.016495308641975, 11.639062533150437, 13.157720513779774, 15.0811069044353, 16.2), # 56 (16.577415015015013, 16.205007407407408, 16.192474074074077, 19.40618888888889, 17.988924935900748, 10.0, 12.218987363834422, 12.542933333333336, 18.997960000000003, 11.597904197530866, 13.144940067340068, 15.056632098765432, 16.2), # 57 (16.581492911545087, 16.145094101508917, 16.174038957475997, 19.387177366255145, 17.99092960037628, 10.0, 12.177237924634875, 12.459980246913581, 18.979294320987655, 11.557040841335164, 13.131951315625393, 15.032051943301326, 16.2), # 58 (16.585168743070195, 16.085365157750342, 16.155551165980796, 19.367978189300413, 17.992735118743752, 10.0, 12.135662002743485, 12.378923456790124, 18.960521975308644, 11.516558500228626, 13.11876383588976, 15.007401554641062, 16.2), # 59 (16.588441236267325, 16.02592592592593, 16.137037037037036, 19.34861111111111, 17.99434119732246, 10.0, 12.094335511982571, 12.3, 18.94166666666667, 11.476543209876544, 13.105387205387206, 14.982716049382717, 16.2), # 60 (16.591309117813463, 15.966881755829906, 16.11852290809328, 19.329095884773665, 17.995747542431697, 10.0, 12.053334366174454, 12.223446913580247, 18.922752098765432, 11.437081005944217, 13.091831001371743, 14.958030544124373, 16.2), # 61 (16.593771114385607, 15.908337997256517, 16.100035116598082, 19.30945226337449, 17.996953860390775, 10.0, 12.01273447914145, 12.149501234567902, 18.903801975308642, 11.398257924096939, 13.078104801097394, 14.933380155464107, 16.2), # 62 (16.595825952660736, 15.8504, 16.0816, 19.289700000000003, 17.99795985751897, 10.0, 11.972611764705881, 12.078400000000002, 18.88484, 11.36016, 13.064218181818184, 14.9088, 16.2), # 63 (16.597472359315837, 15.793173113854596, 16.0632438957476, 19.26985884773663, 17.998765240135597, 10.0, 11.933042136690068, 12.010380246913583, 18.86588987654321, 11.322873269318702, 13.050180720788127, 14.884325194330135, 16.2), # 64 (16.5987090610279, 15.73676268861454, 16.04499314128944, 19.249948559670784, 17.999369714559947, 10.0, 11.894101508916325, 11.945679012345678, 18.846975308641976, 11.286483767718336, 13.036001995261257, 14.859990855052581, 16.2), # 65 (16.599534784473914, 15.681274074074077, 16.026874074074076, 19.22998888888889, 17.999772987111317, 10.0, 11.855865795206972, 11.884533333333335, 18.828120000000002, 11.251077530864197, 13.021691582491583, 14.835832098765435, 16.2), # 66 (16.59994825633087, 15.626812620027435, 16.00891303155007, 19.209999588477366, 17.99997476410901, 10.0, 11.81841090938433, 11.827180246913583, 18.809347654320987, 11.216740594421584, 13.007259059733137, 14.811884042066758, 16.2), # 67 (16.59966658316932, 15.573197822912517, 15.991049519890261, 19.189826784755773, 17.999804728475752, 9.99981441853376, 11.781624311727434, 11.77335016003658, 18.790540557841794, 11.183392706635466, 12.992457581664603, 14.788048035039589, 16.19980024005487), # 68 (16.597026731078905, 15.51879283154122, 15.97278148148148, 19.168453623188405, 17.99825708061002, 9.998347325102882, 11.744429090154583, 11.720158024691358, 18.770876543209877, 11.150090225127087, 12.975780542264753, 14.76355035737492, 16.198217592592595), # 69 (16.59181726009423, 15.463347935749368, 15.954029492455417, 19.14573939881911, 17.995198902606308, 9.995458009449779, 11.706656215298192, 11.667123914037496, 18.750244627343395, 11.116671239140375, 12.957038218441728, 14.738276418068494, 16.195091735253776), # 70 (16.584111457028687, 15.406896269746449, 15.93480013717421, 19.12171760601181, 17.990668926006617, 9.991193293705228, 11.668322655262381, 11.61426538637403, 18.728675537265662, 11.083136574948224, 12.936299793254179, 14.712244699540344, 16.190463820301783), # 71 (16.573982608695655, 15.349470967741935, 15.915099999999999, 19.096421739130435, 17.98470588235294, 9.985600000000002, 11.62944537815126, 11.5616, 18.706200000000003, 11.04948705882353, 12.913634449760767, 14.685473684210528, 16.184375), # 72 (16.561504001908514, 15.291105163945307, 15.894935665294923, 19.069885292538917, 17.977348503187283, 9.978724950464867, 11.590041352068948, 11.50914531321445, 18.682848742569732, 11.01572351703919, 12.889111371020142, 14.65798185449907, 16.1768664266118), # 73 (16.546748923480646, 15.231831992566043, 15.874313717421124, 19.04214176060118, 17.96863552005164, 9.970614967230606, 11.550127545119556, 11.456918884316416, 18.658652491998172, 10.9818467758681, 12.86279974009097, 14.629787692826028, 16.167979252400553), # 74 (16.52979066022544, 15.171684587813619, 15.85324074074074, 19.01322463768116, 17.95860566448802, 9.961316872427986, 11.509720925407201, 11.404938271604939, 18.63364197530864, 10.947857661583152, 12.834768740031897, 14.600909681611435, 16.157754629629633), # 75 (16.510702498956285, 15.11069608389752, 15.831723319615913, 18.98316741814278, 17.94729766803841, 9.950877488187778, 11.468838461035993, 11.353221033379059, 18.607847919524463, 10.913757000457247, 12.805087553901586, 14.571366303275333, 16.146233710562413), # 76 (16.48955772648655, 15.048899615027217, 15.809768038408777, 18.95200359634997, 17.934750262244815, 9.939343636640757, 11.427497120110047, 11.301784727937816, 18.581301051668955, 10.87954561876328, 12.7738253647587, 14.54117604023777, 16.13345764746228), # 77 (16.46642962962963, 14.98632831541219, 15.787381481481482, 18.919766666666668, 17.92100217864924, 9.926762139917695, 11.38571387073348, 11.250646913580248, 18.55403209876543, 10.845224342774147, 12.741051355661883, 14.510357374918781, 16.119467592592596), # 78 (16.441391495198904, 14.923015319261916, 15.76457023319616, 18.88649012345679, 17.906092148793675, 9.913179820149367, 11.343505681010402, 11.199825148605397, 18.52607178783722, 10.810793998762742, 12.706834709669796, 14.478928789738408, 16.104304698216733), # 79 (16.414516610007755, 14.858993760785877, 15.74134087791495, 18.852207461084273, 17.890058904220126, 9.898643499466544, 11.30088951904493, 11.149336991312301, 18.497450845907636, 10.776255413001962, 12.671244609841102, 14.446908767116696, 16.08801011659808), # 80 (16.385878260869568, 14.79429677419355, 15.7177, 18.816952173913048, 17.872941176470587, 9.8832, 11.257882352941177, 11.099200000000002, 18.4682, 10.741609411764706, 12.63435023923445, 14.414315789473685, 16.070625), # 81 (16.355549734597723, 14.728957493694413, 15.693654183813445, 18.780757756307032, 17.854777697087066, 9.866896143880508, 11.214501150803258, 11.049431732967536, 18.43834997713763, 10.706856821323866, 12.596220780908501, 14.381168339229419, 16.052190500685874), # 82 (16.323604318005607, 14.663009053497943, 15.669210013717422, 18.743657702630166, 17.835607197611555, 9.849778753238837, 11.170762880735285, 11.000049748513947, 18.40793150434385, 10.671998467952339, 12.55692541792191, 14.34748489880394, 16.03274777091907), # 83 (16.290115297906603, 14.59648458781362, 15.644374074074074, 18.70568550724638, 17.815468409586057, 9.831894650205761, 11.126684510841374, 10.95107160493827, 18.376975308641974, 10.637035177923023, 12.516533333333333, 14.313283950617285, 16.012337962962963), # 84 (16.255155961114095, 14.529417230850923, 15.61915294924554, 18.666874664519593, 17.794400064552573, 9.813290656912057, 11.08228300922564, 10.902514860539554, 18.345512117055325, 10.60196777750881, 12.47511371020143, 14.2785839770895, 15.991002229080934), # 85 (16.21879959444146, 14.46184011681933, 15.593553223593966, 18.627258668813745, 17.772440894053094, 9.794013595488494, 11.037575343992193, 10.854397073616827, 18.313572656607228, 10.566797092982599, 12.432735731584856, 14.24340346064063, 15.968781721536352), # 86 (16.18111948470209, 14.393786379928315, 15.567581481481481, 18.586871014492754, 17.749629629629634, 9.774110288065843, 10.99257848324515, 10.806735802469136, 18.28118765432099, 10.531523950617284, 12.389468580542264, 14.207760883690709, 15.945717592592594), # 87 (16.142188918709373, 14.325289154387361, 15.541244307270233, 18.54574519592056, 17.726005002824177, 9.753627556774882, 10.947309395088626, 10.75954860539552, 18.248387837219937, 10.496149176685762, 12.345381440132318, 14.171674728659784, 15.921850994513035), # 88 (16.102081183276677, 14.256381574405948, 15.51454828532236, 18.503914707461085, 17.701605745178732, 9.732612223746381, 10.901785047626733, 10.712853040695016, 18.21520393232739, 10.460673597460932, 12.30054349341367, 14.135163477967897, 15.897223079561043), # 89 (16.06086956521739, 14.187096774193549, 15.4875, 18.461413043478263, 17.676470588235297, 9.711111111111112, 10.856022408963586, 10.666666666666666, 18.18166666666667, 10.425098039215687, 12.255023923444977, 14.098245614035088, 15.871875000000001), # 90 (16.0186273513449, 14.117467887959643, 15.460106035665294, 18.41827369833602, 17.650638263535864, 9.689171040999847, 10.810038447203299, 10.621007041609511, 18.14780676726109, 10.389423328222922, 12.208891913284896, 14.060939619281399, 15.845847908093276), # 91 (15.975427828472597, 14.047528049913716, 15.432372976680384, 18.374530166398284, 17.624147502622446, 9.666838835543363, 10.763850130449988, 10.57589172382259, 18.113654961133975, 10.353650290755535, 12.162216645992086, 14.023263976126877, 15.819182956104251), # 92 (15.931344283413848, 13.977310394265235, 15.404307407407408, 18.33021594202899, 17.597037037037037, 9.644161316872427, 10.717474426807762, 10.53133827160494, 18.079241975308644, 10.31777975308642, 12.1150673046252, 13.985237166991553, 15.791921296296294), # 93 (15.886450002982048, 13.906848055223684, 15.375915912208507, 18.285364519592058, 17.569345598321632, 9.621185307117818, 10.670928304380737, 10.487364243255604, 18.044598536808415, 10.281812541488476, 12.067513072242896, 13.946877674295479, 15.764104080932785), # 94 (15.840818273990577, 13.836174166998541, 15.347205075445817, 18.240009393451423, 17.541111918018238, 9.597957628410304, 10.62422873127303, 10.443987197073618, 18.00975537265661, 10.245749482234594, 12.019623131903835, 13.908203980458689, 15.735772462277092), # 95 (15.79452238325282, 13.765321863799286, 15.318181481481483, 18.194184057971015, 17.512374727668846, 9.574525102880658, 10.577392675588754, 10.401224691358026, 17.974743209876543, 10.209591401597677, 11.971466666666668, 13.869234567901238, 15.706967592592594), # 96 (15.747635617582157, 13.694324279835394, 15.28885171467764, 18.14792200751476, 17.483172758815464, 9.550934552659655, 10.530437105432021, 10.359094284407867, 17.939592775491544, 10.173339125850616, 11.923112859590052, 13.829987919043152, 15.677730624142663), # 97 (15.700231263791975, 13.623214549316343, 15.259222359396432, 18.101256736446594, 17.453544743000084, 9.52723279987807, 10.48337898890695, 10.317613534522177, 17.904334796524918, 10.136993481266307, 11.87463089373265, 13.790482516304477, 15.648102709190674), # 98 (15.652382608695653, 13.552025806451613, 15.229300000000002, 18.054221739130437, 17.423529411764708, 9.503466666666666, 10.43623529411765, 10.276800000000001, 17.869, 10.100555294117648, 11.826089952153112, 13.750736842105264, 15.618125000000001), # 99 (15.60416293910658, 13.480791185450682, 15.19909122085048, 18.00685050993022, 17.393165496651335, 9.479682975156226, 10.389022989168232, 10.236671239140376, 17.833619112940102, 10.064025390677534, 11.777559217910095, 13.710769378865548, 15.58783864883402), # 100 (15.555645541838135, 13.409543820523034, 15.168602606310015, 17.959176543209878, 17.36249172920197, 9.455928547477518, 10.34175904216282, 10.19724481024234, 17.798222862368544, 10.027404597218862, 11.72910787406226, 13.670598609005365, 15.557284807956103), # 101 (15.506903703703706, 13.338316845878138, 15.13784074074074, 17.911233333333335, 17.331546840958605, 9.432250205761319, 10.294460421205521, 10.15853827160494, 17.762841975308643, 9.990693740014526, 11.680805103668263, 13.63024301494477, 15.526504629629631), # 102 (15.458010711516671, 13.267143395725476, 15.1068122085048, 17.86305437466452, 17.300369563463246, 9.408694772138395, 10.247144094400449, 10.120569181527207, 17.72750717878372, 9.953893645337423, 11.632720089786758, 13.589721079103796, 15.495539266117968), # 103 (15.409039852090416, 13.196056604274526, 15.075523593964334, 17.814673161567367, 17.268998628257886, 9.385309068739522, 10.199827029851722, 10.083355098308186, 17.692249199817102, 9.91700513946045, 11.584922015476401, 13.549051283902486, 15.464429869684501), # 104 (15.360064412238325, 13.125089605734766, 15.043981481481481, 17.766123188405796, 17.237472766884533, 9.362139917695474, 10.152526195663453, 10.046913580246915, 17.6570987654321, 9.880029048656501, 11.537480063795854, 13.508252111760886, 15.433217592592593), # 105 (15.311157678773782, 13.054275534315678, 15.012192455418381, 17.717437949543747, 17.205830710885177, 9.339234141137021, 10.105258559939752, 10.011262185642433, 17.622086602652033, 9.842966199198472, 11.490463417803769, 13.46734204509903, 15.401943587105624), # 106 (15.26239293851017, 12.983647524226738, 14.980163100137176, 17.66865093934514, 17.174111191801824, 9.31663856119494, 10.058041090784739, 9.976418472793783, 17.58724343850023, 9.805817417359263, 11.443941260558804, 13.426339566336967, 15.370649005486968), # 107 (15.21384347826087, 12.913238709677422, 14.947900000000002, 17.619795652173917, 17.14235294117647, 9.294400000000001, 10.010890756302521, 9.942400000000001, 17.5526, 9.768583529411766, 11.397982775119617, 13.38526315789474, 15.339375000000002), # 108 (15.16558258483927, 12.843082224877207, 14.915409739369, 17.570905582393987, 17.11059469055112, 9.272565279682976, 9.96382452459722, 9.90922432556013, 17.518187014174668, 9.731265361628877, 11.352657144544864, 13.34413130219238, 15.308162722908094), # 109 (15.117683545058746, 12.77321120403558, 14.882698902606315, 17.522014224369297, 17.078875171467768, 9.251181222374639, 9.916859363772943, 9.876909007773206, 17.484035208047555, 9.693863740283494, 11.308033551893201, 13.302962481649942, 15.277053326474624), # 110 (15.07021964573269, 12.703658781362009, 14.849774074074077, 17.47315507246377, 17.047233115468412, 9.230294650205762, 9.87001224193381, 9.845471604938272, 17.450175308641978, 9.656379491648512, 11.264181180223286, 13.261775178687461, 15.246087962962964), # 111 (15.02326417367448, 12.634458091065975, 14.816641838134434, 17.42436162104133, 17.015707254095055, 9.209952385307119, 9.823300127183934, 9.814929675354367, 17.41663804298125, 9.618813441996826, 11.221169212593775, 13.220587875724977, 15.215307784636488), # 112 (14.976806757924871, 12.565757790057525, 14.78338852520331, 17.375734211987265, 16.98428108827793, 9.190191630743222, 9.776841541850832, 9.78536411004897, 17.383540498013794, 9.581287578580367, 11.179078249844586, 13.179508698407085, 15.184710241349155), # 113 (14.930369436640104, 12.498235493640857, 14.75047308003459, 17.327663074043738, 16.952629367306123, 9.170967373647843, 9.731229133456928, 9.757138015208191, 17.351390457140898, 9.544504268660452, 11.137990939381115, 13.13905947538076, 15.154040662656056), # 114 (14.883815844806392, 12.431915517892875, 14.717915092331708, 17.280135208290847, 16.920652284621763, 9.152229619998023, 9.6864954403065, 9.730244246845935, 17.320199965870064, 9.508520524780923, 11.09784721828335, 13.099260132094162, 15.123210610656603), # 115 (14.837087797180216, 12.366701250066724, 14.685651503974197, 17.233065840426246, 16.888301642214046, 9.133934203659356, 9.64256770804463, 9.70460850063839, 17.28989014276453, 9.473269373519276, 11.05856949003437, 13.060037115979753, 15.092171615609425), # 116 (14.790127108518035, 12.302496077415555, 14.653619256841578, 17.18637019614759, 16.855529242072176, 9.116036958497425, 9.599373182316404, 9.680156472261736, 17.260382106387524, 9.438683841453006, 11.020080158117253, 13.021316874470001, 15.06087520777316), # 117 (14.742875593576338, 12.239203387192518, 14.621755292813388, 17.139963501152533, 16.82228688618535, 9.098493718377823, 9.556839108766905, 9.656813857392155, 17.231596975302296, 9.404696955159615, 10.98230162601508, 12.98302585499736, 15.02927291740644), # 118 (14.695275067111588, 12.176726566650768, 14.589996553769158, 17.09376098113873, 16.788526376542755, 9.081260317166132, 9.51489273304121, 9.634506351705832, 17.20345586807207, 9.371241741216595, 10.945156297210925, 12.945090504994296, 14.997316274767892), # 119 (14.647267343880259, 12.114969003043454, 14.55827998158842, 17.04767786180383, 16.754199515133596, 9.064292588727945, 9.473461300784406, 9.613159650878949, 17.175879903260093, 9.338251226201448, 10.908566575187866, 12.907437271893276, 14.964956810116156), # 120 (14.59879423863883, 12.053834083623727, 14.5265425181507, 17.001629368845496, 16.71925810394707, 9.047546366928849, 9.432472057641569, 9.592699450587691, 17.148790199429598, 9.305658436691674, 10.872454863428986, 12.869992603126756, 14.932146053709857), # 121 (14.549797566143766, 11.993225195644738, 14.494721105335538, 16.95553072796137, 16.683653944972374, 9.03097748563443, 9.391852249257788, 9.573051446508238, 17.122107875143822, 9.273396399264763, 10.836743565417363, 12.832682946127202, 14.898835535807633), # 122 (14.50021914115155, 11.933045726359639, 14.462752685022458, 16.90929716484911, 16.647338840198707, 9.01454177871028, 9.351529121278142, 9.554141334316773, 17.095754048966008, 9.24139814049822, 10.801355084636072, 12.795434748327075, 14.864976786668116), # 123 (14.450000778418648, 11.87319906302158, 14.430574199090993, 16.86284390520638, 16.61026459161526, 8.998195080021983, 9.311429919347711, 9.535894809689482, 17.069649839459384, 9.209596686969538, 10.766211824568192, 12.758174457158841, 14.830521336549939), # 124 (14.399084292701534, 11.813588592883713, 14.398122589420678, 16.816086174730817, 16.572383001211236, 8.98189322343513, 9.271481889111582, 9.518237568302546, 17.04371636518719, 9.177925065256215, 10.731236188696803, 12.720828520054958, 14.795420715711726), # 125 (14.347411498756685, 11.754117703199192, 14.365334797891038, 16.768939199120087, 16.53364587097583, 8.965592042815308, 9.231612276214832, 9.501095305832148, 17.017874744712667, 9.146316301935748, 10.696350580504982, 12.683323384447895, 14.759626454412127), # 126 (14.294924211340579, 11.69468978122116, 14.332147766381608, 16.72131820407184, 16.494005002898238, 8.949247372028104, 9.19174832630255, 9.484393717954474, 16.99204609659905, 9.114703423585638, 10.661477403475807, 12.645585497770107, 14.723090082909758), # 127 (14.241564245209673, 11.635208214202777, 14.29849843677192, 16.67313841528373, 16.453412198967666, 8.93281504493911, 9.151817285019812, 9.4680585003457, 16.966151539409577, 9.083019456783381, 10.626539061092359, 12.607541307454062, 14.68576313146326), # 128 (14.187273415120451, 11.575576389397186, 14.264323750941504, 16.624315058453412, 16.4118192611733, 8.916250895413912, 9.111746398011702, 9.452015348682016, 16.94011219170748, 9.051197428106473, 10.591457956837715, 12.569117260932218, 14.647597130331262), # 129 (14.131993535829388, 11.515697694057547, 14.229560650769887, 16.57476335927854, 16.36917799150434, 8.899510757318094, 9.0714629109233, 9.4361899586396, 16.913849172056, 9.019170364132412, 10.556156494194951, 12.530239805637045, 14.608543609772397), # 130 (14.07566642209295, 11.455475515437003, 14.19414607813661, 16.524398543456762, 16.32544019194999, 8.88255046451725, 9.030894069399695, 9.42050802589464, 16.887283599018378, 8.986871291438696, 10.52055707664715, 12.490835389000999, 14.568554100045299), # 131 (14.018233888667616, 11.39481324078871, 14.158016974921194, 16.47313583668574, 16.280557664499447, 8.865325850876964, 8.98996711908596, 9.404895246123317, 16.860336591157846, 8.954233236602823, 10.484582107677383, 12.450830458456547, 14.527580131408602), # 132 (13.959637750309861, 11.333614257365817, 14.121110283003175, 16.420890464663124, 16.2344822111419, 8.847792750262826, 8.948609305627183, 9.389277315001811, 16.832929267037642, 8.921189226202292, 10.448153990768738, 12.410151461436149, 14.485573234120938), # 133 (13.899819821776152, 11.271781952421478, 14.083362944262086, 16.367577653086567, 16.18716563386655, 8.829906996540425, 8.906747874668445, 9.37357992820631, 16.804982745221007, 8.887672286814597, 10.411195129404286, 12.368724845372267, 14.442484938440934), # 134 (13.838721917822966, 11.209219713208839, 14.044711900577454, 16.313112627653727, 16.138559734662593, 8.811624423575347, 8.86431007185483, 9.357728781412993, 16.77641814427117, 8.853615445017242, 10.373627927067108, 12.326477057697364, 14.398266774627231), # 135 (13.776285853206776, 11.145830926981056, 14.005094093828815, 16.25741061406225, 16.08861631551923, 8.792900865233184, 8.821223142831416, 9.341649570298044, 16.74715658275137, 8.818951727387716, 10.335374787240283, 12.283334545843907, 14.352870272938459), # 136 (13.712453442684055, 11.081518980991277, 13.964446465895698, 16.200386838009802, 16.037287178425654, 8.773692155379518, 8.77741433324329, 9.325267990537647, 16.717119179224852, 8.783614160503523, 10.296358113406889, 12.239223757244352, 14.306246963633242), # 137 (13.647166501011277, 11.016187262492654, 13.922705958657628, 16.141956525194022, 15.98452412537107, 8.753954127879942, 8.732810888735527, 9.308509737807984, 16.68622705225485, 8.747535770942156, 10.256500309050004, 12.194071139331164, 14.258348376970226), # 138 (13.58036684294491, 10.949739158738339, 13.879809513994145, 16.082034901312575, 15.930278958344665, 8.733642616600042, 8.687340054953216, 9.29130050778524, 16.654401320404595, 8.710649585281116, 10.215723777652705, 12.14780313953681, 14.20912604320803), # 139 (13.511996283241437, 10.88207805698148, 13.83569407378478, 16.020537192063113, 15.874503479335647, 8.712713455405407, 8.640929077541434, 9.273565996145594, 16.62156310223733, 8.672888630097898, 10.17395092269807, 12.100346205293746, 14.158531492605304), # 140 (13.44199663665733, 10.813107344475235, 13.790296579909057, 15.957378623143285, 15.817149490333206, 8.691122478161624, 8.593505202145272, 9.255231898565233, 16.587633516316288, 8.634185931970002, 10.131104147669182, 12.05162678403444, 14.106516255420662), # 141 (13.37030971794905, 10.742730408472745, 13.743553974246513, 15.892474420250753, 15.75816879332654, 8.668825518734284, 8.544995674409803, 9.236223910720339, 16.552533681204707, 8.594474517474925, 10.087105856049115, 12.001571323191351, 14.053031861912746), # 142 (13.29687734187308, 10.67085063622717, 13.695403198676681, 15.82573980908316, 15.697513190304846, 8.64577841098897, 8.49532773998011, 9.21646772828709, 16.516184715465837, 8.553687413190165, 10.04187845132095, 11.950106270196944, 13.998029842340188), # 143 (13.221641323185896, 10.597371414991658, 13.645781195079085, 15.757090015338171, 15.635134483257326, 8.621936988791274, 8.444428644501278, 9.195889046941678, 16.478507737662895, 8.511757645693216, 9.995344336967761, 11.897158072483679, 13.941461726961624), # 144 (13.144543476643964, 10.52219613201936, 13.594624905333262, 15.686440264713433, 15.570984474173173, 8.597257086006785, 8.39222563361839, 9.174413562360282, 16.439423866359128, 8.46861824156158, 9.947425916472632, 11.842653177484022, 13.88327904603568), # 145 (13.065525617003761, 10.445228174563427, 13.541871271318747, 15.613705782906601, 15.505014965041589, 8.57169453650109, 8.338645952976528, 9.151966970219084, 16.39885422011777, 8.424202227372753, 9.898045593318638, 11.786518032630433, 13.82343332982099), # 146 (12.98452955902176, 10.366370929877009, 13.487457234915055, 15.538801795615328, 15.437177757851764, 8.545205174139772, 8.28361684822077, 9.128474966194265, 16.356719917502065, 8.378442629704233, 9.847125770988859, 11.728679085355378, 13.761876108576189), # 147 (12.901497117454435, 10.285527785213262, 13.431319738001733, 15.461643528537275, 15.367424654592899, 8.517744832788429, 8.227065564996202, 9.103863245962012, 16.312942077075245, 8.331272475133515, 9.794588852966372, 11.669062783091313, 13.698558912559907), # 148 (12.81637010705826, 10.20260212782533, 13.37339572245831, 15.382146207370084, 15.295707457254194, 8.48926934631264, 8.168919348947906, 9.078057505198506, 16.26744181740054, 8.282624790238101, 9.740357242734255, 11.607595573270707, 13.63343327203078), # 149 (12.729090342589704, 10.117497344966367, 13.313622130164312, 15.30022505781142, 15.221977967824841, 8.459734548577998, 8.109105445720962, 9.05098343957993, 16.220140257041205, 8.232432601595482, 9.684353343775589, 11.544203903326022, 13.566450717247434), # 150 (12.63959963880524, 10.030116823889527, 13.251935902999268, 15.215795305558927, 15.146187988294043, 8.429096273450089, 8.047551100960453, 9.02256674478247, 16.170958514560464, 8.180628935783165, 9.626499559573448, 11.478814220689715, 13.49756277846851), # 151 (12.54783981046135, 9.940363951847957, 13.188273982842723, 15.128772176310271, 15.06828932065099, 8.397310354794502, 7.984183560311464, 8.992733116482306, 16.119817708521552, 8.12714681937864, 9.566718293610915, 11.411352972794255, 13.426720985952636), # 152 (12.453752672314497, 9.848142116094811, 13.12257331157419, 15.039070895763093, 14.988233766884889, 8.364332626476825, 7.918930069419071, 8.96140825035562, 16.06663895748772, 8.071919278959406, 9.504931949371066, 11.341746607072103, 13.353876869958444), # 153 (12.357280039121166, 9.75335470388324, 13.054770831073213, 14.946606689615056, 14.905973128984929, 8.330118922362647, 7.851717873928365, 8.928517842078596, 16.011343380022186, 8.014879341102965, 9.44106293033698, 11.26992157095572, 13.278981960744572), # 154 (12.258363725637818, 9.655905102466392, 12.984803483219322, 14.851294783563805, 14.821459208940315, 8.294625076317555, 7.782474219484418, 8.893987587327418, 15.953852094688205, 7.955960032386807, 9.375033639991733, 11.195804311877572, 13.201987788569642), # 155 (12.15694554662093, 9.555696699097421, 12.912608209892042, 14.753050403307, 14.734643808740238, 8.257806922207138, 7.71112635173232, 8.85774318177827, 15.894086220049003, 7.8950943793884365, 9.306766481818407, 11.119321277270117, 13.122845883692296), # 156 (12.05296731682698, 9.452632881029478, 12.838121952970909, 14.6517887745423, 14.645478730373895, 8.219620293896982, 7.637601516317151, 8.819710321107332, 15.831966874667822, 7.832215408685347, 9.236183859300079, 11.04039891456582, 13.041507776371162), # 157 (11.943489514248384, 9.344724993235614, 12.75774712624377, 14.54363133064199, 14.549889769393596, 8.177639162107376, 7.560170753484572, 8.777275123758995, 15.762659346558557, 7.76538546606583, 9.160953204062308, 10.956159302710944, 12.954377375064553), # 158 (11.811658827165445, 9.220904511359164, 12.65078050944478, 14.406363454061527, 14.424306095650605, 8.117903436811366, 7.469140421417146, 8.715541652423012, 15.658283617955432, 7.683649590557993, 9.06786709699039, 10.850180037892974, 12.840684235072311), # 159 (11.655795351846896, 9.080154765665142, 12.515073532729422, 14.237724016654177, 14.266272210154874, 8.038946073676295, 7.363589997414055, 8.632958703243755, 15.515880363565842, 7.58592904298063, 8.955615213775264, 10.720803118220555, 12.69827297422973), # 160 (11.477155287337537, 8.92339338892875, 12.352075155056495, 14.039316006010765, 14.077428998851381, 7.941723586512502, 7.244290313611002, 8.530560852975649, 15.337327627198428, 7.473053109073501, 8.825186647359532, 10.569227950252113, 12.528598471710556), # 161 (11.27699483268217, 8.751538013925183, 12.163234335384793, 13.812742409722123, 13.859417347685127, 7.827192489130329, 7.112012202143695, 8.409382678373124, 15.12450345266182, 7.3458510745763705, 8.677570490685794, 10.39665394054607, 12.333115606688533), # 162 (11.056570186925597, 8.565506273429639, 11.950000032673124, 13.559606215379095, 13.613878142601102, 7.696309295340116, 6.967526495147841, 8.2704587561906, 14.87928588376465, 7.205152225229, 8.513755836696653, 10.204280495660853, 12.113279258337407), # 163 (10.817137549112616, 8.366215800217313, 11.713821205880283, 13.281510410572508, 13.342452269544303, 7.550030518952207, 6.811604024759146, 8.114823663182511, 14.603552964315558, 7.05178584677115, 8.334731778334714, 9.993307022154886, 11.870544305830926), # 164 (10.559953118288028, 8.154584227063411, 11.45614681396507, 12.980057982893204, 13.046780614459719, 7.389312673776939, 6.6450156231133155, 7.943511976103274, 14.299182738123168, 6.8865812249425815, 8.141487408542579, 9.764932926586592, 11.606365628342832), # 165 (10.286273093496636, 7.931529186743127, 11.178425815886285, 12.656851919932002, 12.728504063292343, 7.215112273624654, 6.468532122346058, 7.757558271707324, 13.968053248996117, 6.71036764548306, 7.935011820262847, 9.520357615514403, 11.322198105046873), # 166 (9.997353673783238, 7.6979683120316595, 10.882107170602728, 12.31349520927975, 12.389263501987168, 7.028385832305694, 6.28292435459308, 7.557997126749083, 13.61204254074304, 6.523974394132343, 7.716294106438124, 9.260780495496734, 11.019496615116793), # 167 (9.694451058192634, 7.454819235704206, 10.568639837073198, 11.951590838527274, 12.030699816489188, 6.830089863630398, 6.088963151990087, 7.345863117982976, 13.233028657172568, 6.328230756630195, 7.48632336001101, 8.987400973092019, 10.69971603772634), # 168 (9.378821445769624, 7.202999590535967, 10.239472774256495, 11.572741795265413, 11.654453892743392, 6.621180881409112, 5.887419346672787, 7.122190822163432, 12.832889642093342, 6.123966018716379, 7.24608867392411, 8.701418454858675, 10.364311252049257), # 169 (9.051721035559014, 6.94342700930214, 9.896054941111416, 11.178551067084992, 11.262166616694774, 6.402615399452171, 5.679063770776885, 6.888014816044876, 12.413503539313982, 5.912009466130653, 6.996579141120026, 8.404032347355134, 10.014737137259289), # 170 (8.7144060266056, 6.677019124777921, 9.539835296596765, 10.770621641576858, 10.85547887428833, 6.175349931569918, 5.464667256438089, 6.644369676381733, 11.976748392643131, 5.693190384612782, 6.738783854541357, 8.096442057139818, 9.652448572530185), # 171 (8.368132617954185, 6.4046935697385114, 9.172262799671339, 10.350556506331834, 10.436031551469046, 5.940340991572694, 5.245000635792105, 6.392289979928433, 11.524502245889417, 5.468338059902528, 6.473691907130711, 7.779846990771154, 9.278900437035686), # 172 (8.014157008649567, 6.127367976959108, 8.79478640929394, 9.919958648940762, 10.005465534181923, 5.69854509327084, 5.02083474097464, 6.132810303439398, 11.058643142861477, 5.238281777739651, 6.202292391830685, 7.45544655480756, 8.89554760994954), # 173 (7.6537353977365505, 5.845959979214909, 8.408855084423363, 9.480431056994465, 9.565421708371947, 5.450918750474696, 4.792940404121401, 5.866965223669057, 10.581049127367942, 5.003850823863915, 5.9255744015838845, 7.124440155807469, 8.503844970445494), # 174 (7.288123984259929, 5.561387209281111, 8.015917784018413, 9.033576718083788, 9.11754095998411, 5.198418476994606, 4.562088457368093, 5.595789317371834, 10.09359824321745, 4.765874484015079, 5.644527029332911, 6.788027200329303, 8.105247397697292), # 175 (6.91857896726451, 5.274567299932917, 7.617423467037885, 8.58099861979956, 8.663464174963408, 4.942000786640907, 4.329049732850424, 5.3203171613021585, 9.598168534218628, 4.525182043932907, 5.360139368020368, 6.447407094931487, 7.701209770878679), # 176 (6.546356545795092, 4.986417883945522, 7.214821092440582, 8.124299749732613, 8.204832239254838, 4.682622193223941, 4.094595062704101, 5.0415833322144525, 9.096638044180112, 4.282602789357159, 5.073400510588858, 6.103779246172446, 7.2931869691634), # 177 (6.172712918896475, 4.697856594094126, 6.809559619185302, 7.665083095473786, 7.743286038803382, 4.421239210554052, 3.859495279064828, 4.760622406863145, 8.590884816910537, 4.0389660060276, 4.78529954998098, 5.758343060610604, 6.882633871725203), # 178 (0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0), # 179 ) passenger_arriving_acc = ( (11, 2, 10, 9, 2, 7, 2, 5, 2, 1, 1, 0, 0, 9, 8, 6, 8, 2, 5, 1, 5, 4, 1, 1, 1, 0), # 0 (20, 14, 19, 18, 10, 9, 3, 9, 4, 1, 2, 2, 0, 17, 14, 14, 13, 4, 10, 8, 8, 7, 2, 1, 3, 0), # 1 (24, 17, 27, 28, 17, 14, 4, 15, 8, 5, 3, 2, 0, 32, 24, 18, 21, 8, 15, 11, 10, 12, 3, 3, 4, 0), # 2 (33, 29, 31, 39, 22, 19, 7, 19, 10, 6, 4, 3, 0, 39, 37, 27, 24, 20, 22, 14, 12, 14, 5, 4, 5, 0), # 3 (42, 42, 39, 46, 29, 20, 12, 26, 11, 7, 5, 5, 0, 46, 46, 30, 31, 28, 25, 19, 14, 17, 8, 6, 6, 0), # 4 (54, 49, 47, 54, 38, 22, 17, 32, 13, 9, 10, 5, 0, 50, 51, 39, 38, 38, 31, 20, 17, 25, 10, 10, 11, 0), # 5 (70, 63, 61, 65, 43, 27, 24, 37, 13, 10, 10, 5, 0, 60, 63, 47, 42, 46, 38, 24, 18, 27, 14, 12, 13, 0), # 6 (77, 70, 79, 75, 53, 32, 29, 40, 19, 14, 11, 6, 0, 69, 70, 61, 48, 56, 45, 29, 20, 30, 16, 16, 14, 0), # 7 (94, 86, 91, 87, 62, 33, 36, 45, 24, 17, 12, 6, 0, 84, 81, 66, 56, 68, 48, 38, 25, 34, 22, 17, 15, 0), # 8 (107, 98, 102, 97, 75, 39, 39, 47, 28, 21, 15, 7, 0, 98, 90, 72, 68, 74, 54, 40, 29, 40, 29, 19, 16, 0), # 9 (124, 113, 113, 112, 85, 41, 46, 53, 38, 23, 15, 8, 0, 116, 106, 84, 73, 80, 63, 46, 29, 46, 38, 23, 17, 0), # 10 (133, 124, 126, 125, 91, 43, 53, 59, 41, 24, 20, 8, 0, 130, 119, 92, 79, 92, 74, 50, 30, 52, 40, 25, 18, 0), # 11 (143, 142, 135, 136, 98, 47, 58, 63, 49, 28, 20, 9, 0, 142, 132, 99, 86, 110, 80, 53, 38, 56, 42, 28, 18, 0), # 12 (153, 154, 142, 145, 105, 50, 65, 70, 55, 30, 22, 11, 0, 157, 153, 109, 96, 122, 85, 59, 40, 58, 42, 30, 20, 0), # 13 (176, 171, 148, 171, 121, 53, 74, 77, 58, 32, 24, 12, 0, 174, 164, 124, 106, 131, 89, 66, 45, 60, 46, 31, 21, 0), # 14 (188, 181, 158, 191, 130, 57, 85, 83, 65, 37, 27, 14, 0, 196, 180, 138, 115, 143, 97, 69, 49, 68, 52, 32, 23, 0), # 15 (202, 195, 168, 206, 139, 60, 89, 88, 68, 38, 28, 15, 0, 210, 197, 153, 127, 154, 100, 73, 55, 71, 58, 35, 24, 0), # 16 (226, 207, 176, 215, 153, 68, 94, 94, 73, 40, 30, 16, 0, 225, 212, 160, 138, 169, 105, 85, 61, 72, 64, 38, 25, 0), # 17 (247, 225, 189, 232, 169, 74, 104, 100, 76, 44, 32, 18, 0, 237, 230, 173, 146, 177, 113, 90, 66, 75, 72, 39, 28, 0), # 18 (262, 235, 198, 245, 182, 81, 110, 111, 82, 46, 33, 18, 0, 259, 243, 182, 155, 192, 122, 96, 73, 81, 75, 39, 28, 0), # 19 (277, 247, 212, 250, 191, 87, 116, 122, 84, 47, 34, 20, 0, 278, 252, 192, 164, 205, 132, 102, 77, 87, 79, 43, 29, 0), # 20 (295, 270, 224, 267, 201, 92, 119, 130, 89, 50, 35, 21, 0, 293, 261, 202, 176, 221, 138, 109, 79, 95, 84, 45, 30, 0), # 21 (315, 287, 237, 284, 209, 101, 128, 136, 96, 53, 35, 21, 0, 309, 274, 216, 182, 234, 146, 116, 83, 102, 85, 45, 32, 0), # 22 (327, 303, 256, 298, 225, 109, 133, 145, 99, 54, 37, 22, 0, 337, 286, 224, 190, 255, 162, 118, 89, 107, 90, 49, 36, 0), # 23 (345, 321, 271, 315, 242, 116, 141, 150, 102, 57, 40, 24, 0, 361, 306, 240, 201, 271, 169, 126, 92, 112, 92, 53, 37, 0), # 24 (360, 339, 285, 331, 260, 126, 143, 153, 107, 59, 42, 25, 0, 377, 319, 250, 212, 284, 179, 134, 98, 118, 93, 55, 41, 0), # 25 (379, 358, 301, 345, 274, 136, 150, 159, 117, 60, 45, 25, 0, 388, 335, 261, 220, 304, 185, 138, 106, 121, 102, 58, 44, 0), # 26 (392, 377, 317, 359, 290, 140, 156, 165, 120, 62, 46, 27, 0, 406, 349, 273, 232, 316, 193, 150, 109, 127, 108, 61, 44, 0), # 27 (405, 394, 329, 375, 300, 143, 160, 167, 126, 65, 50, 27, 0, 417, 367, 282, 240, 330, 198, 153, 118, 130, 114, 65, 46, 0), # 28 (431, 411, 342, 392, 307, 146, 165, 170, 131, 68, 50, 28, 0, 438, 384, 289, 252, 347, 211, 159, 122, 139, 115, 69, 49, 0), # 29 (453, 432, 352, 411, 328, 150, 167, 179, 137, 71, 50, 30, 0, 456, 393, 299, 267, 357, 225, 165, 128, 144, 120, 70, 51, 0), # 30 (468, 449, 359, 431, 339, 154, 170, 190, 140, 77, 51, 31, 0, 470, 407, 307, 274, 368, 235, 173, 132, 150, 121, 71, 52, 0), # 31 (485, 463, 370, 446, 353, 159, 180, 198, 148, 82, 53, 31, 0, 489, 425, 317, 280, 376, 240, 178, 139, 152, 127, 75, 53, 0), # 32 (502, 470, 387, 461, 368, 166, 186, 204, 152, 87, 58, 35, 0, 505, 438, 331, 290, 387, 251, 181, 143, 159, 132, 77, 54, 0), # 33 (522, 482, 394, 480, 375, 169, 194, 205, 158, 90, 60, 35, 0, 523, 452, 344, 295, 395, 261, 188, 147, 162, 135, 82, 56, 0), # 34 (535, 503, 405, 489, 386, 181, 201, 208, 163, 90, 64, 36, 0, 538, 466, 351, 304, 411, 269, 195, 149, 169, 139, 85, 58, 0), # 35 (556, 517, 419, 506, 399, 186, 205, 216, 171, 92, 67, 36, 0, 554, 482, 357, 317, 422, 276, 202, 153, 175, 143, 88, 61, 0), # 36 (567, 530, 429, 518, 409, 191, 215, 220, 177, 96, 70, 37, 0, 576, 494, 374, 323, 433, 286, 206, 157, 182, 148, 89, 62, 0), # 37 (582, 546, 439, 529, 421, 200, 221, 223, 183, 96, 70, 37, 0, 595, 510, 382, 331, 445, 296, 212, 163, 189, 155, 90, 64, 0), # 38 (602, 558, 455, 544, 433, 204, 227, 231, 184, 100, 72, 40, 0, 609, 524, 392, 338, 454, 305, 217, 168, 191, 160, 92, 64, 0), # 39 (618, 567, 469, 559, 443, 217, 230, 237, 194, 103, 74, 42, 0, 620, 536, 399, 348, 465, 315, 226, 170, 197, 163, 93, 65, 0), # 40 (632, 586, 486, 570, 447, 224, 244, 244, 203, 105, 74, 44, 0, 637, 540, 409, 360, 481, 322, 236, 173, 205, 166, 95, 67, 0), # 41 (649, 598, 494, 580, 458, 231, 246, 247, 208, 106, 76, 44, 0, 656, 553, 425, 367, 500, 326, 242, 174, 208, 172, 95, 69, 0), # 42 (663, 613, 505, 594, 462, 241, 253, 248, 212, 108, 77, 48, 0, 674, 566, 436, 377, 510, 330, 245, 179, 215, 175, 96, 69, 0), # 43 (681, 630, 519, 608, 470, 245, 261, 259, 215, 111, 77, 51, 0, 688, 580, 446, 383, 522, 337, 252, 179, 221, 177, 98, 72, 0), # 44 (692, 646, 537, 621, 484, 249, 268, 266, 223, 115, 84, 52, 0, 708, 592, 457, 388, 538, 345, 262, 184, 232, 179, 100, 75, 0), # 45 (706, 669, 550, 638, 493, 254, 272, 269, 230, 117, 89, 55, 0, 727, 610, 463, 394, 558, 357, 268, 191, 236, 189, 102, 78, 0), # 46 (721, 686, 561, 650, 507, 258, 282, 281, 236, 120, 90, 58, 0, 744, 623, 477, 409, 570, 366, 272, 195, 244, 192, 105, 82, 0), # 47 (746, 704, 573, 659, 518, 264, 292, 291, 240, 123, 93, 59, 0, 756, 635, 482, 418, 581, 378, 282, 200, 251, 195, 105, 82, 0), # 48 (766, 720, 589, 679, 527, 272, 294, 294, 250, 124, 95, 61, 0, 770, 645, 496, 434, 588, 383, 286, 202, 256, 199, 108, 84, 0), # 49 (784, 735, 607, 690, 534, 277, 309, 299, 256, 129, 95, 61, 0, 788, 668, 508, 443, 599, 392, 295, 204, 262, 204, 110, 87, 0), # 50 (800, 750, 624, 709, 546, 280, 321, 302, 262, 130, 95, 61, 0, 807, 676, 520, 451, 605, 402, 304, 208, 268, 210, 112, 88, 0), # 51 (816, 763, 640, 724, 564, 283, 328, 308, 267, 133, 98, 61, 0, 829, 688, 534, 459, 617, 409, 310, 210, 272, 214, 117, 88, 0), # 52 (837, 776, 651, 732, 577, 287, 331, 313, 274, 136, 101, 62, 0, 844, 702, 544, 470, 632, 421, 314, 212, 275, 217, 119, 89, 0), # 53 (849, 795, 670, 746, 589, 294, 336, 323, 280, 138, 104, 63, 0, 854, 711, 554, 476, 646, 432, 317, 215, 281, 225, 124, 89, 0), # 54 (860, 812, 690, 757, 595, 305, 342, 329, 282, 141, 106, 65, 0, 876, 725, 565, 483, 660, 439, 318, 223, 288, 230, 128, 90, 0), # 55 (873, 824, 700, 773, 608, 310, 350, 331, 287, 145, 108, 67, 0, 897, 742, 576, 491, 669, 446, 326, 231, 297, 235, 131, 93, 0), # 56 (887, 837, 707, 783, 622, 317, 359, 335, 293, 146, 109, 70, 0, 909, 755, 586, 497, 678, 450, 335, 232, 305, 239, 132, 93, 0), # 57 (900, 858, 717, 800, 634, 320, 365, 341, 298, 149, 111, 72, 0, 923, 762, 593, 509, 692, 458, 342, 235, 314, 246, 136, 97, 0), # 58 (912, 868, 726, 814, 655, 326, 377, 345, 305, 157, 113, 73, 0, 939, 777, 599, 518, 706, 467, 346, 237, 318, 251, 137, 97, 0), # 59 (923, 886, 746, 828, 664, 328, 384, 349, 312, 157, 115, 77, 0, 953, 789, 612, 523, 720, 476, 355, 241, 324, 258, 138, 97, 0), # 60 (943, 899, 756, 843, 673, 336, 390, 354, 318, 160, 117, 78, 0, 966, 800, 621, 527, 732, 480, 362, 254, 333, 260, 139, 98, 0), # 61 (959, 914, 768, 858, 688, 343, 400, 364, 324, 163, 118, 78, 0, 982, 817, 634, 535, 751, 489, 366, 257, 340, 266, 142, 99, 0), # 62 (980, 919, 782, 877, 700, 352, 405, 368, 334, 167, 120, 79, 0, 993, 831, 650, 545, 763, 494, 371, 259, 344, 272, 144, 101, 0), # 63 (994, 931, 796, 893, 707, 357, 405, 370, 339, 168, 122, 80, 0, 1002, 845, 671, 556, 771, 506, 376, 264, 348, 275, 145, 102, 0), # 64 (1012, 948, 807, 904, 716, 362, 409, 372, 350, 168, 123, 82, 0, 1021, 861, 681, 567, 783, 511, 386, 269, 351, 279, 149, 104, 0), # 65 (1038, 961, 815, 925, 730, 365, 416, 378, 354, 169, 124, 83, 0, 1037, 871, 694, 575, 799, 515, 397, 273, 356, 285, 151, 104, 0), # 66 (1056, 972, 835, 948, 738, 377, 425, 380, 357, 174, 128, 86, 0, 1055, 884, 700, 585, 811, 524, 404, 275, 362, 292, 159, 105, 0), # 67 (1073, 985, 851, 963, 750, 386, 428, 385, 361, 178, 129, 86, 0, 1069, 900, 708, 592, 825, 531, 408, 278, 373, 301, 164, 108, 0), # 68 (1089, 996, 865, 982, 759, 388, 435, 386, 372, 184, 133, 88, 0, 1083, 912, 726, 599, 843, 533, 415, 280, 379, 304, 165, 108, 0), # 69 (1102, 1004, 887, 995, 769, 392, 437, 389, 378, 188, 134, 89, 0, 1095, 925, 739, 606, 857, 541, 422, 282, 381, 307, 169, 110, 0), # 70 (1117, 1019, 898, 1014, 779, 401, 442, 398, 385, 192, 136, 92, 0, 1115, 935, 744, 614, 870, 544, 425, 288, 391, 315, 172, 113, 0), # 71 (1134, 1029, 907, 1023, 793, 410, 448, 403, 389, 194, 137, 94, 0, 1132, 949, 751, 622, 878, 548, 429, 295, 401, 317, 175, 114, 0), # 72 (1143, 1043, 916, 1034, 810, 414, 453, 408, 392, 197, 137, 95, 0, 1148, 957, 766, 633, 892, 560, 437, 298, 409, 319, 178, 117, 0), # 73 (1153, 1057, 936, 1049, 824, 418, 453, 413, 399, 199, 140, 96, 0, 1170, 969, 773, 642, 906, 569, 445, 299, 422, 319, 180, 119, 0), # 74 (1167, 1070, 955, 1065, 833, 421, 456, 420, 403, 200, 146, 100, 0, 1188, 983, 779, 650, 921, 572, 451, 305, 428, 324, 182, 119, 0), # 75 (1190, 1089, 972, 1081, 842, 430, 462, 425, 406, 201, 149, 100, 0, 1204, 998, 790, 659, 936, 584, 458, 310, 429, 325, 189, 122, 0), # 76 (1201, 1104, 978, 1094, 855, 436, 468, 428, 410, 204, 151, 101, 0, 1217, 1009, 795, 669, 947, 592, 463, 315, 437, 328, 192, 123, 0), # 77 (1215, 1116, 990, 1116, 865, 442, 477, 435, 415, 206, 152, 101, 0, 1234, 1030, 809, 679, 958, 600, 472, 323, 443, 334, 196, 126, 0), # 78 (1237, 1135, 1007, 1130, 875, 444, 482, 441, 421, 207, 154, 105, 0, 1253, 1038, 825, 686, 966, 608, 477, 326, 448, 338, 198, 126, 0), # 79 (1253, 1145, 1017, 1139, 885, 449, 487, 445, 427, 208, 156, 105, 0, 1276, 1050, 834, 697, 985, 614, 479, 329, 453, 340, 203, 127, 0), # 80 (1277, 1157, 1029, 1151, 895, 455, 497, 449, 433, 213, 162, 106, 0, 1293, 1065, 840, 708, 1000, 624, 485, 333, 459, 345, 205, 129, 0), # 81 (1293, 1174, 1041, 1166, 905, 457, 501, 453, 436, 217, 163, 107, 0, 1314, 1082, 848, 718, 1013, 629, 489, 337, 464, 348, 207, 131, 0), # 82 (1310, 1182, 1056, 1181, 917, 464, 510, 458, 446, 219, 167, 107, 0, 1329, 1099, 857, 725, 1030, 633, 495, 342, 467, 353, 209, 133, 0), # 83 (1321, 1198, 1066, 1193, 926, 469, 518, 463, 451, 222, 171, 107, 0, 1347, 1113, 870, 731, 1042, 637, 501, 348, 473, 357, 209, 134, 0), # 84 (1335, 1216, 1077, 1204, 936, 478, 524, 470, 455, 225, 171, 107, 0, 1360, 1130, 886, 739, 1057, 646, 504, 352, 480, 362, 211, 135, 0), # 85 (1348, 1230, 1091, 1215, 948, 483, 528, 475, 459, 226, 173, 108, 0, 1381, 1143, 894, 748, 1064, 649, 508, 357, 486, 364, 213, 137, 0), # 86 (1368, 1240, 1106, 1233, 956, 487, 535, 481, 467, 226, 177, 110, 0, 1400, 1162, 904, 756, 1070, 657, 516, 363, 491, 368, 216, 138, 0), # 87 (1387, 1257, 1120, 1249, 964, 494, 540, 490, 469, 227, 178, 113, 0, 1413, 1171, 917, 763, 1082, 667, 520, 368, 500, 376, 218, 139, 0), # 88 (1411, 1267, 1137, 1260, 970, 501, 546, 495, 476, 230, 180, 114, 0, 1425, 1181, 925, 771, 1092, 672, 524, 373, 507, 379, 222, 140, 0), # 89 (1422, 1282, 1149, 1272, 980, 507, 548, 500, 480, 235, 183, 115, 0, 1438, 1190, 941, 777, 1113, 675, 528, 374, 509, 385, 224, 140, 0), # 90 (1437, 1289, 1169, 1292, 987, 511, 552, 503, 485, 239, 185, 117, 0, 1459, 1207, 950, 784, 1123, 682, 535, 380, 512, 389, 227, 140, 0), # 91 (1454, 1302, 1180, 1304, 1006, 516, 557, 508, 495, 243, 186, 117, 0, 1472, 1227, 958, 791, 1147, 688, 542, 383, 518, 390, 231, 140, 0), # 92 (1473, 1320, 1194, 1317, 1019, 521, 562, 512, 503, 244, 187, 119, 0, 1484, 1242, 967, 795, 1166, 693, 544, 385, 524, 394, 234, 144, 0), # 93 (1490, 1329, 1210, 1329, 1036, 529, 568, 515, 510, 248, 189, 120, 0, 1499, 1256, 975, 802, 1179, 698, 549, 392, 533, 401, 235, 144, 0), # 94 (1501, 1338, 1229, 1345, 1047, 536, 572, 526, 518, 249, 194, 121, 0, 1511, 1269, 984, 808, 1186, 707, 554, 393, 537, 407, 240, 144, 0), # 95 (1517, 1344, 1241, 1362, 1059, 543, 575, 534, 522, 251, 194, 122, 0, 1532, 1286, 993, 815, 1200, 710, 561, 396, 541, 410, 240, 144, 0), # 96 (1541, 1353, 1254, 1372, 1068, 551, 578, 538, 526, 255, 196, 123, 0, 1549, 1302, 1005, 819, 1211, 712, 566, 400, 546, 419, 244, 144, 0), # 97 (1551, 1365, 1266, 1385, 1082, 556, 587, 543, 533, 258, 196, 124, 0, 1565, 1307, 1014, 826, 1223, 718, 571, 402, 552, 423, 246, 144, 0), # 98 (1558, 1376, 1284, 1395, 1090, 565, 593, 548, 538, 261, 198, 125, 0, 1580, 1319, 1026, 835, 1239, 722, 583, 403, 556, 428, 248, 144, 0), # 99 (1566, 1394, 1302, 1414, 1101, 570, 604, 556, 542, 262, 201, 128, 0, 1605, 1339, 1040, 841, 1253, 725, 587, 409, 565, 432, 251, 145, 0), # 100 (1581, 1405, 1314, 1430, 1107, 573, 607, 562, 545, 263, 203, 132, 0, 1624, 1353, 1052, 855, 1263, 732, 591, 416, 570, 435, 254, 145, 0), # 101 (1607, 1414, 1324, 1439, 1120, 585, 610, 567, 551, 267, 205, 133, 0, 1651, 1366, 1060, 864, 1275, 737, 598, 420, 576, 437, 255, 148, 0), # 102 (1625, 1432, 1339, 1448, 1128, 591, 617, 569, 557, 269, 207, 134, 0, 1665, 1376, 1071, 871, 1288, 751, 604, 423, 585, 442, 264, 150, 0), # 103 (1643, 1445, 1349, 1470, 1135, 594, 621, 574, 566, 272, 208, 135, 0, 1683, 1387, 1087, 873, 1296, 756, 611, 424, 593, 448, 268, 152, 0), # 104 (1659, 1459, 1360, 1485, 1145, 599, 622, 579, 569, 272, 208, 136, 0, 1699, 1403, 1093, 881, 1307, 765, 617, 431, 598, 451, 271, 152, 0), # 105 (1670, 1473, 1373, 1502, 1155, 604, 625, 584, 578, 275, 210, 136, 0, 1723, 1418, 1099, 892, 1317, 769, 624, 432, 601, 454, 278, 152, 0), # 106 (1689, 1485, 1386, 1512, 1166, 607, 628, 589, 582, 277, 210, 137, 0, 1740, 1430, 1100, 897, 1334, 776, 629, 435, 609, 459, 278, 152, 0), # 107 (1698, 1494, 1402, 1529, 1173, 613, 630, 589, 586, 279, 213, 138, 0, 1754, 1437, 1113, 905, 1349, 782, 636, 435, 616, 463, 283, 154, 0), # 108 (1718, 1500, 1411, 1545, 1177, 620, 634, 596, 592, 280, 215, 138, 0, 1775, 1453, 1119, 913, 1366, 786, 641, 436, 617, 465, 284, 162, 0), # 109 (1736, 1509, 1421, 1559, 1193, 629, 637, 602, 601, 281, 216, 140, 0, 1791, 1464, 1126, 917, 1374, 792, 648, 440, 628, 472, 286, 163, 0), # 110 (1752, 1519, 1433, 1569, 1203, 634, 639, 605, 611, 284, 216, 141, 0, 1805, 1473, 1138, 923, 1386, 799, 653, 446, 633, 476, 288, 165, 0), # 111 (1769, 1537, 1446, 1581, 1210, 638, 645, 611, 615, 286, 220, 141, 0, 1828, 1486, 1150, 928, 1398, 806, 653, 452, 640, 478, 293, 165, 0), # 112 (1779, 1548, 1456, 1596, 1221, 642, 649, 614, 625, 287, 221, 141, 0, 1844, 1500, 1158, 935, 1408, 813, 654, 457, 648, 483, 295, 169, 0), # 113 (1793, 1562, 1471, 1609, 1232, 651, 653, 616, 628, 288, 225, 143, 0, 1859, 1516, 1165, 945, 1418, 815, 659, 466, 653, 489, 296, 169, 0), # 114 (1811, 1575, 1484, 1617, 1251, 654, 654, 619, 632, 291, 229, 144, 0, 1871, 1526, 1171, 955, 1424, 818, 661, 471, 658, 493, 299, 169, 0), # 115 (1826, 1591, 1493, 1629, 1262, 658, 657, 621, 636, 295, 229, 145, 0, 1884, 1540, 1176, 963, 1436, 825, 664, 475, 666, 495, 304, 172, 0), # 116 (1841, 1605, 1504, 1644, 1273, 660, 660, 622, 641, 297, 232, 146, 0, 1892, 1547, 1185, 971, 1449, 830, 668, 479, 678, 499, 304, 172, 0), # 117 (1854, 1616, 1516, 1658, 1290, 663, 664, 624, 646, 301, 232, 147, 0, 1902, 1560, 1195, 978, 1463, 837, 670, 484, 684, 505, 308, 174, 0), # 118 (1868, 1621, 1525, 1671, 1298, 667, 667, 626, 649, 304, 233, 149, 0, 1921, 1575, 1202, 985, 1480, 840, 674, 488, 691, 510, 311, 176, 0), # 119 (1885, 1634, 1534, 1688, 1310, 669, 672, 628, 656, 307, 235, 152, 0, 1931, 1593, 1210, 994, 1489, 847, 679, 492, 698, 520, 311, 178, 0), # 120 (1898, 1645, 1545, 1701, 1322, 671, 675, 629, 662, 312, 235, 152, 0, 1944, 1605, 1214, 1007, 1495, 858, 681, 495, 703, 523, 313, 178, 0), # 121 (1913, 1657, 1559, 1712, 1334, 675, 679, 639, 666, 313, 242, 152, 0, 1964, 1617, 1224, 1012, 1507, 859, 685, 502, 711, 525, 316, 179, 0), # 122 (1934, 1671, 1572, 1723, 1344, 681, 685, 643, 676, 314, 243, 156, 0, 1975, 1629, 1237, 1015, 1521, 868, 687, 505, 717, 532, 320, 182, 0), # 123 (1944, 1680, 1585, 1731, 1358, 684, 692, 656, 680, 314, 243, 157, 0, 1987, 1642, 1253, 1022, 1539, 871, 694, 507, 724, 535, 320, 182, 0), # 124 (1954, 1690, 1594, 1743, 1371, 685, 698, 660, 686, 317, 247, 157, 0, 2002, 1656, 1266, 1030, 1551, 879, 695, 510, 733, 543, 323, 182, 0), # 125 (1968, 1703, 1609, 1753, 1377, 689, 701, 662, 693, 319, 249, 157, 0, 2020, 1666, 1276, 1034, 1569, 885, 698, 513, 739, 547, 324, 182, 0), # 126 (1984, 1713, 1625, 1761, 1388, 693, 702, 672, 698, 325, 251, 159, 0, 2034, 1678, 1286, 1050, 1577, 889, 705, 518, 749, 554, 326, 182, 0), # 127 (1987, 1724, 1638, 1776, 1395, 701, 704, 675, 701, 329, 251, 159, 0, 2053, 1694, 1292, 1056, 1591, 894, 710, 521, 758, 561, 327, 184, 0), # 128 (1995, 1736, 1650, 1787, 1402, 706, 707, 679, 703, 331, 253, 159, 0, 2074, 1700, 1297, 1061, 1609, 901, 712, 524, 761, 564, 330, 185, 0), # 129 (2012, 1744, 1664, 1797, 1407, 709, 713, 684, 708, 334, 255, 161, 0, 2084, 1716, 1305, 1066, 1626, 905, 717, 526, 768, 564, 331, 187, 0), # 130 (2027, 1747, 1680, 1812, 1424, 712, 717, 685, 710, 335, 255, 164, 0, 2096, 1722, 1307, 1068, 1636, 908, 724, 532, 774, 567, 334, 187, 0), # 131 (2036, 1758, 1690, 1824, 1434, 713, 723, 688, 719, 339, 256, 165, 0, 2109, 1738, 1316, 1075, 1646, 911, 729, 537, 778, 575, 335, 188, 0), # 132 (2048, 1771, 1700, 1845, 1439, 719, 727, 695, 725, 342, 258, 167, 0, 2122, 1750, 1322, 1086, 1657, 923, 734, 545, 779, 578, 336, 189, 0), # 133 (2062, 1781, 1713, 1861, 1447, 728, 729, 698, 731, 345, 259, 168, 0, 2140, 1759, 1332, 1090, 1674, 928, 735, 553, 785, 585, 340, 190, 0), # 134 (2071, 1786, 1725, 1868, 1457, 731, 734, 703, 733, 349, 260, 168, 0, 2152, 1765, 1342, 1098, 1687, 935, 738, 555, 790, 590, 341, 191, 0), # 135 (2086, 1793, 1736, 1879, 1471, 736, 739, 706, 736, 352, 261, 169, 0, 2160, 1775, 1348, 1104, 1700, 942, 745, 559, 794, 593, 345, 192, 0), # 136 (2094, 1805, 1748, 1888, 1486, 741, 743, 709, 737, 356, 262, 174, 0, 2178, 1794, 1359, 1113, 1712, 944, 750, 563, 799, 598, 347, 193, 0), # 137 (2108, 1811, 1761, 1901, 1497, 744, 746, 711, 741, 359, 262, 177, 0, 2194, 1807, 1364, 1117, 1722, 950, 753, 568, 802, 601, 352, 194, 0), # 138 (2124, 1821, 1777, 1910, 1502, 751, 748, 715, 752, 359, 265, 179, 0, 2207, 1823, 1372, 1123, 1726, 954, 757, 574, 809, 606, 356, 194, 0), # 139 (2141, 1829, 1788, 1925, 1511, 759, 755, 718, 760, 363, 267, 179, 0, 2221, 1836, 1382, 1130, 1739, 955, 764, 576, 812, 610, 361, 195, 0), # 140 (2153, 1842, 1794, 1943, 1520, 768, 758, 723, 766, 365, 268, 181, 0, 2237, 1847, 1389, 1140, 1750, 962, 770, 577, 818, 614, 362, 197, 0), # 141 (2170, 1850, 1817, 1949, 1530, 771, 758, 728, 769, 368, 271, 181, 0, 2254, 1855, 1401, 1147, 1758, 967, 777, 582, 820, 616, 365, 198, 0), # 142 (2180, 1857, 1828, 1961, 1539, 775, 766, 733, 774, 368, 273, 181, 0, 2265, 1864, 1406, 1152, 1769, 970, 785, 588, 826, 620, 367, 198, 0), # 143 (2189, 1872, 1840, 1976, 1546, 781, 772, 738, 776, 370, 275, 182, 0, 2279, 1871, 1412, 1160, 1783, 975, 788, 593, 837, 625, 368, 200, 0), # 144 (2205, 1879, 1846, 1987, 1558, 786, 777, 746, 779, 373, 276, 183, 0, 2292, 1885, 1418, 1167, 1801, 981, 791, 597, 842, 628, 370, 201, 0), # 145 (2219, 1894, 1866, 1996, 1575, 788, 780, 752, 783, 374, 276, 183, 0, 2307, 1895, 1426, 1172, 1808, 984, 796, 602, 845, 634, 370, 203, 0), # 146 (2235, 1903, 1874, 2007, 1595, 796, 782, 756, 789, 376, 279, 183, 0, 2318, 1905, 1434, 1174, 1819, 991, 798, 605, 846, 635, 372, 204, 0), # 147 (2244, 1912, 1883, 2018, 1606, 802, 784, 762, 793, 378, 279, 183, 0, 2333, 1917, 1440, 1176, 1829, 994, 799, 607, 851, 640, 374, 204, 0), # 148 (2261, 1917, 1893, 2029, 1612, 806, 790, 767, 799, 381, 280, 185, 0, 2343, 1930, 1449, 1182, 1842, 999, 805, 612, 855, 641, 377, 205, 0), # 149 (2277, 1925, 1909, 2040, 1624, 811, 793, 772, 803, 384, 283, 186, 0, 2360, 1934, 1458, 1193, 1850, 1006, 809, 615, 859, 644, 378, 205, 0), # 150 (2284, 1937, 1917, 2056, 1629, 814, 798, 776, 810, 386, 288, 187, 0, 2379, 1947, 1465, 1197, 1856, 1010, 812, 619, 862, 650, 380, 205, 0), # 151 (2295, 1939, 1934, 2062, 1638, 819, 800, 781, 813, 387, 289, 187, 0, 2391, 1959, 1470, 1202, 1864, 1012, 812, 621, 870, 652, 381, 206, 0), # 152 (2301, 1948, 1943, 2071, 1650, 827, 811, 785, 816, 391, 289, 189, 0, 2402, 1969, 1476, 1210, 1878, 1021, 814, 626, 875, 656, 383, 207, 0), # 153 (2310, 1955, 1954, 2084, 1655, 830, 814, 788, 820, 394, 291, 189, 0, 2410, 1976, 1485, 1219, 1891, 1028, 819, 632, 881, 662, 387, 208, 0), # 154 (2323, 1963, 1967, 2100, 1664, 830, 818, 796, 824, 394, 293, 189, 0, 2424, 1983, 1490, 1223, 1905, 1030, 822, 637, 883, 666, 388, 210, 0), # 155 (2338, 1970, 1978, 2106, 1671, 837, 823, 799, 830, 395, 295, 189, 0, 2439, 1988, 1496, 1228, 1913, 1030, 824, 637, 889, 667, 390, 210, 0), # 156 (2355, 1979, 1993, 2116, 1685, 841, 825, 802, 834, 395, 295, 190, 0, 2447, 2000, 1504, 1233, 1924, 1035, 828, 637, 893, 669, 392, 212, 0), # 157 (2372, 1988, 2001, 2131, 1696, 848, 828, 805, 843, 396, 295, 190, 0, 2460, 2014, 1509, 1237, 1934, 1039, 833, 642, 900, 672, 395, 212, 0), # 158 (2383, 1995, 2020, 2139, 1703, 851, 829, 808, 846, 397, 297, 191, 0, 2475, 2026, 1515, 1246, 1942, 1042, 836, 645, 905, 675, 399, 214, 0), # 159 (2400, 2000, 2031, 2155, 1709, 855, 834, 813, 850, 399, 297, 191, 0, 2488, 2038, 1523, 1252, 1955, 1046, 840, 647, 909, 678, 401, 216, 0), # 160 (2416, 2005, 2038, 2165, 1717, 860, 839, 816, 856, 403, 299, 191, 0, 2498, 2040, 1532, 1254, 1969, 1049, 843, 649, 914, 681, 402, 216, 0), # 161 (2428, 2016, 2047, 2176, 1728, 868, 840, 819, 863, 408, 300, 191, 0, 2509, 2046, 1537, 1264, 1975, 1054, 846, 652, 922, 686, 403, 216, 0), # 162 (2442, 2024, 2061, 2189, 1736, 874, 844, 827, 866, 412, 301, 192, 0, 2517, 2057, 1549, 1268, 1986, 1059, 855, 653, 928, 690, 405, 219, 0), # 163 (2452, 2031, 2069, 2196, 1749, 884, 847, 829, 871, 413, 302, 192, 0, 2533, 2067, 1556, 1272, 1995, 1062, 858, 656, 933, 692, 406, 219, 0), # 164 (2463, 2033, 2076, 2204, 1752, 888, 851, 831, 872, 418, 303, 194, 0, 2545, 2079, 1563, 1274, 2001, 1067, 868, 662, 939, 697, 408, 219, 0), # 165 (2473, 2044, 2085, 2213, 1759, 891, 856, 834, 878, 419, 303, 196, 0, 2556, 2090, 1569, 1277, 2006, 1072, 873, 664, 943, 700, 409, 219, 0), # 166 (2483, 2053, 2094, 2223, 1769, 895, 856, 837, 880, 420, 306, 197, 0, 2568, 2100, 1574, 1284, 2018, 1074, 877, 670, 945, 705, 409, 221, 0), # 167 (2494, 2059, 2105, 2237, 1775, 896, 862, 838, 886, 421, 307, 199, 0, 2580, 2107, 1579, 1286, 2032, 1077, 879, 672, 947, 712, 409, 221, 0), # 168 (2499, 2065, 2109, 2248, 1787, 899, 864, 843, 890, 422, 309, 200, 0, 2586, 2116, 1587, 1291, 2042, 1082, 880, 674, 950, 715, 411, 221, 0), # 169 (2507, 2069, 2115, 2253, 1797, 909, 866, 845, 894, 424, 310, 201, 0, 2601, 2126, 1599, 1294, 2050, 1086, 881, 679, 956, 718, 411, 221, 0), # 170 (2515, 2070, 2123, 2260, 1800, 913, 874, 848, 898, 425, 311, 203, 0, 2609, 2135, 1606, 1295, 2064, 1088, 885, 679, 960, 718, 411, 222, 0), # 171 (2519, 2074, 2127, 2272, 1807, 917, 881, 849, 903, 427, 311, 204, 0, 2621, 2141, 1614, 1299, 2071, 1092, 890, 679, 962, 720, 412, 222, 0), # 172 (2533, 2079, 2133, 2278, 1813, 918, 885, 852, 907, 428, 313, 205, 0, 2629, 2148, 1618, 1304, 2078, 1096, 894, 681, 965, 724, 414, 223, 0), # 173 (2545, 2084, 2142, 2286, 1821, 925, 888, 854, 911, 428, 314, 206, 0, 2637, 2158, 1622, 1307, 2087, 1098, 896, 681, 968, 727, 414, 223, 0), # 174 (2553, 2089, 2151, 2294, 1827, 929, 890, 857, 913, 431, 314, 206, 0, 2646, 2164, 1625, 1311, 2100, 1100, 896, 682, 974, 729, 416, 223, 0), # 175 (2562, 2091, 2158, 2303, 1834, 932, 892, 857, 915, 434, 314, 207, 0, 2650, 2170, 1629, 1315, 2103, 1104, 899, 683, 977, 732, 417, 223, 0), # 176 (2565, 2093, 2166, 2310, 1842, 933, 896, 861, 917, 437, 316, 207, 0, 2659, 2175, 1631, 1318, 2111, 1107, 900, 684, 977, 734, 418, 223, 0), # 177 (2572, 2097, 2172, 2320, 1849, 937, 897, 863, 920, 437, 316, 207, 0, 2667, 2178, 1637, 1321, 2117, 1107, 900, 684, 977, 738, 422, 223, 0), # 178 (2572, 2097, 2172, 2320, 1849, 937, 897, 863, 920, 437, 316, 207, 0, 2667, 2178, 1637, 1321, 2117, 1107, 900, 684, 977, 738, 422, 223, 0), # 179 ) passenger_arriving_rate = ( (8.033384925394829, 8.103756554216645, 6.9483776394833425, 7.45760132863612, 5.924997981450252, 2.9294112699015167, 3.3168284922991322, 3.102117448652949, 3.2480528331562706, 1.5832060062089484, 1.1214040437028276, 0.6530553437741565, 0.0, 8.134208340125381, 7.183608781515721, 5.607020218514138, 4.749618018626844, 6.496105666312541, 4.342964428114128, 3.3168284922991322, 2.0924366213582264, 2.962498990725126, 2.4858671095453735, 1.3896755278966686, 0.7367051412924223, 0.0), # 0 (8.566923443231959, 8.638755684745645, 7.407128788440204, 7.95017310393194, 6.317323026639185, 3.122918011773052, 3.535575153010955, 3.306342481937139, 3.462530840710885, 1.6875922769108604, 1.1954923029216353, 0.6961622214419141, 0.0, 8.671666635903767, 7.657784435861053, 5.9774615146081755, 5.06277683073258, 6.92506168142177, 4.628879474711995, 3.535575153010955, 2.230655722695037, 3.1586615133195926, 2.650057701310647, 1.4814257576880407, 0.7853414258859679, 0.0), # 1 (9.09875681436757, 9.171631583973436, 7.864056380729885, 8.440785245597754, 6.708227171999727, 3.3156527735449486, 3.7534548063685635, 3.5097501652696135, 3.676152963668026, 1.7915655100082188, 1.269286173007017, 0.7390976869404075, 0.0, 9.206983725135505, 8.13007455634448, 6.346430865035084, 5.374696530024655, 7.352305927336052, 4.913650231377459, 3.7534548063685635, 2.3683234096749635, 3.3541135859998636, 2.8135950818659183, 1.5728112761459772, 0.8337846894521307, 0.0), # 2 (9.6268124690345, 9.70027006950679, 8.317347825759807, 8.927491689038488, 7.096172454402028, 3.5068512477461056, 3.9696029133183646, 3.7115341049963386, 3.8880720858245827, 1.8947130793704727, 1.3424929098206355, 0.7816914246573948, 0.0, 9.738036490006762, 8.598605671231342, 6.712464549103178, 5.684139238111417, 7.7761441716491655, 5.196147746994874, 3.9696029133183646, 2.5048937483900753, 3.548086227201014, 2.97583056301283, 1.6634695651519613, 0.8818427335915264, 0.0), # 3 (10.149017837465571, 10.222556958952469, 8.765190532937382, 9.408346369659084, 7.479620910716259, 3.6957491269054237, 4.183154934806767, 3.910887907463277, 4.097441090977444, 1.996622358867072, 1.4148197692241535, 0.8237731189806353, 0.0, 10.262701812703709, 9.061504308786986, 7.074098846120767, 5.9898670766012145, 8.194882181954888, 5.475243070448588, 4.183154934806767, 2.6398208049324454, 3.7398104553581293, 3.136115456553029, 1.7530381065874767, 0.9293233599047701, 0.0), # 4 (10.663300349893618, 10.736378069917262, 9.205771911670025, 9.881403222864472, 7.8570345778125645, 3.8815821035518008, 4.393246331780179, 4.1070051790163955, 4.303412862923498, 2.096880722367466, 1.4859740070792353, 0.8651724542978865, 0.0, 10.778856575412524, 9.51689699727675, 7.429870035396177, 6.290642167102396, 8.606825725846996, 5.749807250622953, 4.393246331780179, 2.772558645394143, 3.9285172889062823, 3.2938010742881585, 1.841154382334005, 0.9760343699924785, 0.0), # 5 (11.167587436551466, 11.239619220007935, 9.637279371365155, 10.344716184059584, 8.226875492561113, 4.06358587021414, 4.59901256518501, 4.299079526001659, 4.5051402854596345, 2.195075543741104, 1.555662879247542, 0.9057191149969079, 0.0, 11.284377660319372, 9.962910264965986, 7.77831439623771, 6.5852266312233105, 9.010280570919269, 6.018711336402323, 4.59901256518501, 2.902561335867243, 4.113437746280557, 3.448238728019862, 1.9274558742730312, 1.021783565455267, 0.0), # 6 (11.65980652767195, 11.73016622683126, 10.05790032143018, 10.796339188649355, 8.587605691832056, 4.2409961194213395, 4.799589095967668, 4.486304554765035, 4.701776242382744, 2.2907941968574352, 1.6235936415907386, 0.9452427854654573, 0.0, 11.777141949610431, 10.397670640120028, 8.117968207953693, 6.872382590572304, 9.403552484765488, 6.280826376671049, 4.799589095967668, 3.029282942443814, 4.293802845916028, 3.598779729549786, 2.0115800642860364, 1.066378747893751, 0.0), # 7 (12.137885053487896, 12.205904907994013, 10.465822171272528, 11.234326172038713, 8.937687212495558, 4.413048543702297, 4.994111385074558, 4.667873871652484, 4.89247361748971, 2.3836240555859103, 1.6894735499704858, 0.9835731500912939, 0.0, 12.255026325471867, 10.81930465100423, 8.447367749852429, 7.150872166757729, 9.78494723497942, 6.535023420313477, 4.994111385074558, 3.152177531215927, 4.468843606247779, 3.744775390679572, 2.093164434254506, 1.1096277189085468, 0.0), # 8 (12.599750444232136, 12.664721081102966, 10.859232330299607, 11.656731069632603, 9.27558209142177, 4.578978835585919, 5.181714893452096, 4.842981083009976, 5.076385294577426, 2.4731524937959772, 1.7530098602484476, 1.0205398932621754, 0.0, 12.71590767008986, 11.225938825883926, 8.765049301242238, 7.41945748138793, 10.152770589154851, 6.780173516213966, 5.181714893452096, 3.270699168275656, 4.637791045710885, 3.8855770232108684, 2.1718464660599213, 1.1513382801002698, 0.0), # 9 (13.043330130137491, 13.104500563764889, 11.236318207918833, 12.061607816835945, 9.599752365480853, 4.7380226876011005, 5.361535082046684, 5.010819795183474, 5.252664157442781, 2.558966885357086, 1.8139098282862867, 1.0559726993658605, 0.0, 13.157662865650577, 11.615699693024464, 9.069549141431432, 7.676900656071258, 10.505328314885562, 7.015147713256865, 5.361535082046684, 3.3843019197150714, 4.799876182740427, 4.020535938945316, 2.247263641583767, 1.1913182330695355, 0.0), # 10 (13.466551541436809, 13.52312917358657, 11.595267213537621, 12.447010349053677, 9.908660071542968, 4.889415792276744, 5.532707411804733, 5.170583614518944, 5.420463089882663, 2.640654604138688, 1.8718807099456667, 1.0897012527901082, 0.0, 13.57816879434018, 11.986713780691188, 9.359403549728333, 7.921963812416063, 10.840926179765326, 7.238817060326522, 5.532707411804733, 3.4924398516262456, 4.954330035771484, 4.14900344968456, 2.3190534427075247, 1.229375379416961, 0.0), # 11 (13.8673421083629, 13.918492728174757, 11.934266756563387, 12.810992601690735, 10.200767246478268, 5.032393842141746, 5.694367343672649, 5.321466147362347, 5.578934975693962, 2.7178030240102293, 1.9266297610882495, 1.1215552379226759, 0.0, 13.975302338344855, 12.337107617149433, 9.633148805441246, 8.153409072030687, 11.157869951387925, 7.4500526063072865, 5.694367343672649, 3.5945670301012465, 5.100383623239134, 4.270330867230246, 2.3868533513126775, 1.26531752074316, 0.0), # 12 (14.243629261148602, 14.288477045136244, 12.251504246403549, 13.151608510152053, 10.474535927156907, 5.166192529725009, 5.845650338596845, 5.462661000059654, 5.727232698673564, 2.7899995188411624, 1.9778642375756985, 1.1513643391513229, 0.0, 14.346940379850777, 12.66500773066455, 9.889321187878492, 8.369998556523486, 11.454465397347128, 7.647725400083517, 5.845650338596845, 3.6901375212321494, 5.237267963578454, 4.383869503384019, 2.45030084928071, 1.2989524586487495, 0.0), # 13 (14.593340430026746, 14.630967942077797, 12.54516709246553, 13.466912009842552, 10.728428150449055, 5.2900475475554325, 5.9856918575237295, 5.593361778956831, 5.864509142618358, 2.856831462500934, 2.0252913952696763, 1.1789582408638082, 0.0, 14.690959801044102, 12.968540649501888, 10.12645697634838, 8.570494387502801, 11.729018285236716, 7.830706490539565, 5.9856918575237295, 3.778605391111023, 5.3642140752245275, 4.488970669947518, 2.509033418493106, 1.3300879947343454, 0.0), # 14 (14.914403045230168, 14.943851236606186, 12.813442704156724, 13.754957036167184, 10.960905953224861, 5.403194588161918, 6.1136273613997005, 5.7127620903998375, 5.989917191325237, 2.917886228858997, 2.0686184900318456, 1.2041666274478897, 0.0, 15.00523748411101, 13.245832901926784, 10.343092450159226, 8.753658686576989, 11.979834382650473, 7.997866926559773, 6.1136273613997005, 3.8594247058299413, 5.480452976612431, 4.584985678722395, 2.562688540831345, 1.3585319306005625, 0.0), # 15 (15.204744536991681, 15.225012746328195, 13.054518490884568, 14.013797524530858, 11.170431372354487, 5.504869344073363, 6.228592311171181, 5.820055540734641, 6.102609728591085, 2.972751191784799, 2.1075527777238703, 1.2268191832913256, 0.0, 15.287650311237673, 13.495011016204579, 10.53776388861935, 8.918253575354395, 12.20521945718217, 8.148077757028497, 6.228592311171181, 3.932049531480973, 5.585215686177244, 4.671265841510287, 2.6109036981769136, 1.384092067848018, 0.0), # 16 (15.46229233554412, 15.472338288850588, 13.266581862056471, 14.241487410338536, 11.355466444708094, 5.594307507818667, 6.329722167784569, 5.914435736307213, 6.201739638212791, 3.021013725147788, 2.141801514207413, 1.2467455927818742, 0.0, 15.536075164610265, 13.714201520600614, 10.709007571037066, 9.063041175443361, 12.403479276425582, 8.280210030830098, 6.329722167784569, 3.9959339341561906, 5.677733222354047, 4.747162470112846, 2.6533163724112945, 1.4065762080773265, 0.0), # 17 (15.684973871120327, 15.683713681780135, 13.447820227079841, 14.436080628995136, 11.514473207155827, 5.670744771926737, 6.416152392186281, 5.995096283463507, 6.286459803987251, 3.0622612028174157, 2.171071955344136, 1.2637755403072954, 0.0, 15.748388926414954, 13.901530943380248, 10.855359776720679, 9.186783608452245, 12.572919607974502, 8.39313479684891, 6.416152392186281, 4.050531979947669, 5.757236603577914, 4.812026876331712, 2.689564045415968, 1.4257921528891033, 0.0), # 18 (15.870716573953118, 15.857024742723624, 13.596420995362104, 14.59563111590558, 11.645913696567856, 5.733416828926462, 6.4870184453227155, 6.061230788549498, 6.355923109711349, 3.0960809986631324, 2.1950713569957014, 1.2777387102553464, 0.0, 15.922468478837914, 14.055125812808807, 10.975356784978505, 9.288242995989394, 12.711846219422698, 8.485723103969297, 6.4870184453227155, 4.095297734947473, 5.822956848283928, 4.865210371968527, 2.7192841990724212, 1.441547703883966, 0.0), # 19 (16.01744787427533, 15.990157289287811, 13.710571576310672, 14.718192806474825, 11.748249949814339, 5.781559371346751, 6.54145578814029, 6.112032857911145, 6.409282439181973, 3.1220604865543846, 2.213506975023774, 1.2884647870137858, 0.0, 16.05619070406532, 14.17311265715164, 11.067534875118868, 9.366181459663151, 12.818564878363945, 8.556846001075604, 6.54145578814029, 4.129685265247679, 5.874124974907169, 4.9060642688249425, 2.7421143152621346, 1.4536506626625285, 0.0), # 20 (16.123095202319785, 16.080997139079486, 13.78845937933296, 14.801819636107783, 11.819944003765428, 5.8144080917165, 6.578599881585408, 6.1466960978944165, 6.445690676196012, 3.139787040360623, 2.226086065290016, 1.2957834549703726, 0.0, 16.147432484283325, 14.253618004674097, 11.13043032645008, 9.419361121081867, 12.891381352392024, 8.605374537052183, 6.578599881585408, 4.153148636940357, 5.909972001882714, 4.933939878702596, 2.757691875866592, 1.461908830825408, 0.0), # 21 (16.18558598831933, 16.12743010970541, 13.82827181383638, 14.844565540209405, 11.85945789529128, 5.83119868256461, 6.59758618660448, 6.164414114845277, 6.464300704550355, 3.148848033951298, 2.232515883656091, 1.2995243985128655, 0.0, 16.194070701678125, 14.294768383641518, 11.162579418280455, 9.446544101853892, 12.92860140910071, 8.630179760783388, 6.59758618660448, 4.1651419161175784, 5.92972894764564, 4.948188513403136, 2.7656543627672763, 1.4661300099732195, 0.0), # 22 (16.208629381348224, 16.132927937814358, 13.83323090992227, 14.849916975308645, 11.869580859768103, 5.833333333333334, 6.599843201807471, 6.166329218106997, 6.466627325102881, 3.149916909007774, 2.233322143243131, 1.2999863435451913, 0.0, 16.2, 14.299849778997103, 11.166610716215654, 9.44975072702332, 12.933254650205763, 8.632860905349796, 6.599843201807471, 4.166666666666667, 5.9347904298840515, 4.949972325102882, 2.7666461819844543, 1.4666298125285782, 0.0), # 23 (16.225619860854646, 16.12972098765432, 13.832419753086421, 14.849258333333335, 11.875314787855842, 5.833333333333334, 6.598603050108934, 6.163666666666667, 6.466315555555555, 3.149260246913581, 2.2332332210998884, 1.2998781893004117, 0.0, 16.2, 14.298660082304526, 11.166166105499443, 9.44778074074074, 12.93263111111111, 8.629133333333334, 6.598603050108934, 4.166666666666667, 5.937657393927921, 4.949752777777779, 2.7664839506172845, 1.4663382716049385, 0.0), # 24 (16.242251568338528, 16.1233996342021, 13.830818472793784, 14.847955246913582, 11.880922608634137, 5.833333333333334, 6.596159122085048, 6.158436213991771, 6.465699588477367, 3.1479675354366723, 2.233056906513697, 1.2996646852613931, 0.0, 16.2, 14.296311537875322, 11.165284532568485, 9.443902606310015, 12.931399176954734, 8.62181069958848, 6.596159122085048, 4.166666666666667, 5.940461304317068, 4.949318415637862, 2.766163694558757, 1.4657636031092822, 0.0), # 25 (16.258523230476854, 16.114060448102425, 13.828449016918157, 14.846022530864197, 11.886404126315846, 5.833333333333334, 6.592549374646977, 6.150736625514405, 6.46478732510288, 3.146060283493371, 2.2327947956935614, 1.2993487578113097, 0.0, 16.2, 14.292836335924404, 11.163973978467807, 9.43818085048011, 12.92957465020576, 8.611031275720167, 6.592549374646977, 4.166666666666667, 5.943202063157923, 4.948674176954733, 2.7656898033836312, 1.46491458619113, 0.0), # 26 (16.27443357394662, 16.1018, 13.825333333333333, 14.843475, 11.891759145113827, 5.833333333333334, 6.587811764705883, 6.140666666666667, 6.463586666666666, 3.143560000000001, 2.232448484848485, 1.2989333333333337, 0.0, 16.2, 14.288266666666669, 11.162242424242425, 9.430679999999999, 12.927173333333332, 8.596933333333334, 6.587811764705883, 4.166666666666667, 5.945879572556914, 4.947825000000001, 2.765066666666667, 1.4638000000000002, 0.0), # 27 (16.2899813254248, 16.08671486053955, 13.821493369913123, 14.840327469135804, 11.896987469240962, 5.833333333333334, 6.581984249172921, 6.12832510288066, 6.462105514403292, 3.140488193872886, 2.232019570187472, 1.2984213382106389, 0.0, 16.2, 14.282634720317025, 11.160097850937358, 9.421464581618656, 12.924211028806583, 8.579655144032923, 6.581984249172921, 4.166666666666667, 5.948493734620481, 4.946775823045269, 2.764298673982625, 1.462428623685414, 0.0), # 28 (16.3051652115884, 16.0689016003658, 13.816951074531323, 14.83659475308642, 11.902088902910101, 5.833333333333334, 6.575104784959253, 6.113810699588477, 6.460351769547325, 3.1368663740283504, 2.2315096479195247, 1.2978156988263985, 0.0, 16.2, 14.27597268709038, 11.157548239597624, 9.41059912208505, 12.92070353909465, 8.559334979423868, 6.575104784959253, 4.166666666666667, 5.951044451455051, 4.945531584362141, 2.763390214906265, 1.460809236396891, 0.0), # 29 (16.319983959114396, 16.04845679012346, 13.811728395061728, 14.832291666666666, 11.907063250334119, 5.833333333333334, 6.567211328976035, 6.097222222222222, 6.458333333333333, 3.1327160493827173, 2.230920314253648, 1.297119341563786, 0.0, 16.2, 14.268312757201645, 11.15460157126824, 9.398148148148149, 12.916666666666666, 8.536111111111111, 6.567211328976035, 4.166666666666667, 5.953531625167059, 4.944097222222223, 2.7623456790123457, 1.458950617283951, 0.0), # 30 (16.334436294679772, 16.02547700045725, 13.805847279378145, 14.82743302469136, 11.911910315725876, 5.833333333333334, 6.558341838134432, 6.078658436213992, 6.456058106995885, 3.1280587288523103, 2.2302531653988447, 1.296335192805975, 0.0, 16.2, 14.259687120865724, 11.151265826994223, 9.384176186556928, 12.91211621399177, 8.510121810699589, 6.558341838134432, 4.166666666666667, 5.955955157862938, 4.942477674897121, 2.761169455875629, 1.4568615454961138, 0.0), # 31 (16.34852094496153, 16.00005880201189, 13.799329675354366, 14.82203364197531, 11.916629903298237, 5.833333333333334, 6.548534269345599, 6.058218106995886, 6.453533991769548, 3.1229159213534534, 2.229509797564119, 1.2954661789361381, 0.0, 16.2, 14.250127968297518, 11.147548987820594, 9.368747764060357, 12.907067983539095, 8.48150534979424, 6.548534269345599, 4.166666666666667, 5.958314951649118, 4.940677880658438, 2.759865935070873, 1.4545508001828993, 0.0), # 32 (16.362236636636634, 15.972298765432097, 13.792197530864199, 14.816108333333332, 11.921221817264065, 5.833333333333334, 6.537826579520697, 6.0360000000000005, 6.450768888888889, 3.1173091358024703, 2.228691806958474, 1.2945152263374486, 0.0, 16.2, 14.239667489711932, 11.143459034792368, 9.351927407407409, 12.901537777777778, 8.450400000000002, 6.537826579520697, 4.166666666666667, 5.960610908632033, 4.938702777777778, 2.75843950617284, 1.452027160493827, 0.0), # 33 (16.375582096382097, 15.942293461362596, 13.784472793781436, 14.809671913580248, 11.92568586183623, 5.833333333333334, 6.526256725570888, 6.012102880658436, 6.447770699588479, 3.111259881115685, 2.2278007897909133, 1.2934852613930805, 0.0, 16.2, 14.228337875323884, 11.139003948954567, 9.333779643347052, 12.895541399176958, 8.41694403292181, 6.526256725570888, 4.166666666666667, 5.962842930918115, 4.93655730452675, 2.7568945587562874, 1.449299405578418, 0.0), # 34 (16.388556050874893, 15.9101394604481, 13.776177411979882, 14.802739197530864, 11.930021841227594, 5.833333333333334, 6.513862664407327, 5.986625514403293, 6.4445473251028815, 3.1047896662094203, 2.226838342270441, 1.2923792104862066, 0.0, 16.2, 14.216171315348271, 11.134191711352205, 9.314368998628257, 12.889094650205763, 8.381275720164611, 6.513862664407327, 4.166666666666667, 5.965010920613797, 4.934246399176955, 2.755235482395977, 1.4463763145861912, 0.0), # 35 (16.40115722679201, 15.87593333333333, 13.767333333333335, 14.795325, 11.934229559651024, 5.833333333333334, 6.500682352941176, 5.959666666666668, 6.441106666666666, 3.097920000000001, 2.225806060606061, 1.2912000000000003, 0.0, 16.2, 14.203200000000002, 11.129030303030303, 9.29376, 12.882213333333333, 8.343533333333335, 6.500682352941176, 4.166666666666667, 5.967114779825512, 4.931775000000001, 2.753466666666667, 1.4432666666666667, 0.0), # 36 (16.41338435081044, 15.839771650663007, 13.757962505715593, 14.78744413580247, 11.938308821319383, 5.833333333333334, 6.486753748083595, 5.931325102880659, 6.437456625514404, 3.090672391403751, 2.2247055410067764, 1.2899505563176348, 0.0, 16.2, 14.18945611949398, 11.123527705033881, 9.27201717421125, 12.874913251028808, 8.303855144032923, 6.486753748083595, 4.166666666666667, 5.969154410659692, 4.929148045267491, 2.751592501143119, 1.4399792409693644, 0.0), # 37 (16.425236149607162, 15.801750983081849, 13.748086877000459, 14.77911141975309, 11.942259430445535, 5.833333333333334, 6.4721148067457435, 5.901699588477367, 6.433605102880659, 3.0830683493369926, 2.22353837968159, 1.2886338058222835, 0.0, 16.2, 14.174971864045116, 11.11769189840795, 9.249205048010975, 12.867210205761317, 8.262379423868314, 6.4721148067457435, 4.166666666666667, 5.971129715222768, 4.926370473251031, 2.7496173754000917, 1.4365228166438047, 0.0), # 38 (16.436711349859177, 15.761967901234568, 13.737728395061731, 14.770341666666667, 11.94608119124235, 5.833333333333334, 6.456803485838781, 5.8708888888888895, 6.42956, 3.0751293827160504, 2.2223061728395064, 1.2872526748971194, 0.0, 16.2, 14.159779423868311, 11.111530864197531, 9.225388148148149, 12.85912, 8.219244444444445, 6.456803485838781, 4.166666666666667, 5.973040595621175, 4.923447222222223, 2.7475456790123465, 1.4329061728395065, 0.0), # 39 (16.44780867824346, 15.720518975765888, 13.726909007773205, 14.761149691358025, 11.949773907922687, 5.833333333333334, 6.440857742273865, 5.838991769547327, 6.425329218106996, 3.0668770004572488, 2.2210105166895295, 1.2858100899253166, 0.0, 16.2, 14.143910989178481, 11.105052583447646, 9.200631001371743, 12.850658436213992, 8.174588477366258, 6.440857742273865, 4.166666666666667, 5.974886953961343, 4.920383230452676, 2.745381801554641, 1.42913808870599, 0.0), # 40 (16.458526861437004, 15.677500777320528, 13.71565066300869, 14.751550308641978, 11.953337384699417, 5.833333333333334, 6.424315532962156, 5.806106995884774, 6.420920658436214, 3.05833271147691, 2.2196530074406624, 1.2843089772900476, 0.0, 16.2, 14.12739875019052, 11.09826503720331, 9.174998134430727, 12.841841316872427, 8.128549794238685, 6.424315532962156, 4.166666666666667, 5.976668692349708, 4.9171834362139935, 2.743130132601738, 1.4252273433927756, 0.0), # 41 (16.4688646261168, 15.633009876543213, 13.70397530864198, 14.741558333333336, 11.956771425785394, 5.833333333333334, 6.4072148148148145, 5.772333333333334, 6.416342222222223, 3.049518024691359, 2.2182352413019086, 1.282752263374486, 0.0, 16.2, 14.110274897119341, 11.091176206509541, 9.148554074074074, 12.832684444444446, 8.081266666666668, 6.4072148148148145, 4.166666666666667, 5.978385712892697, 4.913852777777779, 2.740795061728396, 1.421182716049383, 0.0), # 42 (16.47882069895983, 15.587142844078647, 13.69190489254687, 14.731188580246915, 11.960075835393496, 5.833333333333334, 6.389593544743001, 5.737769547325104, 6.4116018106995885, 3.040454449016919, 2.2167588144822714, 1.281142874561805, 0.0, 16.2, 14.092571620179852, 11.083794072411356, 9.121363347050755, 12.823203621399177, 8.032877366255146, 6.389593544743001, 4.166666666666667, 5.980037917696748, 4.9103961934156395, 2.738380978509374, 1.4170129858253318, 0.0), # 43 (16.488393806643085, 15.539996250571559, 13.679461362597166, 14.720455864197532, 11.963250417736582, 5.833333333333334, 6.371489679657872, 5.702514403292183, 6.4067073251028805, 3.031163493369914, 2.2152253231907557, 1.279483737235178, 0.0, 16.2, 14.074321109586954, 11.076126615953777, 9.09349048010974, 12.813414650205761, 7.983520164609057, 6.371489679657872, 4.166666666666667, 5.981625208868291, 4.906818621399179, 2.7358922725194335, 1.4127269318701419, 0.0), # 44 (16.497582675843546, 15.491666666666667, 13.66666666666667, 14.709375000000001, 11.966294977027516, 5.833333333333334, 6.352941176470589, 5.666666666666668, 6.4016666666666655, 3.021666666666668, 2.213636363636364, 1.277777777777778, 0.0, 16.2, 14.055555555555554, 11.068181818181818, 9.065000000000001, 12.803333333333331, 7.9333333333333345, 6.352941176470589, 4.166666666666667, 5.983147488513758, 4.903125000000001, 2.733333333333334, 1.4083333333333337, 0.0), # 45 (16.50638603323821, 15.442250663008686, 13.653542752629173, 14.697960802469137, 11.969209317479164, 5.833333333333334, 6.333985992092311, 5.63032510288066, 6.396487736625514, 3.0119854778235036, 2.2119935320281, 1.2760279225727789, 0.0, 16.2, 14.036307148300564, 11.059967660140499, 9.035956433470508, 12.792975473251028, 7.882455144032924, 6.333985992092311, 4.166666666666667, 5.984604658739582, 4.899320267489713, 2.730708550525835, 1.4038409693644263, 0.0), # 46 (16.514802605504055, 15.391844810242342, 13.640111568358483, 14.686228086419753, 11.971993243304391, 5.833333333333334, 6.3146620834341975, 5.593588477366255, 6.391178436213992, 3.0021414357567453, 2.210298424574968, 1.2742370980033535, 0.0, 16.2, 14.016608078036885, 11.051492122874839, 9.006424307270233, 12.782356872427984, 7.831023868312758, 6.3146620834341975, 4.166666666666667, 5.985996621652196, 4.895409362139919, 2.728022313671697, 1.3992586191129404, 0.0), # 47 (16.522831119318074, 15.340545679012347, 13.626395061728397, 14.674191666666669, 11.974646558716064, 5.833333333333334, 6.295007407407407, 5.556555555555557, 6.385746666666667, 2.9921560493827166, 2.208552637485971, 1.272408230452675, 0.0, 16.2, 13.996490534979422, 11.042763187429854, 8.976468148148149, 12.771493333333334, 7.77917777777778, 6.295007407407407, 4.166666666666667, 5.987323279358032, 4.891397222222224, 2.7252790123456796, 1.3945950617283953, 0.0), # 48 (16.53047030135726, 15.288449839963418, 13.612415180612713, 14.661866358024692, 11.977169067927047, 5.833333333333334, 6.275059920923102, 5.519325102880659, 6.380200329218106, 2.982050827617742, 2.2067577669701133, 1.2705442463039174, 0.0, 16.2, 13.97598670934309, 11.033788834850565, 8.946152482853226, 12.760400658436213, 7.727055144032923, 6.275059920923102, 4.166666666666667, 5.9885845339635235, 4.887288786008232, 2.7224830361225427, 1.389859076360311, 0.0), # 49 (16.537718878298588, 15.235653863740286, 13.598193872885233, 14.649266975308642, 11.979560575150202, 5.833333333333334, 6.25485758089244, 5.481995884773663, 6.3745473251028795, 2.971847279378144, 2.204915409236397, 1.2686480719402533, 0.0, 16.2, 13.955128791342785, 11.024577046181985, 8.91554183813443, 12.749094650205759, 7.674794238683129, 6.25485758089244, 4.166666666666667, 5.989780287575101, 4.883088991769548, 2.7196387745770467, 1.385059442158208, 0.0), # 50 (16.544575576819057, 15.182254320987655, 13.583753086419755, 14.636408333333335, 11.981820884598399, 5.833333333333334, 6.23443834422658, 5.4446666666666665, 6.368795555555556, 2.9615669135802474, 2.2030271604938276, 1.2667226337448563, 0.0, 16.2, 13.933948971193416, 11.015135802469137, 8.88470074074074, 12.737591111111112, 7.622533333333334, 6.23443834422658, 4.166666666666667, 5.9909104422991994, 4.878802777777779, 2.716750617283951, 1.380204938271605, 0.0), # 51 (16.551039123595647, 15.128347782350252, 13.56911476909008, 14.623305246913581, 11.983949800484496, 5.833333333333334, 6.213840167836683, 5.407436213991769, 6.3629529218107, 2.9512312391403754, 2.2010946169514076, 1.2647708581008996, 0.0, 16.2, 13.912479439109894, 11.005473084757037, 8.853693717421125, 12.7259058436214, 7.570410699588477, 6.213840167836683, 4.166666666666667, 5.991974900242248, 4.874435082304528, 2.713822953818016, 1.3753043438500232, 0.0), # 52 (16.55710824530535, 15.074030818472796, 13.554300868770008, 14.609972530864198, 11.985947127021364, 5.833333333333334, 6.1931010086339064, 5.370403292181071, 6.357027325102881, 2.940861764974852, 2.1991193748181406, 1.2627956713915565, 0.0, 16.2, 13.890752385307119, 10.995596874090701, 8.822585294924554, 12.714054650205762, 7.518564609053499, 6.1931010086339064, 4.166666666666667, 5.992973563510682, 4.8699908436214, 2.710860173754002, 1.3703664380429816, 0.0), # 53 (16.562781668625146, 15.019400000000001, 13.539333333333333, 14.596425, 11.987812668421869, 5.833333333333334, 6.172258823529412, 5.333666666666667, 6.351026666666667, 2.9304800000000006, 2.19710303030303, 1.2608000000000001, 0.0, 16.2, 13.8688, 10.98551515151515, 8.791440000000001, 12.702053333333334, 7.467133333333333, 6.172258823529412, 4.166666666666667, 5.993906334210934, 4.865475000000001, 2.707866666666667, 1.3654000000000004, 0.0), # 54 (16.568058120232035, 14.964551897576587, 13.524234110653865, 14.582677469135803, 11.989546228898869, 5.833333333333334, 6.151351569434358, 5.2973251028806585, 6.344958847736625, 2.9201074531321454, 2.1950471796150812, 1.2587867703094042, 0.0, 16.2, 13.846654473403445, 10.975235898075404, 8.760322359396435, 12.68991769547325, 7.416255144032922, 6.151351569434358, 4.166666666666667, 5.994773114449434, 4.860892489711935, 2.704846822130773, 1.360413808870599, 0.0), # 55 (16.572936326802996, 14.909583081847279, 13.509025148605396, 14.56874475308642, 11.991147612665237, 5.833333333333334, 6.130417203259905, 5.261477366255145, 6.338831769547324, 2.9097656332876096, 2.1929534189632958, 1.2567589087029418, 0.0, 16.2, 13.824347995732358, 10.964767094816478, 8.729296899862828, 12.677663539094649, 7.366068312757203, 6.130417203259905, 4.166666666666667, 5.995573806332619, 4.856248251028807, 2.7018050297210796, 1.3554166438042983, 0.0), # 56 (16.577415015015013, 14.85459012345679, 13.493728395061732, 14.554641666666669, 11.99261662393383, 5.833333333333334, 6.109493681917211, 5.226222222222224, 6.332653333333334, 2.899476049382717, 2.1908233445566783, 1.254719341563786, 0.0, 16.2, 13.801912757201645, 10.95411672278339, 8.69842814814815, 12.665306666666668, 7.316711111111113, 6.109493681917211, 4.166666666666667, 5.996308311966915, 4.851547222222224, 2.6987456790123465, 1.3504172839506174, 0.0), # 57 (16.581492911545087, 14.79966959304984, 13.478365797896664, 14.540383024691359, 11.99395306691752, 5.833333333333334, 6.088618962317438, 5.191658436213992, 6.326431440329218, 2.8892602103337914, 2.1886585526042324, 1.2526709952751107, 0.0, 16.2, 13.779380948026215, 10.943292763021162, 8.667780631001373, 12.652862880658436, 7.2683218106995895, 6.088618962317438, 4.166666666666667, 5.99697653345876, 4.846794341563787, 2.695673159579333, 1.3454245084590766, 0.0), # 58 (16.585168743070195, 14.744918061271147, 13.462959304983997, 14.525983641975309, 11.995156745829167, 5.833333333333334, 6.067831001371743, 5.157884773662552, 6.320173991769548, 2.879139625057157, 2.1864606393149604, 1.2506167962200887, 0.0, 16.2, 13.756784758420972, 10.9323031965748, 8.63741887517147, 12.640347983539096, 7.221038683127573, 6.067831001371743, 4.166666666666667, 5.9975783729145835, 4.841994547325104, 2.6925918609968, 1.3404470964791952, 0.0), # 59 (16.588441236267325, 14.690432098765434, 13.44753086419753, 14.511458333333334, 11.996227464881638, 5.833333333333334, 6.0471677559912855, 5.125000000000001, 6.31388888888889, 2.8691358024691365, 2.184231200897868, 1.2485596707818931, 0.0, 16.2, 13.734156378600822, 10.921156004489339, 8.607407407407408, 12.62777777777778, 7.175000000000001, 6.0471677559912855, 4.166666666666667, 5.998113732440819, 4.837152777777779, 2.6895061728395064, 1.3354938271604941, 0.0), # 60 (16.591309117813463, 14.636308276177413, 13.432102423411067, 14.496821913580249, 11.997165028287798, 5.833333333333334, 6.026667183087227, 5.093102880658437, 6.3075840329218105, 2.8592702514860546, 2.1819718335619576, 1.246502545343698, 0.0, 16.2, 13.711527998780674, 10.909859167809786, 8.577810754458163, 12.615168065843621, 7.130344032921811, 6.026667183087227, 4.166666666666667, 5.998582514143899, 4.832273971193417, 2.6864204846822135, 1.3305734796524924, 0.0), # 61 (16.593771114385607, 14.582643164151806, 13.416695930498403, 14.482089197530867, 11.997969240260517, 5.833333333333334, 6.006367239570725, 5.062292181069959, 6.301267325102881, 2.849564481024235, 2.1796841335162327, 1.2444483462886757, 0.0, 16.2, 13.68893180917543, 10.898420667581162, 8.548693443072704, 12.602534650205762, 7.0872090534979435, 6.006367239570725, 4.166666666666667, 5.998984620130258, 4.827363065843623, 2.6833391860996807, 1.3256948331047098, 0.0), # 62 (16.595825952660736, 14.529533333333333, 13.401333333333335, 14.467275000000003, 11.998639905012647, 5.833333333333334, 5.986305882352941, 5.0326666666666675, 6.294946666666666, 2.8400400000000006, 2.1773696969696976, 1.2424000000000002, 0.0, 16.2, 13.6664, 10.886848484848487, 8.52012, 12.589893333333332, 7.045733333333335, 5.986305882352941, 4.166666666666667, 5.999319952506323, 4.822425000000002, 2.6802666666666672, 1.3208666666666669, 0.0), # 63 (16.597472359315837, 14.477075354366713, 13.386036579789668, 14.452394135802471, 11.999176826757065, 5.833333333333334, 5.966521068345034, 5.004325102880659, 6.288629958847737, 2.830718317329676, 2.1750301201313547, 1.2403604328608446, 0.0, 16.2, 13.64396476146929, 10.875150600656774, 8.492154951989026, 12.577259917695473, 7.006055144032923, 5.966521068345034, 4.166666666666667, 5.999588413378532, 4.817464711934158, 2.6772073159579337, 1.316097759487883, 0.0), # 64 (16.5987090610279, 14.425365797896662, 13.370827617741199, 14.437461419753088, 11.999579809706631, 5.833333333333334, 5.947050754458163, 4.977366255144033, 6.282325102880659, 2.8216209419295843, 2.1726669992102097, 1.238332571254382, 0.0, 16.2, 13.6216582837982, 10.863334996051048, 8.464862825788751, 12.564650205761318, 6.968312757201646, 5.947050754458163, 4.166666666666667, 5.999789904853316, 4.812487139917697, 2.67416552354824, 1.3113968907178786, 0.0), # 65 (16.599534784473914, 14.374501234567903, 13.35572839506173, 14.422491666666668, 11.99984865807421, 5.833333333333334, 5.927932897603486, 4.95188888888889, 6.27604, 2.81276938271605, 2.170281930415264, 1.2363193415637863, 0.0, 16.2, 13.599512757201648, 10.851409652076319, 8.438308148148149, 12.55208, 6.932644444444446, 5.927932897603486, 4.166666666666667, 5.999924329037105, 4.807497222222223, 2.6711456790123465, 1.3067728395061733, 0.0), # 66 (16.59994825633087, 14.324578235025148, 13.340760859625059, 14.407499691358025, 11.999983176072671, 5.833333333333334, 5.909205454692165, 4.927991769547327, 6.269782551440329, 2.8041851486053964, 2.1678765099555233, 1.23432367017223, 0.0, 16.2, 13.577560371894528, 10.839382549777614, 8.412555445816189, 12.539565102880658, 6.899188477366257, 5.909205454692165, 4.166666666666667, 5.999991588036336, 4.802499897119342, 2.6681521719250116, 1.3022343850022864, 0.0), # 67 (16.59966658316932, 14.275431337669806, 13.325874599908552, 14.39237008856683, 11.999869818983834, 5.833225077478026, 5.890812155863717, 4.905562566681908, 6.263513519280598, 2.795848176658867, 2.1654095969441007, 1.2323373362532992, 0.0, 16.19980024005487, 13.555710698786289, 10.827047984720503, 8.3875445299766, 12.527027038561195, 6.867787593354672, 5.890812155863717, 4.166589341055733, 5.999934909491917, 4.797456696188944, 2.6651749199817103, 1.29776648524271, 0.0), # 68 (16.597026731078905, 14.22556009557945, 13.310651234567901, 14.376340217391304, 11.998838053740013, 5.832369272976682, 5.872214545077291, 4.8833991769547325, 6.256958847736625, 2.7875225562817723, 2.162630090377459, 1.2302958631145768, 0.0, 16.198217592592595, 13.533254494260342, 10.813150451887294, 8.362567668845315, 12.51391769547325, 6.8367588477366255, 5.872214545077291, 4.165978052126201, 5.999419026870006, 4.792113405797102, 2.66213024691358, 1.2932327359617684, 0.0), # 69 (16.59181726009423, 14.174735607770254, 13.295024577046181, 14.359304549114333, 11.996799268404205, 5.8306838388457045, 5.853328107649096, 4.861301630848957, 6.2500815424477985, 2.7791678097850943, 2.159506369740288, 1.228189701505708, 0.0, 16.195091735253776, 13.510086716562785, 10.797531848701441, 8.337503429355282, 12.500163084895597, 6.80582228318854, 5.853328107649096, 4.164774170604074, 5.998399634202102, 4.786434849704778, 2.6590049154092363, 1.2886123279791142, 0.0), # 70 (16.584111457028687, 14.122988247267578, 13.279000114311843, 14.341288204508857, 11.993779284004411, 5.828196087994717, 5.8341613276311906, 4.8392772443225125, 6.242891845755221, 2.7707841437370564, 2.1560499655423633, 1.226020391628362, 0.0, 16.190463820301783, 13.486224307911982, 10.780249827711817, 8.312352431211167, 12.485783691510441, 6.774988142051518, 5.8341613276311906, 4.162997205710512, 5.9968896420022055, 4.780429401502953, 2.6558000228623686, 1.2839080224788708, 0.0), # 71 (16.573982608695655, 14.070348387096773, 13.262583333333334, 14.322316304347826, 11.989803921568626, 5.824933333333335, 5.81472268907563, 4.817333333333334, 6.2354, 2.762371764705883, 2.1522724082934617, 1.2237894736842108, 0.0, 16.184375, 13.461684210526316, 10.761362041467306, 8.287115294117648, 12.4708, 6.744266666666667, 5.81472268907563, 4.160666666666668, 5.994901960784313, 4.7741054347826095, 2.6525166666666666, 1.2791225806451614, 0.0), # 72 (16.561504001908514, 14.016846400283198, 13.245779721079103, 14.302413969404189, 11.984899002124855, 5.820922887771173, 5.795020676034474, 4.795477213839354, 6.227616247523244, 2.753930879259798, 2.1481852285033574, 1.2214984878749227, 0.0, 16.1768664266118, 13.436483366624147, 10.740926142516786, 8.261792637779392, 12.455232495046488, 6.713668099375096, 5.795020676034474, 4.157802062693695, 5.992449501062428, 4.76747132313473, 2.649155944215821, 1.274258763662109, 0.0), # 73 (16.546748923480646, 13.962512659852205, 13.228594764517604, 14.281606320450884, 11.979090346701094, 5.816192064217854, 5.775063772559778, 4.773716201798507, 6.219550830666057, 2.7454616939670253, 2.143799956681829, 1.219148974402169, 0.0, 16.167979252400553, 13.410638718423858, 10.718999783409142, 8.236385081901075, 12.439101661332113, 6.683202682517909, 5.775063772559778, 4.154422903012753, 5.989545173350547, 4.760535440150296, 2.645718952903521, 1.269319332713837, 0.0), # 74 (16.52979066022544, 13.90737753882915, 13.211033950617283, 14.259918478260868, 11.972403776325345, 5.810768175582992, 5.754860462703601, 4.752057613168724, 6.211213991769547, 2.7369644153957884, 2.13912812333865, 1.2167424734676198, 0.0, 16.157754629629633, 13.384167208143815, 10.695640616693249, 8.210893246187364, 12.422427983539094, 6.652880658436215, 5.754860462703601, 4.150548696844995, 5.986201888162673, 4.7533061594202906, 2.6422067901234567, 1.2643070489844683, 0.0), # 75 (16.510702498956285, 13.851471410239393, 13.193102766346595, 14.237375563607085, 11.964865112025606, 5.804678534776205, 5.734419230517997, 4.730508763907942, 6.2026159731748205, 2.728439250114312, 2.134181258983598, 1.2142805252729445, 0.0, 16.146233710562413, 13.357085778002387, 10.67090629491799, 8.185317750342936, 12.405231946349641, 6.622712269471118, 5.734419230517997, 4.146198953411575, 5.982432556012803, 4.745791854535696, 2.638620553269319, 1.259224673658127, 0.0), # 76 (16.48955772648655, 13.794824647108282, 13.174806698673981, 14.21400269726248, 11.956500174829877, 5.797950454707109, 5.7137485600550235, 4.70907696997409, 6.193767017222985, 2.7198864046908207, 2.1289708941264505, 1.2117646700198144, 0.0, 16.13345764746228, 13.329411370217956, 10.64485447063225, 8.15965921407246, 12.38753403444597, 6.592707757963726, 5.7137485600550235, 4.141393181933649, 5.9782500874149385, 4.738000899087494, 2.6349613397347964, 1.254074967918935, 0.0), # 77 (16.46642962962963, 13.737467622461173, 13.156151234567902, 14.189825, 11.94733478576616, 5.790611248285322, 5.69285693536674, 4.687769547325104, 6.184677366255142, 2.711306085693537, 2.123508559276981, 1.2091964479098987, 0.0, 16.119467592592596, 13.301160927008882, 10.617542796384903, 8.13391825708061, 12.369354732510285, 6.562877366255145, 5.69285693536674, 4.136150891632373, 5.97366739288308, 4.729941666666668, 2.6312302469135807, 1.248860692951016, 0.0), # 78 (16.441391495198904, 13.679430709323423, 13.1371418609968, 14.164867592592593, 11.93739476586245, 5.782688228420464, 5.671752840505201, 4.666593811918916, 6.1753572626124065, 2.702698499690686, 2.117805784944966, 1.2065773991448674, 0.0, 16.104304698216733, 13.27235139059354, 10.58902892472483, 8.108095499072057, 12.350714525224813, 6.533231336686482, 5.671752840505201, 4.130491591728903, 5.968697382931225, 4.721622530864199, 2.6274283721993603, 1.243584609938493, 0.0), # 79 (16.414516610007755, 13.620744280720386, 13.117784064929126, 14.139155595813204, 11.92670593614675, 5.774208708022151, 5.650444759522465, 4.645557079713459, 6.165816948635879, 2.694063853250491, 2.111874101640184, 1.2039090639263914, 0.0, 16.08801011659808, 13.242999703190304, 10.559370508200919, 8.082191559751472, 12.331633897271757, 6.503779911598843, 5.650444759522465, 4.1244347914443935, 5.963352968073375, 4.713051865271069, 2.6235568129858255, 1.23824948006549, 0.0), # 80 (16.385878260869568, 13.56143870967742, 13.098083333333335, 14.112714130434785, 11.915294117647058, 5.765200000000001, 5.628941176470589, 4.624666666666667, 6.156066666666666, 2.685402352941177, 2.1057250398724086, 1.2011929824561405, 0.0, 16.070625, 13.213122807017545, 10.528625199362043, 8.05620705882353, 12.312133333333332, 6.474533333333334, 5.628941176470589, 4.118, 5.957647058823529, 4.704238043478263, 2.619616666666667, 1.2328580645161293, 0.0), # 81 (16.355549734597723, 13.501544369219879, 13.078045153177872, 14.085568317230274, 11.903185131391377, 5.75568941726363, 5.607250575401629, 4.603929888736474, 6.146116659045877, 2.676714205330967, 2.099370130151417, 1.198430694935785, 0.0, 16.052190500685874, 13.182737644293633, 10.496850650757084, 8.030142615992899, 12.292233318091753, 6.445501844231063, 5.607250575401629, 4.111206726616879, 5.951592565695688, 4.695189439076759, 2.6156090306355746, 1.2274131244745345, 0.0), # 82 (16.323604318005607, 13.441091632373114, 13.057675011431185, 14.057743276972625, 11.890404798407703, 5.745704272722655, 5.585381440367643, 4.5833540618808115, 6.135977168114616, 2.667999616988085, 2.0928209029869853, 1.195623741566995, 0.0, 16.03274777091907, 13.151861157236944, 10.464104514934926, 8.003998850964255, 12.271954336229232, 6.416695686633136, 5.585381440367643, 4.104074480516182, 5.945202399203851, 4.6859144256575425, 2.6115350022862374, 1.2219174211248287, 0.0), # 83 (16.290115297906603, 13.380110872162485, 13.036978395061729, 14.029264130434784, 11.876978939724037, 5.735271879286694, 5.563342255420687, 4.562946502057613, 6.125658436213991, 2.659258794480756, 2.0860888888888893, 1.1927736625514405, 0.0, 16.012337962962963, 13.120510288065844, 10.430444444444445, 7.977776383442267, 12.251316872427982, 6.388125102880658, 5.563342255420687, 4.096622770919067, 5.938489469862018, 4.676421376811596, 2.607395679012346, 1.2163737156511352, 0.0), # 84 (16.255155961114095, 13.318632461613346, 13.015960791037951, 14.000155998389694, 11.862933376368382, 5.724419549865368, 5.54114150461282, 4.542714525224815, 6.115170705685108, 2.650491944377203, 2.0791856183669055, 1.1898819980907918, 0.0, 15.991002229080934, 13.088701978998708, 10.395928091834525, 7.951475833131607, 12.230341411370215, 6.35980033531474, 5.54114150461282, 4.088871107046691, 5.931466688184191, 4.666718666129899, 2.6031921582075905, 1.210784769237577, 0.0), # 85 (16.21879959444146, 13.256686773751051, 12.994627686328306, 13.970444001610309, 11.84829392936873, 5.713174597368289, 5.518787671996097, 4.522665447340345, 6.104524218869075, 2.64169927324565, 2.0721226219308098, 1.1869502883867193, 0.0, 15.968781721536352, 13.05645317225391, 10.360613109654047, 7.9250978197369495, 12.20904843773815, 6.331731626276483, 5.518787671996097, 4.080838998120206, 5.924146964684365, 4.656814667203437, 2.5989255372656612, 1.2051533430682777, 0.0), # 86 (16.18111948470209, 13.194304181600955, 12.972984567901234, 13.940153260869565, 11.833086419753089, 5.7015643347050755, 5.496289241622575, 4.5028065843621405, 6.093729218106997, 2.6328809876543215, 2.0649114300903775, 1.1839800736408925, 0.0, 15.945717592592594, 13.023780810049816, 10.324557150451888, 7.898642962962963, 12.187458436213994, 6.303929218106997, 5.496289241622575, 4.072545953360768, 5.9165432098765445, 4.646717753623189, 2.594596913580247, 1.1994821983273598, 0.0), # 87 (16.142188918709373, 13.131515058188414, 12.951036922725194, 13.90930889694042, 11.817336668549451, 5.689616074785349, 5.473654697544313, 4.483145252248133, 6.082795945739979, 2.624037294171441, 2.0575635733553868, 1.1809728940549822, 0.0, 15.921850994513035, 12.990701834604803, 10.287817866776932, 7.8721118825143215, 12.165591891479957, 6.276403353147386, 5.473654697544313, 4.064011481989534, 5.908668334274726, 4.636436298980141, 2.5902073845450393, 1.193774096198947, 0.0), # 88 (16.102081183276677, 13.068349776538785, 12.928790237768634, 13.877936030595814, 11.80107049678582, 5.677357130518723, 5.4508925238133665, 4.463688766956257, 6.07173464410913, 2.6151683993652335, 2.050090582235612, 1.1779302898306583, 0.0, 15.897223079561043, 12.957233188137238, 10.250452911178058, 7.845505198095699, 12.14346928821826, 6.24916427373876, 5.4508925238133665, 4.055255093227659, 5.90053524839291, 4.625978676865272, 2.585758047553727, 1.1880317978671624, 0.0), # 89 (16.06086956521739, 13.004838709677419, 12.906250000000002, 13.846059782608698, 11.784313725490197, 5.664814814814815, 5.428011204481793, 4.444444444444445, 6.060555555555556, 2.606274509803922, 2.04250398724083, 1.1748538011695908, 0.0, 15.871875000000001, 12.923391812865496, 10.212519936204147, 7.818823529411765, 12.121111111111112, 6.222222222222222, 5.428011204481793, 4.046296296296297, 5.892156862745098, 4.615353260869567, 2.5812500000000003, 1.1822580645161291, 0.0), # 90 (16.0186273513449, 12.941012230629672, 12.883421696387746, 13.813705273752014, 11.767092175690575, 5.652016440583244, 5.405019223601649, 4.4254196006706294, 6.049268922420364, 2.597355832055731, 2.0348153188808165, 1.17174496827345, 0.0, 15.845847908093276, 12.889194651007948, 10.174076594404081, 7.792067496167191, 12.098537844840727, 6.195587440938882, 5.405019223601649, 4.037154600416603, 5.883546087845287, 4.604568424584006, 2.5766843392775494, 1.1764556573299705, 0.0), # 91 (15.975427828472597, 12.876900712420905, 12.86031081390032, 13.780897624798712, 11.749431668414964, 5.638989320733629, 5.381925065224994, 4.406621551592746, 6.037884987044658, 2.5884125726888843, 2.027036107665348, 1.1686053313439067, 0.0, 15.819182956104251, 12.85465864478297, 10.135180538326738, 7.765237718066651, 12.075769974089315, 6.169270172229845, 5.381925065224994, 4.027849514809735, 5.874715834207482, 4.593632541599572, 2.5720621627800644, 1.1706273374928098, 0.0), # 92 (15.931344283413848, 12.812534528076466, 12.836922839506174, 13.747661956521743, 11.731358024691357, 5.625760768175583, 5.358737213403881, 4.388057613168725, 6.026413991769548, 2.5794449382716054, 2.0191778841042, 1.1654364305826295, 0.0, 15.791921296296294, 12.819800736408922, 10.095889420521, 7.738334814814815, 12.052827983539096, 6.143280658436215, 5.358737213403881, 4.018400548696845, 5.865679012345678, 4.582553985507248, 2.567384567901235, 1.1647758661887697, 0.0), # 93 (15.886450002982048, 12.74794405062171, 12.813263260173755, 13.714023389694043, 11.712897065547754, 5.612358095818728, 5.335464152190369, 4.369735101356501, 6.014866178936138, 2.5704531353721194, 2.01125217870715, 1.16223980619129, 0.0, 15.764104080932785, 12.784637868104188, 10.056260893535747, 7.711359406116356, 12.029732357872277, 6.117629141899102, 5.335464152190369, 4.008827211299091, 5.856448532773877, 4.571341129898015, 2.5626526520347515, 1.1589040046019738, 0.0), # 94 (15.840818273990577, 12.683159653081995, 12.789337562871514, 13.680007045088567, 11.694074612012159, 5.598808616572678, 5.312114365636515, 4.351661332114007, 6.003251790885536, 2.561437370558649, 2.0032705219839726, 1.1590169983715575, 0.0, 15.735772462277092, 12.749186982087132, 10.016352609919863, 7.684312111675945, 12.006503581771073, 6.09232586495961, 5.312114365636515, 3.999149011837627, 5.847037306006079, 4.560002348362857, 2.5578675125743033, 1.1530145139165453, 0.0), # 95 (15.79452238325282, 12.61821170848268, 12.765151234567902, 13.645638043478261, 11.674916485112563, 5.585139643347051, 5.288696337794377, 4.333843621399177, 5.991581069958848, 2.55239785039942, 1.9952444444444448, 1.1557695473251033, 0.0, 15.706967592592594, 12.713465020576134, 9.976222222222225, 7.657193551198258, 11.983162139917695, 6.067381069958849, 5.288696337794377, 3.9893854595336076, 5.8374582425562815, 4.5485460144927545, 2.553030246913581, 1.1471101553166074, 0.0), # 96 (15.747635617582157, 12.553130589849111, 12.740709762231369, 13.61094150563607, 11.655448505876976, 5.571378489051465, 5.265218552716011, 4.316289285169945, 5.979864258497181, 2.5433347814626543, 1.9871854765983423, 1.152498993253596, 0.0, 15.677730624142663, 12.677488925789556, 9.93592738299171, 7.630004344387961, 11.959728516994362, 6.042804999237923, 5.265218552716011, 3.9795560636081895, 5.827724252938488, 4.536980501878691, 2.5481419524462736, 1.141193689986283, 0.0), # 97 (15.700231263791975, 12.487946670206647, 12.71601863283036, 13.575942552334945, 11.635696495333388, 5.557552466595541, 5.241689494453475, 4.299005639384241, 5.968111598841639, 2.5342483703165772, 1.9791051489554419, 1.1492068763587067, 0.0, 15.648102709190674, 12.64127563994577, 9.89552574477721, 7.60274511094973, 11.936223197683278, 6.018607895137937, 5.241689494453475, 3.969680333282529, 5.817848247666694, 4.525314184111649, 2.5432037265660723, 1.1352678791096953, 0.0), # 98 (15.652382608695653, 12.422690322580646, 12.691083333333335, 13.540666304347827, 11.615686274509805, 5.543688888888889, 5.218117647058825, 4.282000000000001, 5.956333333333333, 2.5251388235294123, 1.9710149920255189, 1.1458947368421055, 0.0, 15.618125000000001, 12.604842105263158, 9.855074960127594, 7.575416470588236, 11.912666666666667, 5.9948000000000015, 5.218117647058825, 3.9597777777777776, 5.807843137254903, 4.51355543478261, 2.5382166666666675, 1.129335483870968, 0.0), # 99 (15.60416293910658, 12.357391919996457, 12.665909350708734, 13.505137882447666, 11.595443664434223, 5.529815068841132, 5.194511494584116, 4.265279682975157, 5.944539704313367, 2.516006347669384, 1.9629265363183495, 1.1425641149054624, 0.0, 15.58783864883402, 12.568205263960085, 9.814632681591746, 7.54801904300815, 11.889079408626735, 5.97139155616522, 5.194511494584116, 3.9498679063150943, 5.797721832217111, 4.501712627482556, 2.533181870141747, 1.1233992654542237, 0.0), # 100 (15.555645541838135, 12.292081835479447, 12.640502171925013, 13.469382407407409, 11.574994486134646, 5.515958319361886, 5.17087952108141, 4.248852004267642, 5.932740954122847, 2.506851149304716, 1.9548513123437101, 1.1392165507504473, 0.0, 15.557284807956103, 12.531382058254918, 9.77425656171855, 7.520553447914146, 11.865481908245695, 5.948392805974699, 5.17087952108141, 3.9399702281156324, 5.787497243067323, 4.48979413580247, 2.528100434385003, 1.1174619850435863, 0.0), # 101 (15.506903703703706, 12.22679044205496, 12.614867283950618, 13.433425000000002, 11.554364560639069, 5.5021459533607695, 5.1472302106027605, 4.2327242798353915, 5.920947325102881, 2.497673435003632, 1.9468008506113774, 1.135853584578731, 0.0, 15.526504629629631, 12.49438943036604, 9.734004253056886, 7.493020305010894, 11.841894650205761, 5.925813991769548, 5.1472302106027605, 3.93010425240055, 5.7771822803195345, 4.477808333333335, 2.522973456790124, 1.1115264038231782, 0.0), # 102 (15.458010711516671, 12.161548112748353, 12.589010173754001, 13.397290780998391, 11.533579708975497, 5.488405283747397, 5.123572047200224, 4.2169038256363365, 5.909169059594573, 2.4884734113343563, 1.9387866816311266, 1.132476756591983, 0.0, 15.495539266117968, 12.457244322511812, 9.693933408155633, 7.4654202340030675, 11.818338119189146, 5.903665355890872, 5.123572047200224, 3.920289488390998, 5.766789854487748, 4.465763593666131, 2.5178020347508006, 1.1055952829771232, 0.0), # 103 (15.409039852090416, 12.096385220584981, 12.562936328303612, 13.361004871175524, 11.512665752171923, 5.474763623431389, 5.099913514925861, 4.201397957628411, 5.897416399939034, 2.479251284865113, 1.9308203359127338, 1.129087606991874, 0.0, 15.464429869684501, 12.419963676910612, 9.654101679563668, 7.437753854595337, 11.794832799878067, 5.881957140679775, 5.099913514925861, 3.9105454453081343, 5.756332876085962, 4.4536682903918425, 2.5125872656607227, 1.099671383689544, 0.0), # 104 (15.360064412238325, 12.031332138590201, 12.536651234567902, 13.324592391304346, 11.491648511256354, 5.461248285322361, 5.076263097831727, 4.186213991769549, 5.885699588477366, 2.470007262164126, 1.922913343965976, 1.125687675980074, 0.0, 15.433217592592593, 12.382564435780811, 9.61456671982988, 7.410021786492376, 11.771399176954732, 5.860699588477368, 5.076263097831727, 3.9008916323731144, 5.745824255628177, 4.44153079710145, 2.5073302469135803, 1.093757467144564, 0.0), # 105 (15.311157678773782, 11.96641923978937, 12.510160379515318, 13.28807846215781, 11.470553807256785, 5.44788658232993, 5.052629279969876, 4.1713592440176805, 5.8740288675506775, 2.4607415497996183, 1.9150772363006283, 1.1222785037582528, 0.0, 15.401943587105624, 12.345063541340778, 9.575386181503141, 7.382224649398854, 11.748057735101355, 5.839902941624753, 5.052629279969876, 3.8913475588070923, 5.735276903628392, 4.429359487385938, 2.5020320759030636, 1.0878562945263066, 0.0), # 106 (15.26239293851017, 11.901676897207842, 12.483469250114315, 13.251488204508856, 11.449407461201215, 5.434705827363715, 5.0290205453923695, 4.156841030330743, 5.862414479500076, 2.451454354339816, 1.9073235434264675, 1.1188616305280807, 0.0, 15.370649005486968, 12.307477935808887, 9.536617717132337, 7.354363063019447, 11.724828959000153, 5.819577442463041, 5.0290205453923695, 3.8819327338312255, 5.724703730600607, 4.417162734836286, 2.496693850022863, 1.081970627018895, 0.0), # 107 (15.21384347826087, 11.83713548387097, 12.456583333333336, 13.214846739130437, 11.428235294117645, 5.421733333333335, 5.0054453781512604, 4.142666666666667, 5.850866666666667, 2.442145882352942, 1.8996637958532698, 1.1154385964912283, 0.0, 15.339375000000002, 12.26982456140351, 9.498318979266347, 7.326437647058825, 11.701733333333333, 5.799733333333334, 5.0054453781512604, 3.8726666666666674, 5.714117647058822, 4.40494891304348, 2.4913166666666675, 1.076103225806452, 0.0), # 108 (15.16558258483927, 11.772825372804107, 12.429508116140834, 13.17817918679549, 11.40706312703408, 5.408996413148403, 4.98191226229861, 4.128843468983388, 5.839395671391555, 2.4328163404072196, 1.8921095240908108, 1.112010941849365, 0.0, 15.308162722908094, 12.232120360343014, 9.460547620454054, 7.298449021221657, 11.67879134278311, 5.780380856576743, 4.98191226229861, 3.8635688665345733, 5.70353156351704, 4.392726395598498, 2.485901623228167, 1.0702568520731008, 0.0), # 109 (15.117683545058746, 11.708776937032614, 12.402249085505263, 13.141510668276972, 11.385916780978512, 5.396522379718539, 4.9584296818864715, 4.1153787532388355, 5.828011736015851, 2.423465935070874, 1.8846722586488671, 1.108580206804162, 0.0, 15.277053326474624, 12.194382274845779, 9.423361293244335, 7.27039780521262, 11.656023472031702, 5.76153025453437, 4.9584296818864715, 3.8546588426560997, 5.692958390489256, 4.380503556092325, 2.4804498171010527, 1.0644342670029652, 0.0), # 110 (15.07021964573269, 11.64502054958184, 12.374811728395064, 13.104866304347826, 11.36482207697894, 5.384338545953361, 4.935006120966905, 4.102279835390947, 5.816725102880659, 2.4140948729121283, 1.8773635300372145, 1.1051479315572885, 0.0, 15.246087962962964, 12.156627247130173, 9.386817650186073, 7.242284618736384, 11.633450205761317, 5.743191769547326, 4.935006120966905, 3.845956104252401, 5.68241103848947, 4.368288768115943, 2.474962345679013, 1.0586382317801675, 0.0), # 111 (15.02326417367448, 11.581586583477144, 12.347201531778696, 13.068271215781, 11.34380483606337, 5.372472224762486, 4.911650063591967, 4.089554031397653, 5.805546014327083, 2.404703360499207, 1.8701948687656293, 1.101715656310415, 0.0, 15.215307784636488, 12.118872219414563, 9.350974343828147, 7.214110081497619, 11.611092028654166, 5.725375643956714, 4.911650063591967, 3.837480160544633, 5.671902418031685, 4.356090405260334, 2.469440306355739, 1.0528715075888313, 0.0), # 112 (14.976806757924871, 11.51861130755273, 12.319490437669426, 13.031800658990448, 11.322854058851952, 5.3609451179335466, 4.888420770925416, 4.077235045853738, 5.794513499337931, 2.3953218946450923, 1.8631797083074313, 1.098292391533924, 0.0, 15.184710241349155, 12.081216306873161, 9.315898541537155, 7.185965683935276, 11.589026998675863, 5.708129064195233, 4.888420770925416, 3.829246512809676, 5.661427029425976, 4.343933552996817, 2.4638980875338854, 1.0471464825047938, 0.0), # 113 (14.930369436640104, 11.456715869170786, 12.292060900028826, 12.995747305532802, 11.301752911537415, 5.349730967961242, 4.865614566728464, 4.065474173003413, 5.783796819046966, 2.3861260671651134, 1.8563318232301862, 1.094921622948397, 0.0, 15.154040662656056, 12.044137852432362, 9.28165911615093, 7.1583782014953385, 11.567593638093932, 5.691663842204779, 4.865614566728464, 3.821236405686601, 5.6508764557687075, 4.331915768510935, 2.4584121800057654, 1.0415196244700715, 0.0), # 114 (14.883815844806392, 11.395922558068468, 12.264929243609757, 12.960101406218136, 11.280434856414509, 5.338800611665514, 4.84324772015325, 4.054268436185806, 5.773399988623354, 2.3771301311952313, 1.8496412030472253, 1.091605011007847, 0.0, 15.123210610656603, 12.007655121086316, 9.248206015236125, 7.131390393585693, 11.546799977246708, 5.675975810660129, 4.84324772015325, 3.8134290083325095, 5.640217428207254, 4.320033802072713, 2.452985848721952, 1.0359929598244064, 0.0), # 115 (14.837087797180216, 11.336142812561162, 12.238042919978499, 12.924799380319683, 11.25886776147603, 5.328128285467958, 4.821283854022315, 4.043586875265996, 5.763296714254843, 2.3683173433798195, 1.8430949150057288, 1.0883364263316462, 0.0, 15.092171615609425, 11.971700689648106, 9.215474575028642, 7.104952030139457, 11.526593428509686, 5.661021625372395, 4.821283854022315, 3.8058059181913984, 5.629433880738015, 4.308266460106562, 2.4476085839957, 1.0305584375055605, 0.0), # 116 (14.790127108518035, 11.277288070964257, 12.211349380701316, 12.88977764711069, 11.237019494714783, 5.317688225790165, 4.799686591158202, 4.033398530109057, 5.753460702129175, 2.359670960363252, 1.8366800263528757, 1.085109739539167, 0.0, 15.06087520777316, 11.936207134930834, 9.183400131764378, 7.079012881089755, 11.50692140425835, 5.6467579421526795, 4.799686591158202, 3.7983487327072605, 5.6185097473573915, 4.296592549036898, 2.4422698761402635, 1.0252080064512963, 0.0), # 117 (14.742875593576338, 11.21926977159314, 12.18479607734449, 12.854972625864399, 11.214857924123566, 5.3074546690537305, 4.7784195543834524, 4.023672440580065, 5.743865658434098, 2.351174238789904, 1.8303836043358468, 1.0819188212497801, 0.0, 15.02927291740644, 11.901107033747579, 9.151918021679233, 7.053522716369711, 11.487731316868196, 5.633141416812091, 4.7784195543834524, 3.791039049324093, 5.607428962061783, 4.284990875288134, 2.436959215468898, 1.0199336155993766, 0.0), # 118 (14.695275067111588, 11.161999352763203, 12.158330461474298, 12.820320735854047, 11.192350917695169, 5.297401851680244, 4.757446366520605, 4.014377646544097, 5.734485289357356, 2.3428104353041492, 1.824192716201821, 1.0787575420828581, 0.0, 14.997316274767892, 11.866332962911438, 9.120963581009105, 7.028431305912447, 11.468970578714712, 5.620128705161736, 4.757446366520605, 3.7838584654858884, 5.5961754588475845, 4.273440245284683, 2.43166609229486, 1.014727213887564, 0.0), # 119 (14.647267343880259, 11.105388252789831, 12.131899984657018, 12.785758396352872, 11.169466343422396, 5.287504010091301, 4.736730650392203, 4.005483187866229, 5.7252933010866975, 2.3345628065503625, 1.818094429197978, 1.0756197726577732, 0.0, 14.964956810116156, 11.831817499235502, 9.090472145989889, 7.003688419651086, 11.450586602173395, 5.60767646301272, 4.736730650392203, 3.7767885786366437, 5.584733171711198, 4.2619194654509585, 2.4263799969314035, 1.0095807502536214, 0.0), # 120 (14.59879423863883, 11.049347909988416, 12.105452098458917, 12.751222026634121, 11.146172069298046, 5.277735380708496, 4.716236028820784, 3.9969581044115383, 5.716263399809866, 2.326414609172919, 1.812075810571498, 1.0724993835938965, 0.0, 14.932146053709857, 11.797493219532859, 9.060379052857488, 6.979243827518756, 11.432526799619732, 5.595741346176154, 4.716236028820784, 3.769810986220354, 5.573086034649023, 4.250407342211375, 2.4210904196917835, 1.0044861736353108, 0.0), # 121 (14.549797566143766, 10.993789762674343, 12.078934254446281, 12.716648045971027, 11.122435963314915, 5.268070199953418, 4.695926124628894, 3.9887714360450994, 5.707369291714607, 2.3183490998161913, 1.8061239275695606, 1.0693902455106004, 0.0, 14.898835535807633, 11.763292700616601, 9.030619637847803, 6.955047299448573, 11.414738583429214, 5.584280010463139, 4.695926124628894, 3.762907285681013, 5.561217981657458, 4.238882681990344, 2.4157868508892566, 0.9994354329703949, 0.0), # 122 (14.50021914115155, 10.938625249163001, 12.052293904185383, 12.681972873636834, 11.098225893465804, 5.258482704247664, 4.675764560639071, 3.9808922226319887, 5.698584682988669, 2.3103495351245553, 1.8002258474393456, 1.0662862290272563, 0.0, 14.864976786668116, 11.729148519299818, 9.001129237196727, 6.931048605373665, 11.397169365977337, 5.573249111684785, 4.675764560639071, 3.7560590744626166, 5.549112946732902, 4.227324291212279, 2.4104587808370765, 0.9944204771966367, 0.0), # 123 (14.450000778418648, 10.883765807769782, 12.025478499242494, 12.647132928904785, 11.073509727743506, 5.248947130012824, 4.655714959673856, 3.9732895040372846, 5.689883279819794, 2.302399171742385, 1.794368637428032, 1.063181204763237, 0.0, 14.830521336549939, 11.694993252395603, 8.971843187140161, 6.907197515227153, 11.379766559639588, 5.562605305652198, 4.655714959673856, 3.74924795000916, 5.536754863871753, 4.215710976301596, 2.405095699848499, 0.9894332552517985, 0.0), # 124 (14.399084292701534, 10.82912287681007, 11.9984354911839, 12.612064631048113, 11.048255334140823, 5.239437713670492, 4.635740944555791, 3.965932320126061, 5.68123878839573, 2.294481266314054, 1.7885393647828007, 1.0600690433379134, 0.0, 14.795420715711726, 11.660759476717045, 8.942696823914003, 6.883443798942161, 11.36247757679146, 5.552305248176485, 4.635740944555791, 3.7424555097646373, 5.524127667070411, 4.204021543682705, 2.39968709823678, 0.9844657160736429, 0.0), # 125 (14.347411498756685, 10.774607894599258, 11.971112331575865, 12.576704399340066, 11.022430580650552, 5.229928691642264, 4.615806138107416, 3.958789710763395, 5.6726249149042225, 2.2865790754839375, 1.7827250967508306, 1.0569436153706582, 0.0, 14.759626454412127, 11.626379769077237, 8.913625483754151, 6.859737226451811, 11.345249829808445, 5.542305595068753, 4.615806138107416, 3.735663351173045, 5.511215290325276, 4.192234799780023, 2.394222466315173, 0.9795098085999328, 0.0), # 126 (14.294924211340579, 10.720132299452729, 11.943456471984673, 12.54098865305388, 10.996003335265492, 5.220394300349728, 4.595874163151275, 3.951830715814364, 5.664015365533016, 2.27867585589641, 1.7769129005793014, 1.0537987914808424, 0.0, 14.723090082909758, 11.591786706289264, 8.884564502896506, 6.836027567689229, 11.328030731066033, 5.53256300214011, 4.595874163151275, 3.728853071678377, 5.498001667632746, 4.1803295510179606, 2.388691294396935, 0.97455748176843, 0.0), # 127 (14.241564245209673, 10.665607529685879, 11.915415363976601, 12.504853811462798, 10.968941465978443, 5.210808776214481, 4.575908642509906, 3.9450243751440417, 5.655383846469858, 2.2707548641958457, 1.7710898435153934, 1.0506284422878387, 0.0, 14.68576313146326, 11.556912865166222, 8.855449217576966, 6.812264592587535, 11.310767692939717, 5.523034125201659, 4.575908642509906, 3.722006268724629, 5.484470732989221, 4.168284603820934, 2.3830830727953205, 0.9696006845168982, 0.0), # 128 (14.187273415120451, 10.610945023614088, 11.886936459117921, 12.468236293840059, 10.9412128407822, 5.201146355658116, 4.555873199005851, 3.938339728617507, 5.646704063902494, 2.2627993570266187, 1.765242992806286, 1.0474264384110183, 0.0, 14.647597130331262, 11.5216908225212, 8.82621496403143, 6.788398071079855, 11.293408127804987, 5.51367562006451, 4.555873199005851, 3.7151045397557967, 5.4706064203911, 4.156078764613354, 2.377387291823584, 0.9646313657830989, 0.0), # 129 (14.131993535829388, 10.556056219552751, 11.857967208974907, 12.431072519458905, 10.91278532766956, 5.191381275102222, 4.53573145546165, 3.9317458160998338, 5.637949724018666, 2.2547925910331035, 1.7593594156991588, 1.044186650469754, 0.0, 14.608543609772397, 11.48605315516729, 8.796797078495793, 6.764377773099309, 11.275899448037332, 5.504444142539767, 4.53573145546165, 3.7081294822158726, 5.45639266383478, 4.1436908398196355, 2.3715934417949813, 0.9596414745047956, 0.0), # 130 (14.07566642209295, 10.500852555817252, 11.828455065113841, 12.393298907592571, 10.883626794633326, 5.181487770968396, 4.515447034699847, 3.9252116774560997, 5.629094533006126, 2.2467178228596745, 1.7534261794411918, 1.0409029490834167, 0.0, 14.568554100045299, 11.449932439917582, 8.767130897205957, 6.740153468579022, 11.258189066012251, 5.49529634843854, 4.515447034699847, 3.701062693548854, 5.441813397316663, 4.131099635864191, 2.3656910130227686, 0.9546229596197504, 0.0), # 131 (14.018233888667616, 10.445245470722984, 11.798347479100995, 12.354851877514303, 10.853705109666297, 5.171440079678229, 4.49498355954298, 3.918706352551382, 5.620112197052615, 2.238558309150706, 1.7474303512795641, 1.0375692048713792, 0.0, 14.527580131408602, 11.413261253585167, 8.73715175639782, 6.715674927452117, 11.24022439410523, 5.486188893571935, 4.49498355954298, 3.693885771198735, 5.4268525548331485, 4.1182839591714355, 2.3596694958201994, 0.949567770065726, 0.0), # 132 (13.959637750309861, 10.38914640258533, 11.767591902502646, 12.315667848497343, 10.822988140761264, 5.161212437653315, 4.474304652813592, 3.9121988812507547, 5.61097642234588, 2.2302973065505736, 1.7413589984614566, 1.0341792884530125, 0.0, 14.485573234120938, 11.375972172983136, 8.706794992307282, 6.690891919651719, 11.22195284469176, 5.477078433751057, 4.474304652813592, 3.686580312609511, 5.411494070380632, 4.105222616165782, 2.3535183805005295, 0.9444678547804848, 0.0), # 133 (13.899819821776152, 10.332466789719687, 11.736135786885072, 12.275683239814924, 10.791443755911033, 5.150779081315248, 4.453373937334223, 3.9056583034192958, 5.601660915073669, 2.2219180717036497, 1.7351991882340478, 1.030727070447689, 0.0, 14.442484938440934, 11.337997774924577, 8.675995941170239, 6.6657542151109475, 11.203321830147338, 5.467921624787015, 4.453373937334223, 3.6791279152251772, 5.395721877955516, 4.091894413271643, 2.3472271573770147, 0.9393151627017899, 0.0), # 134 (13.838721917822966, 10.275118070441435, 11.703926583814546, 12.234834470740296, 10.759039823108395, 5.14011424708562, 4.432155035927415, 3.8990536589220803, 5.592139381423722, 2.213403861254311, 1.7289379878445184, 1.0272064214747805, 0.0, 14.398266774627231, 11.299270636222584, 8.64468993922259, 6.640211583762932, 11.184278762847445, 5.458675122490913, 4.432155035927415, 3.671510176489728, 5.379519911554198, 4.0782781569134325, 2.340785316762909, 0.9341016427674034, 0.0), # 135 (13.776285853206776, 10.217011683065968, 11.670911744857346, 12.193057960546685, 10.725744210346152, 5.129192171386024, 4.410611571415708, 3.892353987624185, 5.5823855275837895, 2.2047379318469296, 1.7225624645400475, 1.0236112121536591, 0.0, 14.352870272938459, 11.259723333690248, 8.612812322700236, 6.614213795540787, 11.164771055167579, 5.44929558267386, 4.410611571415708, 3.6637086938471604, 5.362872105173076, 4.064352653515563, 2.3341823489714693, 0.9288192439150881, 0.0), # 136 (13.712453442684055, 10.15805906590867, 11.63703872157975, 12.15029012850735, 10.691524785617101, 5.117987090638052, 4.388707166621645, 3.885528329390686, 5.572373059741617, 2.1959035401258813, 1.716059685567815, 1.0199353131036961, 0.0, 14.306246963633242, 11.219288444140656, 8.580298427839075, 6.587710620377642, 11.144746119483234, 5.439739661146961, 4.388707166621645, 3.6557050647414657, 5.345762392808551, 4.050096709502451, 2.3274077443159498, 0.9234599150826065, 0.0), # 137 (13.647166501011277, 10.098171657284933, 11.602254965548024, 12.106467393895517, 10.656349416914047, 5.106473241263299, 4.366405444367763, 3.8785457240866603, 5.56207568408495, 2.1868839427355393, 1.7094167181750008, 1.016172594944264, 0.0, 14.258348376970226, 11.1778985443869, 8.547083590875005, 6.560651828206616, 11.1241513681699, 5.4299640137213245, 4.366405444367763, 3.6474808866166426, 5.3281747084570235, 4.035489131298506, 2.320450993109605, 0.9180156052077213, 0.0), # 138 (13.58036684294491, 10.037260895510144, 11.566507928328454, 12.061526175984431, 10.620185972229777, 5.094624859683358, 4.343670027476608, 3.8713752115771833, 5.551467106801532, 2.1776623963202795, 1.7026206296087845, 1.0123169282947344, 0.0, 14.20912604320803, 11.135486211242075, 8.513103148043921, 6.532987188960837, 11.102934213603064, 5.419925296208056, 4.343670027476608, 3.6390177569166844, 5.3100929861148884, 4.020508725328145, 2.313301585665691, 0.912478263228195, 0.0), # 139 (13.511996283241437, 9.97523821889969, 11.529745061487317, 12.015402894047334, 10.583002319557098, 5.082416182319821, 4.320464538770717, 3.863985831727331, 5.54052103407911, 2.168222157524475, 1.6956584871163454, 1.008362183774479, 0.0, 14.158531492605304, 11.091984021519266, 8.478292435581725, 6.504666472573423, 11.08104206815822, 5.409580164418264, 4.320464538770717, 3.6302972730855863, 5.291501159778549, 4.005134298015779, 2.3059490122974635, 0.9068398380817901, 0.0), # 140 (13.44199663665733, 9.912015065768964, 11.491913816590882, 11.968033967357464, 10.544766326888803, 5.069821445594281, 4.296752601072636, 3.8563466244021805, 5.529211172105429, 2.158546482992501, 1.688517357944864, 1.00430223200287, 0.0, 14.106516255420662, 11.047324552031569, 8.442586789724318, 6.4756394489775015, 11.058422344210857, 5.398885274163053, 4.296752601072636, 3.6213010325673434, 5.272383163444402, 3.989344655785822, 2.2983827633181764, 0.9010922787062696, 0.0), # 141 (13.37030971794905, 9.84750287443335, 11.452961645205429, 11.919355815188066, 10.505445862217693, 5.056814885928333, 4.272497837204901, 3.848426629466808, 5.517511227068235, 2.1486186293687317, 1.6811843093415195, 1.0001309435992793, 0.0, 14.053031861912746, 11.001440379592072, 8.405921546707596, 6.445855888106194, 11.03502245413647, 5.3877972812535315, 4.272497837204901, 3.612010632805952, 5.252722931108846, 3.973118605062689, 2.2905923290410857, 0.8952275340393956, 0.0), # 142 (13.29687734187308, 9.781613083208239, 11.412835998897235, 11.86930485681237, 10.465008793536564, 5.043370739743566, 4.247663869990055, 3.840194886786288, 5.505394905155279, 2.1384218532975416, 1.6736464085534917, 0.9958421891830788, 0.0, 13.998029842340188, 10.954264081013864, 8.368232042767458, 6.415265559892624, 11.010789810310557, 5.376272841500803, 4.247663869990055, 3.6024076712454045, 5.232504396768282, 3.956434952270791, 2.282567199779447, 0.8892375530189309, 0.0), # 143 (13.221641323185896, 9.714257130409019, 11.37148432923257, 11.817817511503629, 10.423422988838217, 5.029463243461577, 4.222214322250639, 3.8316204362256996, 5.492835912554298, 2.1279394114233043, 1.6658907228279605, 0.99142983937364, 0.0, 13.941461726961624, 10.905728233110038, 8.329453614139801, 6.383818234269912, 10.985671825108597, 5.364268610715979, 4.222214322250639, 3.592473745329698, 5.2117114944191085, 3.9392725038345437, 2.2742968658465146, 0.8831142845826383, 0.0), # 144 (13.144543476643964, 9.64534645435108, 11.328854087777719, 11.764830198535075, 10.380656316115449, 5.015066633503958, 4.196112816809195, 3.8226723176501176, 5.479807955453042, 2.1171545603903956, 1.6579043194121055, 0.9868877647903354, 0.0, 13.88327904603568, 10.855765412693687, 8.289521597060528, 6.351463681171186, 10.959615910906084, 5.351741244710165, 4.196112816809195, 3.582190452502827, 5.190328158057724, 3.921610066178359, 2.265770817555544, 0.8768496776682801, 0.0), # 145 (13.065525617003761, 9.574792493349808, 11.284892726098956, 11.710279337179951, 10.33667664336106, 5.000155146292303, 4.169322976488264, 3.813319570924618, 5.4662847400392565, 2.1060505568431886, 1.6496742655531065, 0.9822098360525362, 0.0, 13.82343332982099, 10.804308196577896, 8.248371327765533, 6.318151670529565, 10.932569480078513, 5.338647399294466, 4.169322976488264, 3.5715393902087875, 5.16833832168053, 3.903426445726651, 2.2569785452197917, 0.870435681213619, 0.0), # 146 (12.98452955902176, 9.502506685720592, 11.239547695762546, 11.654101346711496, 10.291451838567841, 4.984703018248201, 4.141808424110385, 3.803531235914277, 5.4522399725006885, 2.094610657426059, 1.6411876284981433, 0.9773899237796149, 0.0, 13.761876108576189, 10.751289161575762, 8.205938142490716, 6.2838319722781755, 10.904479945001377, 5.324943730279988, 4.141808424110385, 3.5605021558915717, 5.145725919283921, 3.884700448903833, 2.2479095391525097, 0.8638642441564175, 0.0), # 147 (12.901497117454435, 9.428400469778822, 11.192766448334778, 11.596232646402957, 10.2449497697286, 4.968684485793251, 4.113532782498101, 3.7932763524841717, 5.437647359025082, 2.082818118783379, 1.6324314754943956, 0.9724218985909429, 0.0, 13.698558912559907, 10.69664088450037, 8.162157377471978, 6.248454356350136, 10.875294718050164, 5.310586893477841, 4.113532782498101, 3.5490603469951787, 5.1224748848643, 3.8654108821343196, 2.2385532896669558, 0.8571273154344385, 0.0), # 148 (12.81637010705826, 9.352385283839885, 11.144496435381926, 11.536609655527563, 10.197138304836129, 4.9520737853490395, 4.084459674473953, 3.7825239604993777, 5.42248060580018, 2.0706561975595257, 1.6233928737890426, 0.9672996311058923, 0.0, 13.63343327203078, 10.640295942164814, 8.116964368945213, 6.211968592678575, 10.84496121160036, 5.295533544699129, 4.084459674473953, 3.5371955609635997, 5.098569152418064, 3.845536551842522, 2.2288992870763855, 0.8502168439854443, 0.0), # 149 (12.729090342589704, 9.274372566219169, 11.09468510847026, 11.475168793358566, 10.147985311883227, 4.934845153337166, 4.054552722860481, 3.771243099824971, 5.406713419013735, 2.058108150398871, 1.614058890629265, 0.9620169919438353, 0.0, 13.566450717247434, 10.582186911382186, 8.070294453146325, 6.174324451196611, 10.81342683802747, 5.27974033975496, 4.054552722860481, 3.524889395240833, 5.0739926559416135, 3.825056264452856, 2.2189370216940523, 0.8431247787471974, 0.0), # 150 (12.63959963880524, 9.194273755232066, 11.043279919166057, 11.411846479169196, 10.097458658862696, 4.916972826179219, 4.023775550480226, 3.759402810326029, 5.390319504853488, 2.0451572339457917, 1.6044165932622414, 0.956567851724143, 0.0, 13.49756277846851, 10.522246368965572, 8.022082966311206, 6.135471701837374, 10.780639009706976, 5.263163934456441, 4.023775550480226, 3.5121234472708704, 5.048729329431348, 3.8039488263897328, 2.2086559838332116, 0.8358430686574607, 0.0), # 151 (12.54783981046135, 9.11200028919396, 10.990228319035603, 11.346579132232703, 10.045526213767326, 4.898431040296793, 3.992091780155732, 3.7469721318676275, 5.373272569507184, 2.0317867048446603, 1.5944530489351527, 0.950946081066188, 0.0, 13.426720985952636, 10.460406891728066, 7.9722652446757625, 6.09536011453398, 10.746545139014367, 5.245760984614678, 3.992091780155732, 3.4988793144977093, 5.022763106883663, 3.7821930440775686, 2.198045663807121, 0.8283636626539964, 0.0), # 152 (12.453752672314497, 9.027463606420243, 10.935477759645158, 11.27930317182232, 9.992155844589925, 4.8791940321114815, 3.9594650347095355, 3.7339201043148416, 5.355546319162572, 2.017979819739852, 1.5841553248951779, 0.945145550589342, 0.0, 13.353876869958444, 10.39660105648276, 7.920776624475889, 6.053939459219555, 10.711092638325145, 5.227488146040779, 3.9594650347095355, 3.485138594365344, 4.996077922294963, 3.759767723940774, 2.187095551929032, 0.8206785096745677, 0.0), # 153 (12.357280039121166, 8.940575145226303, 10.878975692561012, 11.209955017211293, 9.937315419323285, 4.859236038044878, 3.9258589369641825, 3.7202157675327485, 5.337114460007395, 2.0037198352757417, 1.5735104883894968, 0.9391601309129768, 0.0, 13.278981960744572, 10.330761440042743, 7.867552441947483, 6.011159505827224, 10.67422892001479, 5.208302074545848, 3.9258589369641825, 3.4708828843177697, 4.968657709661643, 3.736651672403765, 2.1757951385122025, 0.8127795586569367, 0.0), # 154 (12.258363725637818, 8.851246343927524, 10.820669569349436, 11.138471087672855, 9.880972805960209, 4.838531294518574, 3.891237109742209, 3.705828161386424, 5.317950698229401, 1.9889900080967022, 1.562505606665289, 0.9329836926564644, 0.0, 13.201987788569642, 10.262820619221108, 7.812528033326444, 5.966970024290106, 10.635901396458802, 5.188159425940994, 3.891237109742209, 3.456093781798981, 4.940486402980104, 3.712823695890952, 2.1641339138698874, 0.804658758538866, 0.0), # 155 (12.15694554662093, 8.759388640839303, 10.760506841576703, 11.06478780248025, 9.823095872493491, 4.817054037954164, 3.85556317586616, 3.690726325740946, 5.298028740016334, 1.9737735948471096, 1.5511277469697347, 0.9266101064391765, 0.0, 13.122845883692296, 10.19271117083094, 7.755638734848673, 5.921320784541328, 10.596057480032668, 5.167016856037325, 3.85556317586616, 3.440752884252974, 4.911547936246746, 3.688262600826751, 2.1521013683153405, 0.7963080582581185, 0.0), # 156 (12.05296731682698, 8.664913474277022, 10.698434960809092, 10.988841580906726, 9.76365248691593, 4.79477850477324, 3.8188007581585754, 3.6748793004613884, 5.27732229155594, 1.958053852171337, 1.5393639765500133, 0.9200332428804852, 0.0, 13.041507776371162, 10.120365671685335, 7.696819882750066, 5.87416155651401, 10.55464458311188, 5.1448310206459436, 3.8188007581585754, 3.4248417891237426, 4.881826243457965, 3.662947193635576, 2.1396869921618182, 0.7877194067524566, 0.0), # 157 (11.943489514248384, 8.56599791046598, 10.631455938536474, 10.907723497981493, 9.699926512929064, 4.7702895112293024, 3.780085376742286, 3.6571979682329148, 5.254219782186185, 1.9413463665164579, 1.5268255340103847, 0.9130132752259121, 0.0, 12.954377375064553, 10.043146027485031, 7.634127670051924, 5.824039099549372, 10.50843956437237, 5.120077155526081, 3.780085376742286, 3.407349650878073, 4.849963256464532, 3.6359078326604983, 2.126291187707295, 0.7787270827696345, 0.0), # 158 (11.811658827165445, 8.452495802079234, 10.542317091203984, 10.804772590546145, 9.61620406376707, 4.7354436714732975, 3.734570210708573, 3.6314756885095885, 5.21942787265181, 1.9209123976394986, 1.5113111828317318, 0.9041816698244146, 0.0, 12.840684235072311, 9.94599836806856, 7.556555914158659, 5.762737192918495, 10.43885574530362, 5.084065963913424, 3.734570210708573, 3.3824597653380692, 4.808102031883535, 3.6015908635153826, 2.108463418240797, 0.7684087092799304, 0.0), # 159 (11.655795351846896, 8.323475201859713, 10.429227943941186, 10.678293012490633, 9.51084814010325, 4.689385209644506, 3.6817949987070273, 3.5970661263515646, 5.171960121188613, 1.896482260745158, 1.4926025356292107, 0.893400259851713, 0.0, 12.69827297422973, 9.827402858368842, 7.463012678146054, 5.689446782235472, 10.343920242377227, 5.0358925768921905, 3.6817949987070273, 3.3495608640317895, 4.755424070051625, 3.559431004163545, 2.0858455887882372, 0.7566795638054286, 0.0), # 160 (11.477155287337537, 8.179777273184687, 10.293395962547079, 10.529487004508074, 9.38495266590092, 4.632672092132293, 3.622145156805501, 3.5544003554065204, 5.112442542399476, 1.8682632772683756, 1.4708644412265888, 0.8807689958543429, 0.0, 12.528598471710556, 9.68845895439777, 7.354322206132943, 5.6047898318051255, 10.224885084798952, 4.976160497569129, 3.622145156805501, 3.3090514943802094, 4.69247633295046, 3.509829001502692, 2.058679192509416, 0.7436161157440625, 0.0), # 161 (11.27699483268217, 8.022243179431417, 10.136028612820661, 10.359556807291593, 9.239611565123418, 4.565862285326026, 3.5560061010718473, 3.503909449322135, 5.041501150887273, 1.836462768644093, 1.4462617484476323, 0.8663878283788393, 0.0, 12.333115606688533, 9.530266112167231, 7.231308742238162, 5.509388305932278, 10.083002301774545, 4.9054732290509895, 3.5560061010718473, 3.261330203804304, 4.619805782561709, 3.4531856024305316, 2.0272057225641325, 0.7292948344937653, 0.0), # 162 (11.056570186925597, 7.851714083977169, 9.958333360560937, 10.169704661534322, 9.075918761734068, 4.489513755615068, 3.4837632475739206, 3.4460244817460834, 4.959761961254883, 1.8012880563072504, 1.418959306116109, 0.8503567079717379, 0.0, 12.113279258337407, 9.353923787689116, 7.0947965305805445, 5.40386416892175, 9.919523922509766, 4.824434274444517, 3.4837632475739206, 3.2067955397250487, 4.537959380867034, 3.3899015538447745, 1.9916666721121876, 0.71379218945247, 0.0), # 163 (10.817137549112616, 7.669031150199204, 9.761517671566903, 9.961132807929381, 8.894968179696201, 4.404184469388787, 3.405802012379573, 3.3811765263260463, 4.867850988105186, 1.762946461692788, 1.3891219630557858, 0.8327755851795738, 0.0, 11.870544305830926, 9.160531436975312, 6.945609815278928, 5.288839385078362, 9.735701976210372, 4.733647136856465, 3.405802012379573, 3.1458460495634197, 4.447484089848101, 3.320377602643128, 1.9523035343133808, 0.6971846500181095, 0.0), # 164 (10.559953118288028, 7.475035541474793, 9.546789011637559, 9.735043487169904, 8.697853742973145, 4.310432393036548, 3.3225078115566578, 3.3097966567096977, 4.766394246041056, 1.7216453062356458, 1.35691456809043, 0.8137444105488828, 0.0, 11.606365628342832, 8.951188516037709, 6.7845728404521495, 5.164935918706936, 9.532788492082112, 4.633715319393577, 3.3225078115566578, 3.078880280740391, 4.348926871486572, 3.245014495723302, 1.909357802327512, 0.6795486855886177, 0.0), # 165 (10.286273093496636, 7.270568421181199, 9.315354846571905, 9.492638939949002, 8.485669375528229, 4.208815492947715, 3.234266061173029, 3.2323159465447184, 4.656017749665372, 1.6775919113707654, 1.322501970043808, 0.7933631346262003, 0.0, 11.322198105046873, 8.726994480888202, 6.612509850219039, 5.0327757341122945, 9.312035499330744, 4.525242325162606, 3.234266061173029, 3.0062967806769394, 4.242834687764114, 3.1642129799830014, 1.8630709693143812, 0.6609607655619273, 0.0), # 166 (9.997353673783238, 7.056470952695688, 9.06842264216894, 9.235121406959813, 8.259509001324778, 4.099891735511655, 3.14146217729654, 3.1491654694787847, 4.537347513581013, 1.6309935985330861, 1.2860490177396875, 0.7717317079580612, 0.0, 11.019496615116793, 8.489048787538673, 6.430245088698436, 4.892980795599257, 9.074695027162026, 4.408831657270299, 3.14146217729654, 2.928494096794039, 4.129754500662389, 3.0783738023199385, 1.8136845284337881, 0.6414973593359717, 0.0), # 167 (9.694451058192634, 6.833584299395522, 8.807199864227664, 8.963693128895455, 8.020466544326124, 3.9842190871177325, 3.0444815759950434, 3.0607762991595733, 4.411009552390856, 1.5820576891575493, 1.247720560001835, 0.7489500810910016, 0.0, 10.69971603772634, 8.238450892001017, 6.2386028000091756, 4.746173067472647, 8.822019104781711, 4.285086818823403, 3.0444815759950434, 2.8458707765126663, 4.010233272163062, 2.987897709631819, 1.7614399728455332, 0.6212349363086839, 0.0), # 168 (9.378821445769624, 6.602749624657969, 8.53289397854708, 8.67955634644906, 7.769635928495594, 3.8623555141553156, 2.9437096733363934, 2.9675795092347634, 4.277629880697781, 1.5309915046790952, 1.2076814456540184, 0.7251182045715564, 0.0, 10.364311252049257, 7.976300250287119, 6.038407228270092, 4.592974514037284, 8.555259761395561, 4.154611312928669, 2.9437096733363934, 2.7588253672537966, 3.884817964247797, 2.8931854488163538, 1.706578795709416, 0.6002499658779973, 0.0), # 169 (9.051721035559014, 6.3648080918602945, 8.24671245092618, 8.383913300313743, 7.508111077796515, 3.7348589830137664, 2.8395318853884426, 2.870006173352032, 4.137834513104661, 1.4780023665326634, 1.1660965235200045, 0.7003360289462612, 0.0, 10.014737137259289, 7.7036963184088725, 5.830482617600023, 4.43400709959799, 8.275669026209322, 4.018008642692845, 2.8395318853884426, 2.6677564164384044, 3.7540555388982577, 2.7946377667712485, 1.649342490185236, 0.5786189174418451, 0.0), # 170 (8.7144060266056, 6.12060086437976, 7.949862747163971, 8.077966231182643, 7.23698591619222, 3.602287460082452, 2.7323336282190445, 2.7684873651590554, 3.992249464214377, 1.4232975961531957, 1.1231306424235596, 0.6747035047616515, 0.0, 9.652448572530185, 7.421738552378166, 5.615653212117798, 4.269892788459586, 7.984498928428754, 3.8758823112226777, 2.7323336282190445, 2.5730624714874657, 3.61849295809611, 2.692655410394215, 1.5899725494327943, 0.5564182603981601, 0.0), # 171 (8.368132617954185, 5.870969105593635, 7.643552333059449, 7.762917379748876, 6.9573543676460305, 3.4651989117507385, 2.6225003178960526, 2.663454158303514, 3.8415007486298056, 1.3670845149756323, 1.0789486511884518, 0.648320582564263, 0.0, 9.278900437035686, 7.1315264082068905, 5.3947432559422595, 4.101253544926896, 7.683001497259611, 3.7288358216249198, 2.6225003178960526, 2.475142079821956, 3.4786771838230153, 2.587639126582959, 1.52871046661189, 0.5337244641448761, 0.0), # 172 (8.014157008649567, 5.616753978879182, 7.328988674411616, 7.439968986705571, 6.6703103561212815, 3.3241513044079904, 2.51041737048732, 2.5553376264330825, 3.6862143809538255, 1.309570444434913, 1.0337153986384477, 0.62128721290063, 0.0, 8.89554760994954, 6.83415934190693, 5.168576993192238, 3.9287113333047383, 7.372428761907651, 3.5774726770063157, 2.51041737048732, 2.37439378886285, 3.3351551780606408, 2.479989662235191, 1.4657977348823235, 0.5106139980799257, 0.0), # 173 (7.6537353977365505, 5.358796647613667, 7.00737923701947, 7.110323292745849, 6.376947805581297, 3.179702604443573, 2.3964702020607005, 2.4445688431954404, 3.527016375789314, 1.250962705965979, 0.9875957335973142, 0.5937033463172892, 0.0, 8.503844970445494, 6.53073680949018, 4.93797866798657, 3.7528881178979363, 7.054032751578628, 3.4223963804736166, 2.3964702020607005, 2.2712161460311235, 3.1884739027906486, 2.370107764248617, 1.401475847403894, 0.4871633316012425, 0.0), # 174 (7.288123984259929, 5.097938275174352, 6.679931486682011, 6.7751825385628415, 6.078360639989406, 3.0324107782468537, 2.2810442286840464, 2.331578882238264, 3.36453274773915, 1.19146862100377, 0.9407545048888186, 0.5656689333607753, 0.0, 8.105247397697292, 6.222358266968527, 4.703772524444093, 3.574405863011309, 6.7290654954783, 3.26421043513357, 2.2810442286840464, 2.1660076987477526, 3.039180319994703, 2.2583941795209475, 1.3359862973364023, 0.46344893410675936, 0.0), # 175 (6.91857896726451, 4.835020024938507, 6.347852889198238, 6.435748964849671, 5.775642783308939, 2.882833792207196, 2.164524866425212, 2.216798817209233, 3.199389511406209, 1.131295510983227, 0.8933565613367281, 0.537283924577624, 0.0, 7.701209770878679, 5.910123170353863, 4.46678280668364, 3.39388653294968, 6.398779022812418, 3.103518344092926, 2.164524866425212, 2.0591669944337117, 2.8878213916544695, 2.1452496549498905, 1.2695705778396478, 0.4395472749944098, 0.0), # 176 (6.546356545795092, 4.570883060283395, 6.012350910367152, 6.093224812299459, 5.469888159503225, 2.731529612713966, 2.0472975313520503, 2.100659721756022, 3.0322126813933705, 1.07065069733929, 0.8455667517648098, 0.5086482705143706, 0.0, 7.2931869691634, 5.595130975658075, 4.227833758824048, 3.211952092017869, 6.064425362786741, 2.9409236104584306, 2.0472975313520503, 1.9510925805099755, 2.7349440797516125, 2.0310749374331536, 1.2024701820734305, 0.4155348236621269, 0.0), # 177 (6.172712918896475, 4.306368544586282, 5.6746330159877525, 5.74881232160534, 5.162190692535588, 2.5790562061565305, 1.929747639532414, 1.9835926695263104, 2.863628272303512, 1.0097415015069002, 0.7975499249968301, 0.4798619217175504, 0.0, 6.882633871725203, 5.278481138893053, 3.98774962498415, 3.0292245045207, 5.727256544607024, 2.7770297373368344, 1.929747639532414, 1.8421830043975218, 2.581095346267794, 1.916270773868447, 1.1349266031975505, 0.3914880495078438, 0.0), # 178 (0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0), # 179 ) passenger_allighting_rate = ( (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 0 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 1 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 2 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 3 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 4 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 5 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 6 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 7 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 8 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 9 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 10 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 11 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 12 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 13 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 14 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 15 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 16 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 17 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 18 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 19 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 20 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 21 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 22 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 23 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 24 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 25 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 26 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 27 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 28 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 29 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 30 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 31 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 32 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 33 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 34 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 35 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 36 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 37 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 38 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 39 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 40 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 41 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 42 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 43 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 44 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 45 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 46 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 47 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 48 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 49 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 50 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 51 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 52 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 53 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 54 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 55 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 56 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 57 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 58 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 59 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 60 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 61 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 62 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 63 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 64 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 65 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 66 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 67 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 68 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 69 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 70 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 71 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 72 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 73 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 74 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 75 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 76 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 77 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 78 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 79 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 80 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 81 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 82 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 83 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 84 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 85 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 86 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 87 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 88 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 89 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 90 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 91 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 92 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 93 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 94 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 95 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 96 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 97 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 98 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 99 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 100 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 101 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 102 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 103 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 104 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 105 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 106 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 107 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 108 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 109 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 110 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 111 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 112 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 113 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 114 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 115 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 116 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 117 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 118 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 119 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 120 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 121 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 122 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 123 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 124 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 125 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 126 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 127 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 128 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 129 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 130 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 131 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 132 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 133 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 134 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 135 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 136 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 137 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 138 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 139 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 140 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 141 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 142 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 143 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 144 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 145 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 146 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 147 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 148 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 149 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 150 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 151 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 152 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 153 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 154 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 155 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 156 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 157 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 158 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 159 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 160 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 161 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 162 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 163 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 164 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 165 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 166 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 167 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 168 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 169 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 170 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 171 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 172 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 173 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 174 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 175 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 176 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 177 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 178 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 179 ) """ parameters for reproducibiliy. More information: https://numpy.org/doc/stable/reference/random/parallel.html """ #initial entropy entropy = 8991598675325360468762009371570610170 #index for seed sequence child child_seed_index = ( 1, # 0 28, # 1 )
279.17754
491
0.771966
""" PASSENGERS """ numPassengers = 30558 passenger_arriving = ( (11, 2, 10, 9, 2, 7, 2, 5, 2, 1, 1, 0, 0, 9, 8, 6, 8, 2, 5, 1, 5, 4, 1, 1, 1, 0), # 0 (9, 12, 9, 9, 8, 2, 1, 4, 2, 0, 1, 2, 0, 8, 6, 8, 5, 2, 5, 7, 3, 3, 1, 0, 2, 0), # 1 (4, 3, 8, 10, 7, 5, 1, 6, 4, 4, 1, 0, 0, 15, 10, 4, 8, 4, 5, 3, 2, 5, 1, 2, 1, 0), # 2 (9, 12, 4, 11, 5, 5, 3, 4, 2, 1, 1, 1, 0, 7, 13, 9, 3, 12, 7, 3, 2, 2, 2, 1, 1, 0), # 3 (9, 13, 8, 7, 7, 1, 5, 7, 1, 1, 1, 2, 0, 7, 9, 3, 7, 8, 3, 5, 2, 3, 3, 2, 1, 0), # 4 (12, 7, 8, 8, 9, 2, 5, 6, 2, 2, 5, 0, 0, 4, 5, 9, 7, 10, 6, 1, 3, 8, 2, 4, 5, 0), # 5 (16, 14, 14, 11, 5, 5, 7, 5, 0, 1, 0, 0, 0, 10, 12, 8, 4, 8, 7, 4, 1, 2, 4, 2, 2, 0), # 6 (7, 7, 18, 10, 10, 5, 5, 3, 6, 4, 1, 1, 0, 9, 7, 14, 6, 10, 7, 5, 2, 3, 2, 4, 1, 0), # 7 (17, 16, 12, 12, 9, 1, 7, 5, 5, 3, 1, 0, 0, 15, 11, 5, 8, 12, 3, 9, 5, 4, 6, 1, 1, 0), # 8 (13, 12, 11, 10, 13, 6, 3, 2, 4, 4, 3, 1, 0, 14, 9, 6, 12, 6, 6, 2, 4, 6, 7, 2, 1, 0), # 9 (17, 15, 11, 15, 10, 2, 7, 6, 10, 2, 0, 1, 0, 18, 16, 12, 5, 6, 9, 6, 0, 6, 9, 4, 1, 0), # 10 (9, 11, 13, 13, 6, 2, 7, 6, 3, 1, 5, 0, 0, 14, 13, 8, 6, 12, 11, 4, 1, 6, 2, 2, 1, 0), # 11 (10, 18, 9, 11, 7, 4, 5, 4, 8, 4, 0, 1, 0, 12, 13, 7, 7, 18, 6, 3, 8, 4, 2, 3, 0, 0), # 12 (10, 12, 7, 9, 7, 3, 7, 7, 6, 2, 2, 2, 0, 15, 21, 10, 10, 12, 5, 6, 2, 2, 0, 2, 2, 0), # 13 (23, 17, 6, 26, 16, 3, 9, 7, 3, 2, 2, 1, 0, 17, 11, 15, 10, 9, 4, 7, 5, 2, 4, 1, 1, 0), # 14 (12, 10, 10, 20, 9, 4, 11, 6, 7, 5, 3, 2, 0, 22, 16, 14, 9, 12, 8, 3, 4, 8, 6, 1, 2, 0), # 15 (14, 14, 10, 15, 9, 3, 4, 5, 3, 1, 1, 1, 0, 14, 17, 15, 12, 11, 3, 4, 6, 3, 6, 3, 1, 0), # 16 (24, 12, 8, 9, 14, 8, 5, 6, 5, 2, 2, 1, 0, 15, 15, 7, 11, 15, 5, 12, 6, 1, 6, 3, 1, 0), # 17 (21, 18, 13, 17, 16, 6, 10, 6, 3, 4, 2, 2, 0, 12, 18, 13, 8, 8, 8, 5, 5, 3, 8, 1, 3, 0), # 18 (15, 10, 9, 13, 13, 7, 6, 11, 6, 2, 1, 0, 0, 22, 13, 9, 9, 15, 9, 6, 7, 6, 3, 0, 0, 0), # 19 (15, 12, 14, 5, 9, 6, 6, 11, 2, 1, 1, 2, 0, 19, 9, 10, 9, 13, 10, 6, 4, 6, 4, 4, 1, 0), # 20 (18, 23, 12, 17, 10, 5, 3, 8, 5, 3, 1, 1, 0, 15, 9, 10, 12, 16, 6, 7, 2, 8, 5, 2, 1, 0), # 21 (20, 17, 13, 17, 8, 9, 9, 6, 7, 3, 0, 0, 0, 16, 13, 14, 6, 13, 8, 7, 4, 7, 1, 0, 2, 0), # 22 (12, 16, 19, 14, 16, 8, 5, 9, 3, 1, 2, 1, 0, 28, 12, 8, 8, 21, 16, 2, 6, 5, 5, 4, 4, 0), # 23 (18, 18, 15, 17, 17, 7, 8, 5, 3, 3, 3, 2, 0, 24, 20, 16, 11, 16, 7, 8, 3, 5, 2, 4, 1, 0), # 24 (15, 18, 14, 16, 18, 10, 2, 3, 5, 2, 2, 1, 0, 16, 13, 10, 11, 13, 10, 8, 6, 6, 1, 2, 4, 0), # 25 (19, 19, 16, 14, 14, 10, 7, 6, 10, 1, 3, 0, 0, 11, 16, 11, 8, 20, 6, 4, 8, 3, 9, 3, 3, 0), # 26 (13, 19, 16, 14, 16, 4, 6, 6, 3, 2, 1, 2, 0, 18, 14, 12, 12, 12, 8, 12, 3, 6, 6, 3, 0, 0), # 27 (13, 17, 12, 16, 10, 3, 4, 2, 6, 3, 4, 0, 0, 11, 18, 9, 8, 14, 5, 3, 9, 3, 6, 4, 2, 0), # 28 (26, 17, 13, 17, 7, 3, 5, 3, 5, 3, 0, 1, 0, 21, 17, 7, 12, 17, 13, 6, 4, 9, 1, 4, 3, 0), # 29 (22, 21, 10, 19, 21, 4, 2, 9, 6, 3, 0, 2, 0, 18, 9, 10, 15, 10, 14, 6, 6, 5, 5, 1, 2, 0), # 30 (15, 17, 7, 20, 11, 4, 3, 11, 3, 6, 1, 1, 0, 14, 14, 8, 7, 11, 10, 8, 4, 6, 1, 1, 1, 0), # 31 (17, 14, 11, 15, 14, 5, 10, 8, 8, 5, 2, 0, 0, 19, 18, 10, 6, 8, 5, 5, 7, 2, 6, 4, 1, 0), # 32 (17, 7, 17, 15, 15, 7, 6, 6, 4, 5, 5, 4, 0, 16, 13, 14, 10, 11, 11, 3, 4, 7, 5, 2, 1, 0), # 33 (20, 12, 7, 19, 7, 3, 8, 1, 6, 3, 2, 0, 0, 18, 14, 13, 5, 8, 10, 7, 4, 3, 3, 5, 2, 0), # 34 (13, 21, 11, 9, 11, 12, 7, 3, 5, 0, 4, 1, 0, 15, 14, 7, 9, 16, 8, 7, 2, 7, 4, 3, 2, 0), # 35 (21, 14, 14, 17, 13, 5, 4, 8, 8, 2, 3, 0, 0, 16, 16, 6, 13, 11, 7, 7, 4, 6, 4, 3, 3, 0), # 36 (11, 13, 10, 12, 10, 5, 10, 4, 6, 4, 3, 1, 0, 22, 12, 17, 6, 11, 10, 4, 4, 7, 5, 1, 1, 0), # 37 (15, 16, 10, 11, 12, 9, 6, 3, 6, 0, 0, 0, 0, 19, 16, 8, 8, 12, 10, 6, 6, 7, 7, 1, 2, 0), # 38 (20, 12, 16, 15, 12, 4, 6, 8, 1, 4, 2, 3, 0, 14, 14, 10, 7, 9, 9, 5, 5, 2, 5, 2, 0, 0), # 39 (16, 9, 14, 15, 10, 13, 3, 6, 10, 3, 2, 2, 0, 11, 12, 7, 10, 11, 10, 9, 2, 6, 3, 1, 1, 0), # 40 (14, 19, 17, 11, 4, 7, 14, 7, 9, 2, 0, 2, 0, 17, 4, 10, 12, 16, 7, 10, 3, 8, 3, 2, 2, 0), # 41 (17, 12, 8, 10, 11, 7, 2, 3, 5, 1, 2, 0, 0, 19, 13, 16, 7, 19, 4, 6, 1, 3, 6, 0, 2, 0), # 42 (14, 15, 11, 14, 4, 10, 7, 1, 4, 2, 1, 4, 0, 18, 13, 11, 10, 10, 4, 3, 5, 7, 3, 1, 0, 0), # 43 (18, 17, 14, 14, 8, 4, 8, 11, 3, 3, 0, 3, 0, 14, 14, 10, 6, 12, 7, 7, 0, 6, 2, 2, 3, 0), # 44 (11, 16, 18, 13, 14, 4, 7, 7, 8, 4, 7, 1, 0, 20, 12, 11, 5, 16, 8, 10, 5, 11, 2, 2, 3, 0), # 45 (14, 23, 13, 17, 9, 5, 4, 3, 7, 2, 5, 3, 0, 19, 18, 6, 6, 20, 12, 6, 7, 4, 10, 2, 3, 0), # 46 (15, 17, 11, 12, 14, 4, 10, 12, 6, 3, 1, 3, 0, 17, 13, 14, 15, 12, 9, 4, 4, 8, 3, 3, 4, 0), # 47 (25, 18, 12, 9, 11, 6, 10, 10, 4, 3, 3, 1, 0, 12, 12, 5, 9, 11, 12, 10, 5, 7, 3, 0, 0, 0), # 48 (20, 16, 16, 20, 9, 8, 2, 3, 10, 1, 2, 2, 0, 14, 10, 14, 16, 7, 5, 4, 2, 5, 4, 3, 2, 0), # 49 (18, 15, 18, 11, 7, 5, 15, 5, 6, 5, 0, 0, 0, 18, 23, 12, 9, 11, 9, 9, 2, 6, 5, 2, 3, 0), # 50 (16, 15, 17, 19, 12, 3, 12, 3, 6, 1, 0, 0, 0, 19, 8, 12, 8, 6, 10, 9, 4, 6, 6, 2, 1, 0), # 51 (16, 13, 16, 15, 18, 3, 7, 6, 5, 3, 3, 0, 0, 22, 12, 14, 8, 12, 7, 6, 2, 4, 4, 5, 0, 0), # 52 (21, 13, 11, 8, 13, 4, 3, 5, 7, 3, 3, 1, 0, 15, 14, 10, 11, 15, 12, 4, 2, 3, 3, 2, 1, 0), # 53 (12, 19, 19, 14, 12, 7, 5, 10, 6, 2, 3, 1, 0, 10, 9, 10, 6, 14, 11, 3, 3, 6, 8, 5, 0, 0), # 54 (11, 17, 20, 11, 6, 11, 6, 6, 2, 3, 2, 2, 0, 22, 14, 11, 7, 14, 7, 1, 8, 7, 5, 4, 1, 0), # 55 (13, 12, 10, 16, 13, 5, 8, 2, 5, 4, 2, 2, 0, 21, 17, 11, 8, 9, 7, 8, 8, 9, 5, 3, 3, 0), # 56 (14, 13, 7, 10, 14, 7, 9, 4, 6, 1, 1, 3, 0, 12, 13, 10, 6, 9, 4, 9, 1, 8, 4, 1, 0, 0), # 57 (13, 21, 10, 17, 12, 3, 6, 6, 5, 3, 2, 2, 0, 14, 7, 7, 12, 14, 8, 7, 3, 9, 7, 4, 4, 0), # 58 (12, 10, 9, 14, 21, 6, 12, 4, 7, 8, 2, 1, 0, 16, 15, 6, 9, 14, 9, 4, 2, 4, 5, 1, 0, 0), # 59 (11, 18, 20, 14, 9, 2, 7, 4, 7, 0, 2, 4, 0, 14, 12, 13, 5, 14, 9, 9, 4, 6, 7, 1, 0, 0), # 60 (20, 13, 10, 15, 9, 8, 6, 5, 6, 3, 2, 1, 0, 13, 11, 9, 4, 12, 4, 7, 13, 9, 2, 1, 1, 0), # 61 (16, 15, 12, 15, 15, 7, 10, 10, 6, 3, 1, 0, 0, 16, 17, 13, 8, 19, 9, 4, 3, 7, 6, 3, 1, 0), # 62 (21, 5, 14, 19, 12, 9, 5, 4, 10, 4, 2, 1, 0, 11, 14, 16, 10, 12, 5, 5, 2, 4, 6, 2, 2, 0), # 63 (14, 12, 14, 16, 7, 5, 0, 2, 5, 1, 2, 1, 0, 9, 14, 21, 11, 8, 12, 5, 5, 4, 3, 1, 1, 0), # 64 (18, 17, 11, 11, 9, 5, 4, 2, 11, 0, 1, 2, 0, 19, 16, 10, 11, 12, 5, 10, 5, 3, 4, 4, 2, 0), # 65 (26, 13, 8, 21, 14, 3, 7, 6, 4, 1, 1, 1, 0, 16, 10, 13, 8, 16, 4, 11, 4, 5, 6, 2, 0, 0), # 66 (18, 11, 20, 23, 8, 12, 9, 2, 3, 5, 4, 3, 0, 18, 13, 6, 10, 12, 9, 7, 2, 6, 7, 8, 1, 0), # 67 (17, 13, 16, 15, 12, 9, 3, 5, 4, 4, 1, 0, 0, 14, 16, 8, 7, 14, 7, 4, 3, 11, 9, 5, 3, 0), # 68 (16, 11, 14, 19, 9, 2, 7, 1, 11, 6, 4, 2, 0, 14, 12, 18, 7, 18, 2, 7, 2, 6, 3, 1, 0, 0), # 69 (13, 8, 22, 13, 10, 4, 2, 3, 6, 4, 1, 1, 0, 12, 13, 13, 7, 14, 8, 7, 2, 2, 3, 4, 2, 0), # 70 (15, 15, 11, 19, 10, 9, 5, 9, 7, 4, 2, 3, 0, 20, 10, 5, 8, 13, 3, 3, 6, 10, 8, 3, 3, 0), # 71 (17, 10, 9, 9, 14, 9, 6, 5, 4, 2, 1, 2, 0, 17, 14, 7, 8, 8, 4, 4, 7, 10, 2, 3, 1, 0), # 72 (9, 14, 9, 11, 17, 4, 5, 5, 3, 3, 0, 1, 0, 16, 8, 15, 11, 14, 12, 8, 3, 8, 2, 3, 3, 0), # 73 (10, 14, 20, 15, 14, 4, 0, 5, 7, 2, 3, 1, 0, 22, 12, 7, 9, 14, 9, 8, 1, 13, 0, 2, 2, 0), # 74 (14, 13, 19, 16, 9, 3, 3, 7, 4, 1, 6, 4, 0, 18, 14, 6, 8, 15, 3, 6, 6, 6, 5, 2, 0, 0), # 75 (23, 19, 17, 16, 9, 9, 6, 5, 3, 1, 3, 0, 0, 16, 15, 11, 9, 15, 12, 7, 5, 1, 1, 7, 3, 0), # 76 (11, 15, 6, 13, 13, 6, 6, 3, 4, 3, 2, 1, 0, 13, 11, 5, 10, 11, 8, 5, 5, 8, 3, 3, 1, 0), # 77 (14, 12, 12, 22, 10, 6, 9, 7, 5, 2, 1, 0, 0, 17, 21, 14, 10, 11, 8, 9, 8, 6, 6, 4, 3, 0), # 78 (22, 19, 17, 14, 10, 2, 5, 6, 6, 1, 2, 4, 0, 19, 8, 16, 7, 8, 8, 5, 3, 5, 4, 2, 0, 0), # 79 (16, 10, 10, 9, 10, 5, 5, 4, 6, 1, 2, 0, 0, 23, 12, 9, 11, 19, 6, 2, 3, 5, 2, 5, 1, 0), # 80 (24, 12, 12, 12, 10, 6, 10, 4, 6, 5, 6, 1, 0, 17, 15, 6, 11, 15, 10, 6, 4, 6, 5, 2, 2, 0), # 81 (16, 17, 12, 15, 10, 2, 4, 4, 3, 4, 1, 1, 0, 21, 17, 8, 10, 13, 5, 4, 4, 5, 3, 2, 2, 0), # 82 (17, 8, 15, 15, 12, 7, 9, 5, 10, 2, 4, 0, 0, 15, 17, 9, 7, 17, 4, 6, 5, 3, 5, 2, 2, 0), # 83 (11, 16, 10, 12, 9, 5, 8, 5, 5, 3, 4, 0, 0, 18, 14, 13, 6, 12, 4, 6, 6, 6, 4, 0, 1, 0), # 84 (14, 18, 11, 11, 10, 9, 6, 7, 4, 3, 0, 0, 0, 13, 17, 16, 8, 15, 9, 3, 4, 7, 5, 2, 1, 0), # 85 (13, 14, 14, 11, 12, 5, 4, 5, 4, 1, 2, 1, 0, 21, 13, 8, 9, 7, 3, 4, 5, 6, 2, 2, 2, 0), # 86 (20, 10, 15, 18, 8, 4, 7, 6, 8, 0, 4, 2, 0, 19, 19, 10, 8, 6, 8, 8, 6, 5, 4, 3, 1, 0), # 87 (19, 17, 14, 16, 8, 7, 5, 9, 2, 1, 1, 3, 0, 13, 9, 13, 7, 12, 10, 4, 5, 9, 8, 2, 1, 0), # 88 (24, 10, 17, 11, 6, 7, 6, 5, 7, 3, 2, 1, 0, 12, 10, 8, 8, 10, 5, 4, 5, 7, 3, 4, 1, 0), # 89 (11, 15, 12, 12, 10, 6, 2, 5, 4, 5, 3, 1, 0, 13, 9, 16, 6, 21, 3, 4, 1, 2, 6, 2, 0, 0), # 90 (15, 7, 20, 20, 7, 4, 4, 3, 5, 4, 2, 2, 0, 21, 17, 9, 7, 10, 7, 7, 6, 3, 4, 3, 0, 0), # 91 (17, 13, 11, 12, 19, 5, 5, 5, 10, 4, 1, 0, 0, 13, 20, 8, 7, 24, 6, 7, 3, 6, 1, 4, 0, 0), # 92 (19, 18, 14, 13, 13, 5, 5, 4, 8, 1, 1, 2, 0, 12, 15, 9, 4, 19, 5, 2, 2, 6, 4, 3, 4, 0), # 93 (17, 9, 16, 12, 17, 8, 6, 3, 7, 4, 2, 1, 0, 15, 14, 8, 7, 13, 5, 5, 7, 9, 7, 1, 0, 0), # 94 (11, 9, 19, 16, 11, 7, 4, 11, 8, 1, 5, 1, 0, 12, 13, 9, 6, 7, 9, 5, 1, 4, 6, 5, 0, 0), # 95 (16, 6, 12, 17, 12, 7, 3, 8, 4, 2, 0, 1, 0, 21, 17, 9, 7, 14, 3, 7, 3, 4, 3, 0, 0, 0), # 96 (24, 9, 13, 10, 9, 8, 3, 4, 4, 4, 2, 1, 0, 17, 16, 12, 4, 11, 2, 5, 4, 5, 9, 4, 0, 0), # 97 (10, 12, 12, 13, 14, 5, 9, 5, 7, 3, 0, 1, 0, 16, 5, 9, 7, 12, 6, 5, 2, 6, 4, 2, 0, 0), # 98 (7, 11, 18, 10, 8, 9, 6, 5, 5, 3, 2, 1, 0, 15, 12, 12, 9, 16, 4, 12, 1, 4, 5, 2, 0, 0), # 99 (8, 18, 18, 19, 11, 5, 11, 8, 4, 1, 3, 3, 0, 25, 20, 14, 6, 14, 3, 4, 6, 9, 4, 3, 1, 0), # 100 (15, 11, 12, 16, 6, 3, 3, 6, 3, 1, 2, 4, 0, 19, 14, 12, 14, 10, 7, 4, 7, 5, 3, 3, 0, 0), # 101 (26, 9, 10, 9, 13, 12, 3, 5, 6, 4, 2, 1, 0, 27, 13, 8, 9, 12, 5, 7, 4, 6, 2, 1, 3, 0), # 102 (18, 18, 15, 9, 8, 6, 7, 2, 6, 2, 2, 1, 0, 14, 10, 11, 7, 13, 14, 6, 3, 9, 5, 9, 2, 0), # 103 (18, 13, 10, 22, 7, 3, 4, 5, 9, 3, 1, 1, 0, 18, 11, 16, 2, 8, 5, 7, 1, 8, 6, 4, 2, 0), # 104 (16, 14, 11, 15, 10, 5, 1, 5, 3, 0, 0, 1, 0, 16, 16, 6, 8, 11, 9, 6, 7, 5, 3, 3, 0, 0), # 105 (11, 14, 13, 17, 10, 5, 3, 5, 9, 3, 2, 0, 0, 24, 15, 6, 11, 10, 4, 7, 1, 3, 3, 7, 0, 0), # 106 (19, 12, 13, 10, 11, 3, 3, 5, 4, 2, 0, 1, 0, 17, 12, 1, 5, 17, 7, 5, 3, 8, 5, 0, 0, 0), # 107 (9, 9, 16, 17, 7, 6, 2, 0, 4, 2, 3, 1, 0, 14, 7, 13, 8, 15, 6, 7, 0, 7, 4, 5, 2, 0), # 108 (20, 6, 9, 16, 4, 7, 4, 7, 6, 1, 2, 0, 0, 21, 16, 6, 8, 17, 4, 5, 1, 1, 2, 1, 8, 0), # 109 (18, 9, 10, 14, 16, 9, 3, 6, 9, 1, 1, 2, 0, 16, 11, 7, 4, 8, 6, 7, 4, 11, 7, 2, 1, 0), # 110 (16, 10, 12, 10, 10, 5, 2, 3, 10, 3, 0, 1, 0, 14, 9, 12, 6, 12, 7, 5, 6, 5, 4, 2, 2, 0), # 111 (17, 18, 13, 12, 7, 4, 6, 6, 4, 2, 4, 0, 0, 23, 13, 12, 5, 12, 7, 0, 6, 7, 2, 5, 0, 0), # 112 (10, 11, 10, 15, 11, 4, 4, 3, 10, 1, 1, 0, 0, 16, 14, 8, 7, 10, 7, 1, 5, 8, 5, 2, 4, 0), # 113 (14, 14, 15, 13, 11, 9, 4, 2, 3, 1, 4, 2, 0, 15, 16, 7, 10, 10, 2, 5, 9, 5, 6, 1, 0, 0), # 114 (18, 13, 13, 8, 19, 3, 1, 3, 4, 3, 4, 1, 0, 12, 10, 6, 10, 6, 3, 2, 5, 5, 4, 3, 0, 0), # 115 (15, 16, 9, 12, 11, 4, 3, 2, 4, 4, 0, 1, 0, 13, 14, 5, 8, 12, 7, 3, 4, 8, 2, 5, 3, 0), # 116 (15, 14, 11, 15, 11, 2, 3, 1, 5, 2, 3, 1, 0, 8, 7, 9, 8, 13, 5, 4, 4, 12, 4, 0, 0, 0), # 117 (13, 11, 12, 14, 17, 3, 4, 2, 5, 4, 0, 1, 0, 10, 13, 10, 7, 14, 7, 2, 5, 6, 6, 4, 2, 0), # 118 (14, 5, 9, 13, 8, 4, 3, 2, 3, 3, 1, 2, 0, 19, 15, 7, 7, 17, 3, 4, 4, 7, 5, 3, 2, 0), # 119 (17, 13, 9, 17, 12, 2, 5, 2, 7, 3, 2, 3, 0, 10, 18, 8, 9, 9, 7, 5, 4, 7, 10, 0, 2, 0), # 120 (13, 11, 11, 13, 12, 2, 3, 1, 6, 5, 0, 0, 0, 13, 12, 4, 13, 6, 11, 2, 3, 5, 3, 2, 0, 0), # 121 (15, 12, 14, 11, 12, 4, 4, 10, 4, 1, 7, 0, 0, 20, 12, 10, 5, 12, 1, 4, 7, 8, 2, 3, 1, 0), # 122 (21, 14, 13, 11, 10, 6, 6, 4, 10, 1, 1, 4, 0, 11, 12, 13, 3, 14, 9, 2, 3, 6, 7, 4, 3, 0), # 123 (10, 9, 13, 8, 14, 3, 7, 13, 4, 0, 0, 1, 0, 12, 13, 16, 7, 18, 3, 7, 2, 7, 3, 0, 0, 0), # 124 (10, 10, 9, 12, 13, 1, 6, 4, 6, 3, 4, 0, 0, 15, 14, 13, 8, 12, 8, 1, 3, 9, 8, 3, 0, 0), # 125 (14, 13, 15, 10, 6, 4, 3, 2, 7, 2, 2, 0, 0, 18, 10, 10, 4, 18, 6, 3, 3, 6, 4, 1, 0, 0), # 126 (16, 10, 16, 8, 11, 4, 1, 10, 5, 6, 2, 2, 0, 14, 12, 10, 16, 8, 4, 7, 5, 10, 7, 2, 0, 0), # 127 (3, 11, 13, 15, 7, 8, 2, 3, 3, 4, 0, 0, 0, 19, 16, 6, 6, 14, 5, 5, 3, 9, 7, 1, 2, 0), # 128 (8, 12, 12, 11, 7, 5, 3, 4, 2, 2, 2, 0, 0, 21, 6, 5, 5, 18, 7, 2, 3, 3, 3, 3, 1, 0), # 129 (17, 8, 14, 10, 5, 3, 6, 5, 5, 3, 2, 2, 0, 10, 16, 8, 5, 17, 4, 5, 2, 7, 0, 1, 2, 0), # 130 (15, 3, 16, 15, 17, 3, 4, 1, 2, 1, 0, 3, 0, 12, 6, 2, 2, 10, 3, 7, 6, 6, 3, 3, 0, 0), # 131 (9, 11, 10, 12, 10, 1, 6, 3, 9, 4, 1, 1, 0, 13, 16, 9, 7, 10, 3, 5, 5, 4, 8, 1, 1, 0), # 132 (12, 13, 10, 21, 5, 6, 4, 7, 6, 3, 2, 2, 0, 13, 12, 6, 11, 11, 12, 5, 8, 1, 3, 1, 1, 0), # 133 (14, 10, 13, 16, 8, 9, 2, 3, 6, 3, 1, 1, 0, 18, 9, 10, 4, 17, 5, 1, 8, 6, 7, 4, 1, 0), # 134 (9, 5, 12, 7, 10, 3, 5, 5, 2, 4, 1, 0, 0, 12, 6, 10, 8, 13, 7, 3, 2, 5, 5, 1, 1, 0), # 135 (15, 7, 11, 11, 14, 5, 5, 3, 3, 3, 1, 1, 0, 8, 10, 6, 6, 13, 7, 7, 4, 4, 3, 4, 1, 0), # 136 (8, 12, 12, 9, 15, 5, 4, 3, 1, 4, 1, 5, 0, 18, 19, 11, 9, 12, 2, 5, 4, 5, 5, 2, 1, 0), # 137 (14, 6, 13, 13, 11, 3, 3, 2, 4, 3, 0, 3, 0, 16, 13, 5, 4, 10, 6, 3, 5, 3, 3, 5, 1, 0), # 138 (16, 10, 16, 9, 5, 7, 2, 4, 11, 0, 3, 2, 0, 13, 16, 8, 6, 4, 4, 4, 6, 7, 5, 4, 0, 0), # 139 (17, 8, 11, 15, 9, 8, 7, 3, 8, 4, 2, 0, 0, 14, 13, 10, 7, 13, 1, 7, 2, 3, 4, 5, 1, 0), # 140 (12, 13, 6, 18, 9, 9, 3, 5, 6, 2, 1, 2, 0, 16, 11, 7, 10, 11, 7, 6, 1, 6, 4, 1, 2, 0), # 141 (17, 8, 23, 6, 10, 3, 0, 5, 3, 3, 3, 0, 0, 17, 8, 12, 7, 8, 5, 7, 5, 2, 2, 3, 1, 0), # 142 (10, 7, 11, 12, 9, 4, 8, 5, 5, 0, 2, 0, 0, 11, 9, 5, 5, 11, 3, 8, 6, 6, 4, 2, 0, 0), # 143 (9, 15, 12, 15, 7, 6, 6, 5, 2, 2, 2, 1, 0, 14, 7, 6, 8, 14, 5, 3, 5, 11, 5, 1, 2, 0), # 144 (16, 7, 6, 11, 12, 5, 5, 8, 3, 3, 1, 1, 0, 13, 14, 6, 7, 18, 6, 3, 4, 5, 3, 2, 1, 0), # 145 (14, 15, 20, 9, 17, 2, 3, 6, 4, 1, 0, 0, 0, 15, 10, 8, 5, 7, 3, 5, 5, 3, 6, 0, 2, 0), # 146 (16, 9, 8, 11, 20, 8, 2, 4, 6, 2, 3, 0, 0, 11, 10, 8, 2, 11, 7, 2, 3, 1, 1, 2, 1, 0), # 147 (9, 9, 9, 11, 11, 6, 2, 6, 4, 2, 0, 0, 0, 15, 12, 6, 2, 10, 3, 1, 2, 5, 5, 2, 0, 0), # 148 (17, 5, 10, 11, 6, 4, 6, 5, 6, 3, 1, 2, 0, 10, 13, 9, 6, 13, 5, 6, 5, 4, 1, 3, 1, 0), # 149 (16, 8, 16, 11, 12, 5, 3, 5, 4, 3, 3, 1, 0, 17, 4, 9, 11, 8, 7, 4, 3, 4, 3, 1, 0, 0), # 150 (7, 12, 8, 16, 5, 3, 5, 4, 7, 2, 5, 1, 0, 19, 13, 7, 4, 6, 4, 3, 4, 3, 6, 2, 0, 0), # 151 (11, 2, 17, 6, 9, 5, 2, 5, 3, 1, 1, 0, 0, 12, 12, 5, 5, 8, 2, 0, 2, 8, 2, 1, 1, 0), # 152 (6, 9, 9, 9, 12, 8, 11, 4, 3, 4, 0, 2, 0, 11, 10, 6, 8, 14, 9, 2, 5, 5, 4, 2, 1, 0), # 153 (9, 7, 11, 13, 5, 3, 3, 3, 4, 3, 2, 0, 0, 8, 7, 9, 9, 13, 7, 5, 6, 6, 6, 4, 1, 0), # 154 (13, 8, 13, 16, 9, 0, 4, 8, 4, 0, 2, 0, 0, 14, 7, 5, 4, 14, 2, 3, 5, 2, 4, 1, 2, 0), # 155 (15, 7, 11, 6, 7, 7, 5, 3, 6, 1, 2, 0, 0, 15, 5, 6, 5, 8, 0, 2, 0, 6, 1, 2, 0, 0), # 156 (17, 9, 15, 10, 14, 4, 2, 3, 4, 0, 0, 1, 0, 8, 12, 8, 5, 11, 5, 4, 0, 4, 2, 2, 2, 0), # 157 (17, 9, 8, 15, 11, 7, 3, 3, 9, 1, 0, 0, 0, 13, 14, 5, 4, 10, 4, 5, 5, 7, 3, 3, 0, 0), # 158 (11, 7, 19, 8, 7, 3, 1, 3, 3, 1, 2, 1, 0, 15, 12, 6, 9, 8, 3, 3, 3, 5, 3, 4, 2, 0), # 159 (17, 5, 11, 16, 6, 4, 5, 5, 4, 2, 0, 0, 0, 13, 12, 8, 6, 13, 4, 4, 2, 4, 3, 2, 2, 0), # 160 (16, 5, 7, 10, 8, 5, 5, 3, 6, 4, 2, 0, 0, 10, 2, 9, 2, 14, 3, 3, 2, 5, 3, 1, 0, 0), # 161 (12, 11, 9, 11, 11, 8, 1, 3, 7, 5, 1, 0, 0, 11, 6, 5, 10, 6, 5, 3, 3, 8, 5, 1, 0, 0), # 162 (14, 8, 14, 13, 8, 6, 4, 8, 3, 4, 1, 1, 0, 8, 11, 12, 4, 11, 5, 9, 1, 6, 4, 2, 3, 0), # 163 (10, 7, 8, 7, 13, 10, 3, 2, 5, 1, 1, 0, 0, 16, 10, 7, 4, 9, 3, 3, 3, 5, 2, 1, 0, 0), # 164 (11, 2, 7, 8, 3, 4, 4, 2, 1, 5, 1, 2, 0, 12, 12, 7, 2, 6, 5, 10, 6, 6, 5, 2, 0, 0), # 165 (10, 11, 9, 9, 7, 3, 5, 3, 6, 1, 0, 2, 0, 11, 11, 6, 3, 5, 5, 5, 2, 4, 3, 1, 0, 0), # 166 (10, 9, 9, 10, 10, 4, 0, 3, 2, 1, 3, 1, 0, 12, 10, 5, 7, 12, 2, 4, 6, 2, 5, 0, 2, 0), # 167 (11, 6, 11, 14, 6, 1, 6, 1, 6, 1, 1, 2, 0, 12, 7, 5, 2, 14, 3, 2, 2, 2, 7, 0, 0, 0), # 168 (5, 6, 4, 11, 12, 3, 2, 5, 4, 1, 2, 1, 0, 6, 9, 8, 5, 10, 5, 1, 2, 3, 3, 2, 0, 0), # 169 (8, 4, 6, 5, 10, 10, 2, 2, 4, 2, 1, 1, 0, 15, 10, 12, 3, 8, 4, 1, 5, 6, 3, 0, 0, 0), # 170 (8, 1, 8, 7, 3, 4, 8, 3, 4, 1, 1, 2, 0, 8, 9, 7, 1, 14, 2, 4, 0, 4, 0, 0, 1, 0), # 171 (4, 4, 4, 12, 7, 4, 7, 1, 5, 2, 0, 1, 0, 12, 6, 8, 4, 7, 4, 5, 0, 2, 2, 1, 0, 0), # 172 (14, 5, 6, 6, 6, 1, 4, 3, 4, 1, 2, 1, 0, 8, 7, 4, 5, 7, 4, 4, 2, 3, 4, 2, 1, 0), # 173 (12, 5, 9, 8, 8, 7, 3, 2, 4, 0, 1, 1, 0, 8, 10, 4, 3, 9, 2, 2, 0, 3, 3, 0, 0, 0), # 174 (8, 5, 9, 8, 6, 4, 2, 3, 2, 3, 0, 0, 0, 9, 6, 3, 4, 13, 2, 0, 1, 6, 2, 2, 0, 0), # 175 (9, 2, 7, 9, 7, 3, 2, 0, 2, 3, 0, 1, 0, 4, 6, 4, 4, 3, 4, 3, 1, 3, 3, 1, 0, 0), # 176 (3, 2, 8, 7, 8, 1, 4, 4, 2, 3, 2, 0, 0, 9, 5, 2, 3, 8, 3, 1, 1, 0, 2, 1, 0, 0), # 177 (7, 4, 6, 10, 7, 4, 1, 2, 3, 0, 0, 0, 0, 8, 3, 6, 3, 6, 0, 0, 0, 0, 4, 4, 0, 0), # 178 (0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0), # 179 ) station_arriving_intensity = ( (8.033384925394829, 8.840461695509067, 8.33805316738001, 9.943468438181492, 8.887496972175379, 5.021847891259743, 6.6336569845982645, 7.445081876767077, 9.744158499468812, 6.332824024835792, 6.728424262216965, 7.836664125289878, 8.134208340125381), # 0 (8.566923443231959, 9.424097110631614, 8.888554546128244, 10.600230805242587, 9.475984539958779, 5.353573734468089, 7.07115030602191, 7.9352219566491335, 10.387592522132655, 6.75036910764344, 7.172953817529811, 8.353946657302968, 8.671666635903767), # 1 (9.09875681436757, 10.005416273425567, 9.436867656875862, 11.254380327463672, 10.062340757999591, 5.683976183219912, 7.506909612737127, 8.423400396647072, 11.028458891004078, 7.166262040032874, 7.615717038042101, 8.869172243284888, 9.206983725135505), # 2 (9.6268124690345, 10.582112803098315, 9.980817390911767, 11.903322252051318, 10.644258681603043, 6.011744996136181, 7.939205826636729, 8.907681851991212, 11.664216257473749, 7.578852317481889, 8.054957458923813, 9.380297095888738, 9.738036490006762), # 3 (10.149017837465571, 11.15188031885724, 10.518228639524859, 12.544461826212112, 11.219431366074389, 6.335569931837869, 8.366309869613534, 9.386130977911865, 12.292323272932332, 7.986489435468286, 8.48891861534492, 9.885277427767623, 10.262701812703709), # 4 (10.663300349893618, 11.712412439909741, 11.04692629400403, 13.17520429715263, 11.785551866718848, 6.654140748945943, 8.786492663560358, 9.856812429639348, 12.910238588770495, 8.387522889469862, 8.915844042475412, 10.382069451574637, 10.778856575412524), # 5 (11.167587436551466, 12.261402785463202, 11.564735245638186, 13.792954912079445, 12.34031323884167, 6.9661472060813825, 9.19802513037002, 10.317790862403982, 13.515420856378904, 8.780302174964413, 9.333977275485251, 10.868629379962893, 11.284377660319372), # 6 (11.65980652767195, 12.79654497472501, 12.069480385716217, 14.39511891819914, 12.881408537748086, 7.270279061865153, 9.599178191935335, 10.767130931436084, 14.105328727148231, 9.16317678742974, 9.74156184954443, 11.342913425585486, 11.777141949610431), # 7 (12.137885053487896, 13.31553262690256, 12.558986605527034, 14.979101562718284, 13.406530818743338, 7.565226074918224, 9.988222770149116, 11.20289729196596, 14.67742085246913, 9.53449622234364, 10.136841299822914, 11.802877801095525, 12.255026325471867), # 8 (12.599750444232136, 13.816059361203237, 13.031078796359527, 15.54230809284347, 13.913373137132655, 7.849678003861574, 10.363429786904192, 11.623154599223941, 15.229155883732279, 9.892609975183907, 10.518059161490685, 12.246478719146102, 12.71590767008986), # 9 (13.043330130137491, 14.295818796834425, 13.483581849502599, 16.08214375578126, 14.399628548221282, 8.122324607316171, 10.723070164093368, 12.025967508440338, 15.757992472328343, 10.235867541428343, 10.883458969717719, 12.671672392390324, 13.157662865650577), # 10 (13.466551541436809, 14.752504553003531, 13.914320656245145, 16.596013798738237, 14.862990107314454, 8.38185564390299, 11.065414823609466, 12.409400674845465, 16.26138926964799, 10.56261841655475, 11.231284259673998, 13.076415033481297, 13.57816879434018), # 11 (13.8673421083629, 15.183810248917917, 14.321120107876064, 17.08132346892098, 15.301150869717404, 8.626960872242991, 11.388734687345298, 12.771518753669634, 16.736804927081888, 10.871212096040916, 11.559778566529495, 13.45866285507211, 13.975302338344855), # 12 (14.243629261148602, 15.587429503784993, 14.701805095684259, 17.53547801353607, 15.711803890735363, 8.856330050957158, 11.69130067719369, 13.11038640014317, 17.181698096020693, 11.159998075364648, 11.86718542545419, 13.816372069815873, 14.346940379850777), # 13 (14.593340430026746, 15.961055936812143, 15.054200510958635, 17.95588267979007, 16.092642225673583, 9.068652938666455, 11.971383715047459, 13.424068269496395, 17.593527427855076, 11.427325850003735, 12.151748371618055, 14.147498890365696, 14.690959801044102), # 14 (14.914403045230168, 16.30238316720675, 15.376131244988068, 18.339942714889578, 16.441358929837293, 9.26261929399186, 12.227254722799401, 13.71062901695961, 17.96975157397571, 11.671544915435986, 12.411710940191071, 14.449999529374674, 15.00523748411101), # 15 (15.204744536991681, 16.609104814176213, 15.66542218906148, 18.685063366041145, 16.755647058531732, 9.436918875554335, 12.457184622342362, 13.968133297763139, 18.307829185773258, 11.891004767139194, 12.64531666634322, 14.721830199495905, 15.287650311237673), # 16 (15.46229233554412, 16.878914496927916, 15.919898234467764, 18.98864988045138, 17.033199667062142, 9.590241441974857, 12.659444335569138, 14.19464576713731, 18.605218914638375, 12.084054900591148, 12.850809085244478, 14.960947113382488, 15.536075164610265), # 17 (15.684973871120327, 17.10950583466924, 16.137384272495808, 19.248107505326846, 17.271709810733743, 9.721276751874406, 12.832304784372562, 14.388231080312417, 18.859379411961754, 12.249044811269659, 13.026431732064815, 15.165306483687544, 15.748388926414954), # 18 (15.870716573953118, 17.29857244660759, 16.315705194434525, 19.460841487874106, 17.468870544851786, 9.828714563873934, 12.974036890645431, 14.546953892518793, 19.067769329134048, 12.384323994652526, 13.170428141974206, 15.332864523064154, 15.922468478837914), # 19 (16.01744787427533, 17.44380795195034, 16.452685891572806, 19.624257075299766, 17.62237492472151, 9.91124463659443, 13.08291157628058, 14.668878858986748, 19.22784731754592, 12.488241946217535, 13.28104185014264, 15.461577444165426, 16.05619070406532), # 20 (16.123095202319785, 17.542905969904893, 16.54615125519955, 19.73575951481038, 17.729916005648143, 9.967556728656858, 13.157199763170816, 14.752070634946598, 19.337072028588036, 12.559148161442488, 13.356516391740096, 15.54940145964447, 16.147432484283325), # 21 (16.18558598831933, 17.59356011967863, 16.593926176603656, 19.79275405361254, 17.78918684293692, 9.996340598682188, 13.19517237320896, 14.794593875628664, 19.392902113651065, 12.595392135805188, 13.395095301936545, 15.594292782154383, 16.194070701678125), # 22 (16.208629381348224, 17.599557750342935, 16.599877091906723, 19.799889300411525, 17.804371289652156, 10.0, 13.199686403614942, 14.79919012345679, 19.399881975308645, 12.599667636031093, 13.399932859458785, 15.599836122542294, 16.2), # 23 (16.225619860854646, 17.59605925925926, 16.598903703703705, 19.799011111111113, 17.812972181783763, 10.0, 13.197206100217867, 14.7928, 19.398946666666667, 12.59704098765432, 13.39939932659933, 15.598538271604937, 16.2), # 24 (16.242251568338528, 17.589163237311386, 16.59698216735254, 19.797273662551444, 17.821383912951205, 10.0, 13.192318244170096, 14.78024691358025, 19.3970987654321, 12.591870141746686, 13.39834143908218, 15.595976223136716, 16.2), # 25 (16.258523230476854, 17.578975034293556, 16.594138820301787, 19.79469670781893, 17.82960618947377, 10.0, 13.185098749293955, 14.76176790123457, 19.39436197530864, 12.58424113397348, 13.396768774161368, 15.592185093735715, 16.2), # 26 (16.27443357394662, 17.5656, 16.5904, 19.7913, 17.837638717670742, 10.0, 13.175623529411766, 14.7376, 19.39076, 12.57424, 13.39469090909091, 15.587200000000003, 16.2), # 27 (16.2899813254248, 17.549143484224967, 16.585792043895747, 19.787103292181072, 17.845481203861443, 10.0, 13.163968498345842, 14.707980246913582, 19.386316543209876, 12.561952775491541, 13.39211742112483, 15.581056058527665, 16.2), # 28 (16.3051652115884, 17.52971083676269, 16.580341289437587, 19.78212633744856, 17.853133354365152, 10.0, 13.150209569918506, 14.673145679012345, 19.381055308641976, 12.547465496113398, 13.389057887517147, 15.57378838591678, 16.2), # 29 (16.319983959114396, 17.50740740740741, 16.574074074074073, 19.77638888888889, 17.860594875501178, 10.0, 13.13442265795207, 14.633333333333333, 19.375, 12.530864197530866, 13.385521885521886, 15.56543209876543, 16.2), # 30 (16.334436294679772, 17.482338545953365, 16.567016735253773, 19.76991069958848, 17.867865473588814, 10.0, 13.116683676268863, 14.588780246913581, 19.368174320987656, 12.512234915409238, 13.381518992393067, 15.556022313671699, 16.2), # 31 (16.34852094496153, 17.45460960219479, 16.55919561042524, 19.762711522633747, 17.874944854947355, 10.0, 13.097068538691198, 14.539723456790126, 19.360601975308644, 12.49166368541381, 13.377058785384712, 15.545594147233656, 16.2), # 32 (16.362236636636634, 17.424325925925924, 16.55063703703704, 19.75481111111111, 17.8818327258961, 10.0, 13.075653159041394, 14.486400000000001, 19.352306666666667, 12.469236543209878, 13.372150841750841, 15.534182716049381, 16.2), # 33 (16.375582096382097, 17.391592866941014, 16.541367352537723, 19.746229218106997, 17.888528792754347, 10.0, 13.052513451141776, 14.429046913580246, 19.343312098765438, 12.445039524462736, 13.36680473874548, 15.521823136716964, 16.2), # 34 (16.388556050874893, 17.356515775034293, 16.53141289437586, 19.736985596707818, 17.895032761841392, 10.0, 13.027725328814654, 14.367901234567903, 19.333641975308645, 12.419158664837678, 13.361030053622645, 15.508550525834478, 16.2), # 35 (16.40115722679201, 17.3192, 16.5208, 19.7271, 17.901344339476537, 10.0, 13.001364705882352, 14.303200000000002, 19.32332, 12.391680000000001, 13.354836363636364, 15.494400000000002, 16.2), # 36 (16.41338435081044, 17.27975089163237, 16.50955500685871, 19.71659218106996, 17.907463231979076, 10.0, 12.97350749616719, 14.23518024691358, 19.31236987654321, 12.362689565615, 13.348233246040657, 15.479406675811616, 16.2), # 37 (16.425236149607162, 17.238273799725654, 16.49770425240055, 19.70548189300412, 17.913389145668305, 10.0, 12.944229613491487, 14.164079012345681, 19.300815308641976, 12.332273397347967, 13.341230278089538, 15.4636056698674, 16.2), # 38 (16.436711349859177, 17.194874074074075, 16.485274074074077, 19.69378888888889, 17.919121786863524, 10.0, 12.913606971677561, 14.090133333333334, 19.288680000000003, 12.300517530864198, 13.333837037037037, 15.447032098765431, 16.2), # 39 (16.44780867824346, 17.149657064471878, 16.472290809327845, 19.6815329218107, 17.924660861884032, 10.0, 12.88171548454773, 14.013580246913584, 19.27598765432099, 12.267508001828991, 13.326063100137175, 15.429721079103798, 16.2), # 40 (16.458526861437004, 17.102728120713305, 16.458780795610426, 19.66873374485597, 17.930006077049125, 10.0, 12.848631065924312, 13.934656790123459, 19.262761975308642, 12.233330845907636, 13.317918044643973, 15.411707727480568, 16.2), # 41 (16.4688646261168, 17.054192592592596, 16.444770370370374, 19.655411111111114, 17.935157138678093, 10.0, 12.814429629629629, 13.8536, 19.24902666666667, 12.198072098765433, 13.30941144781145, 15.393027160493828, 16.2), # 42 (16.47882069895983, 17.00415582990398, 16.430285871056242, 19.641584773662554, 17.940113753090245, 10.0, 12.779187089486001, 13.770646913580249, 19.234805432098767, 12.161817796067673, 13.300552886893627, 15.373714494741657, 16.2), # 43 (16.488393806643085, 16.9527231824417, 16.4153536351166, 19.62727448559671, 17.944875626604873, 10.0, 12.742979359315743, 13.686034567901238, 19.220121975308643, 12.124653973479653, 13.291351939144532, 15.353804846822133, 16.2), # 44 (16.497582675843546, 16.900000000000002, 16.400000000000002, 19.6125, 17.949442465541274, 10.0, 12.705882352941178, 13.600000000000001, 19.205, 12.086666666666668, 13.281818181818181, 15.333333333333332, 16.2), # 45 (16.50638603323821, 16.846091632373113, 16.384251303155008, 19.59728106995885, 17.953813976218747, 10.0, 12.667971984184621, 13.512780246913582, 19.189463209876543, 12.04794191129401, 13.271961192168598, 15.312335070873344, 16.2), # 46 (16.514802605504055, 16.79110342935528, 16.36813388203018, 19.581637448559672, 17.957989864956588, 10.0, 12.629324166868395, 13.424612345679012, 19.173535308641977, 12.008565743026978, 13.261790547449806, 15.29084517604024, 16.2), # 47 (16.522831119318074, 16.735140740740743, 16.351674074074076, 19.565588888888893, 17.961969838074097, 10.0, 12.590014814814815, 13.335733333333335, 19.15724, 11.968624197530865, 13.251315824915824, 15.268898765432098, 16.2), # 48 (16.53047030135726, 16.67830891632373, 16.334898216735255, 19.549155144032923, 17.965753601890572, 10.0, 12.550119841846204, 13.246380246913581, 19.14060098765432, 11.928203310470966, 13.240546601820677, 15.246530955647007, 16.2), # 49 (16.537718878298588, 16.620713305898494, 16.31783264746228, 19.53235596707819, 17.969340862725304, 10.0, 12.50971516178488, 13.15679012345679, 19.12364197530864, 11.887389117512575, 13.22949245541838, 15.223776863283039, 16.2), # 50 (16.544575576819057, 16.56245925925926, 16.300503703703704, 19.515211111111114, 17.9727313268976, 10.0, 12.46887668845316, 13.0672, 19.10638666666667, 11.846267654320988, 13.218162962962964, 15.200671604938274, 16.2), # 51 (16.551039123595647, 16.503652126200276, 16.282937722908095, 19.497740329218107, 17.975924700726743, 10.0, 12.427680335673365, 12.977846913580246, 19.0888587654321, 11.8049249565615, 13.206567701708444, 15.177250297210794, 16.2), # 52 (16.55710824530535, 16.444397256515778, 16.26516104252401, 19.479963374485596, 17.978920690532046, 10.0, 12.386202017267813, 12.888967901234569, 19.071081975308644, 11.763447059899406, 13.194716248908842, 15.153548056698675, 16.2), # 53 (16.562781668625146, 16.384800000000002, 16.2472, 19.4619, 17.981719002632804, 10.0, 12.344517647058824, 12.800799999999999, 19.05308, 11.72192, 13.18261818181818, 15.1296, 16.2), # 54 (16.568058120232035, 16.324965706447188, 16.229080932784637, 19.443569958847736, 17.984319343348304, 10.0, 12.302703138868717, 12.71358024691358, 19.034876543209876, 11.68042981252858, 13.170283077690485, 15.10544124371285, 16.2), # 55 (16.572936326802996, 16.264999725651577, 16.210830178326475, 19.424993004115226, 17.986721418997856, 10.0, 12.26083440651981, 12.627545679012346, 19.016495308641975, 11.639062533150437, 13.157720513779774, 15.0811069044353, 16.2), # 56 (16.577415015015013, 16.205007407407408, 16.192474074074077, 19.40618888888889, 17.988924935900748, 10.0, 12.218987363834422, 12.542933333333336, 18.997960000000003, 11.597904197530866, 13.144940067340068, 15.056632098765432, 16.2), # 57 (16.581492911545087, 16.145094101508917, 16.174038957475997, 19.387177366255145, 17.99092960037628, 10.0, 12.177237924634875, 12.459980246913581, 18.979294320987655, 11.557040841335164, 13.131951315625393, 15.032051943301326, 16.2), # 58 (16.585168743070195, 16.085365157750342, 16.155551165980796, 19.367978189300413, 17.992735118743752, 10.0, 12.135662002743485, 12.378923456790124, 18.960521975308644, 11.516558500228626, 13.11876383588976, 15.007401554641062, 16.2), # 59 (16.588441236267325, 16.02592592592593, 16.137037037037036, 19.34861111111111, 17.99434119732246, 10.0, 12.094335511982571, 12.3, 18.94166666666667, 11.476543209876544, 13.105387205387206, 14.982716049382717, 16.2), # 60 (16.591309117813463, 15.966881755829906, 16.11852290809328, 19.329095884773665, 17.995747542431697, 10.0, 12.053334366174454, 12.223446913580247, 18.922752098765432, 11.437081005944217, 13.091831001371743, 14.958030544124373, 16.2), # 61 (16.593771114385607, 15.908337997256517, 16.100035116598082, 19.30945226337449, 17.996953860390775, 10.0, 12.01273447914145, 12.149501234567902, 18.903801975308642, 11.398257924096939, 13.078104801097394, 14.933380155464107, 16.2), # 62 (16.595825952660736, 15.8504, 16.0816, 19.289700000000003, 17.99795985751897, 10.0, 11.972611764705881, 12.078400000000002, 18.88484, 11.36016, 13.064218181818184, 14.9088, 16.2), # 63 (16.597472359315837, 15.793173113854596, 16.0632438957476, 19.26985884773663, 17.998765240135597, 10.0, 11.933042136690068, 12.010380246913583, 18.86588987654321, 11.322873269318702, 13.050180720788127, 14.884325194330135, 16.2), # 64 (16.5987090610279, 15.73676268861454, 16.04499314128944, 19.249948559670784, 17.999369714559947, 10.0, 11.894101508916325, 11.945679012345678, 18.846975308641976, 11.286483767718336, 13.036001995261257, 14.859990855052581, 16.2), # 65 (16.599534784473914, 15.681274074074077, 16.026874074074076, 19.22998888888889, 17.999772987111317, 10.0, 11.855865795206972, 11.884533333333335, 18.828120000000002, 11.251077530864197, 13.021691582491583, 14.835832098765435, 16.2), # 66 (16.59994825633087, 15.626812620027435, 16.00891303155007, 19.209999588477366, 17.99997476410901, 10.0, 11.81841090938433, 11.827180246913583, 18.809347654320987, 11.216740594421584, 13.007259059733137, 14.811884042066758, 16.2), # 67 (16.59966658316932, 15.573197822912517, 15.991049519890261, 19.189826784755773, 17.999804728475752, 9.99981441853376, 11.781624311727434, 11.77335016003658, 18.790540557841794, 11.183392706635466, 12.992457581664603, 14.788048035039589, 16.19980024005487), # 68 (16.597026731078905, 15.51879283154122, 15.97278148148148, 19.168453623188405, 17.99825708061002, 9.998347325102882, 11.744429090154583, 11.720158024691358, 18.770876543209877, 11.150090225127087, 12.975780542264753, 14.76355035737492, 16.198217592592595), # 69 (16.59181726009423, 15.463347935749368, 15.954029492455417, 19.14573939881911, 17.995198902606308, 9.995458009449779, 11.706656215298192, 11.667123914037496, 18.750244627343395, 11.116671239140375, 12.957038218441728, 14.738276418068494, 16.195091735253776), # 70 (16.584111457028687, 15.406896269746449, 15.93480013717421, 19.12171760601181, 17.990668926006617, 9.991193293705228, 11.668322655262381, 11.61426538637403, 18.728675537265662, 11.083136574948224, 12.936299793254179, 14.712244699540344, 16.190463820301783), # 71 (16.573982608695655, 15.349470967741935, 15.915099999999999, 19.096421739130435, 17.98470588235294, 9.985600000000002, 11.62944537815126, 11.5616, 18.706200000000003, 11.04948705882353, 12.913634449760767, 14.685473684210528, 16.184375), # 72 (16.561504001908514, 15.291105163945307, 15.894935665294923, 19.069885292538917, 17.977348503187283, 9.978724950464867, 11.590041352068948, 11.50914531321445, 18.682848742569732, 11.01572351703919, 12.889111371020142, 14.65798185449907, 16.1768664266118), # 73 (16.546748923480646, 15.231831992566043, 15.874313717421124, 19.04214176060118, 17.96863552005164, 9.970614967230606, 11.550127545119556, 11.456918884316416, 18.658652491998172, 10.9818467758681, 12.86279974009097, 14.629787692826028, 16.167979252400553), # 74 (16.52979066022544, 15.171684587813619, 15.85324074074074, 19.01322463768116, 17.95860566448802, 9.961316872427986, 11.509720925407201, 11.404938271604939, 18.63364197530864, 10.947857661583152, 12.834768740031897, 14.600909681611435, 16.157754629629633), # 75 (16.510702498956285, 15.11069608389752, 15.831723319615913, 18.98316741814278, 17.94729766803841, 9.950877488187778, 11.468838461035993, 11.353221033379059, 18.607847919524463, 10.913757000457247, 12.805087553901586, 14.571366303275333, 16.146233710562413), # 76 (16.48955772648655, 15.048899615027217, 15.809768038408777, 18.95200359634997, 17.934750262244815, 9.939343636640757, 11.427497120110047, 11.301784727937816, 18.581301051668955, 10.87954561876328, 12.7738253647587, 14.54117604023777, 16.13345764746228), # 77 (16.46642962962963, 14.98632831541219, 15.787381481481482, 18.919766666666668, 17.92100217864924, 9.926762139917695, 11.38571387073348, 11.250646913580248, 18.55403209876543, 10.845224342774147, 12.741051355661883, 14.510357374918781, 16.119467592592596), # 78 (16.441391495198904, 14.923015319261916, 15.76457023319616, 18.88649012345679, 17.906092148793675, 9.913179820149367, 11.343505681010402, 11.199825148605397, 18.52607178783722, 10.810793998762742, 12.706834709669796, 14.478928789738408, 16.104304698216733), # 79 (16.414516610007755, 14.858993760785877, 15.74134087791495, 18.852207461084273, 17.890058904220126, 9.898643499466544, 11.30088951904493, 11.149336991312301, 18.497450845907636, 10.776255413001962, 12.671244609841102, 14.446908767116696, 16.08801011659808), # 80 (16.385878260869568, 14.79429677419355, 15.7177, 18.816952173913048, 17.872941176470587, 9.8832, 11.257882352941177, 11.099200000000002, 18.4682, 10.741609411764706, 12.63435023923445, 14.414315789473685, 16.070625), # 81 (16.355549734597723, 14.728957493694413, 15.693654183813445, 18.780757756307032, 17.854777697087066, 9.866896143880508, 11.214501150803258, 11.049431732967536, 18.43834997713763, 10.706856821323866, 12.596220780908501, 14.381168339229419, 16.052190500685874), # 82 (16.323604318005607, 14.663009053497943, 15.669210013717422, 18.743657702630166, 17.835607197611555, 9.849778753238837, 11.170762880735285, 11.000049748513947, 18.40793150434385, 10.671998467952339, 12.55692541792191, 14.34748489880394, 16.03274777091907), # 83 (16.290115297906603, 14.59648458781362, 15.644374074074074, 18.70568550724638, 17.815468409586057, 9.831894650205761, 11.126684510841374, 10.95107160493827, 18.376975308641974, 10.637035177923023, 12.516533333333333, 14.313283950617285, 16.012337962962963), # 84 (16.255155961114095, 14.529417230850923, 15.61915294924554, 18.666874664519593, 17.794400064552573, 9.813290656912057, 11.08228300922564, 10.902514860539554, 18.345512117055325, 10.60196777750881, 12.47511371020143, 14.2785839770895, 15.991002229080934), # 85 (16.21879959444146, 14.46184011681933, 15.593553223593966, 18.627258668813745, 17.772440894053094, 9.794013595488494, 11.037575343992193, 10.854397073616827, 18.313572656607228, 10.566797092982599, 12.432735731584856, 14.24340346064063, 15.968781721536352), # 86 (16.18111948470209, 14.393786379928315, 15.567581481481481, 18.586871014492754, 17.749629629629634, 9.774110288065843, 10.99257848324515, 10.806735802469136, 18.28118765432099, 10.531523950617284, 12.389468580542264, 14.207760883690709, 15.945717592592594), # 87 (16.142188918709373, 14.325289154387361, 15.541244307270233, 18.54574519592056, 17.726005002824177, 9.753627556774882, 10.947309395088626, 10.75954860539552, 18.248387837219937, 10.496149176685762, 12.345381440132318, 14.171674728659784, 15.921850994513035), # 88 (16.102081183276677, 14.256381574405948, 15.51454828532236, 18.503914707461085, 17.701605745178732, 9.732612223746381, 10.901785047626733, 10.712853040695016, 18.21520393232739, 10.460673597460932, 12.30054349341367, 14.135163477967897, 15.897223079561043), # 89 (16.06086956521739, 14.187096774193549, 15.4875, 18.461413043478263, 17.676470588235297, 9.711111111111112, 10.856022408963586, 10.666666666666666, 18.18166666666667, 10.425098039215687, 12.255023923444977, 14.098245614035088, 15.871875000000001), # 90 (16.0186273513449, 14.117467887959643, 15.460106035665294, 18.41827369833602, 17.650638263535864, 9.689171040999847, 10.810038447203299, 10.621007041609511, 18.14780676726109, 10.389423328222922, 12.208891913284896, 14.060939619281399, 15.845847908093276), # 91 (15.975427828472597, 14.047528049913716, 15.432372976680384, 18.374530166398284, 17.624147502622446, 9.666838835543363, 10.763850130449988, 10.57589172382259, 18.113654961133975, 10.353650290755535, 12.162216645992086, 14.023263976126877, 15.819182956104251), # 92 (15.931344283413848, 13.977310394265235, 15.404307407407408, 18.33021594202899, 17.597037037037037, 9.644161316872427, 10.717474426807762, 10.53133827160494, 18.079241975308644, 10.31777975308642, 12.1150673046252, 13.985237166991553, 15.791921296296294), # 93 (15.886450002982048, 13.906848055223684, 15.375915912208507, 18.285364519592058, 17.569345598321632, 9.621185307117818, 10.670928304380737, 10.487364243255604, 18.044598536808415, 10.281812541488476, 12.067513072242896, 13.946877674295479, 15.764104080932785), # 94 (15.840818273990577, 13.836174166998541, 15.347205075445817, 18.240009393451423, 17.541111918018238, 9.597957628410304, 10.62422873127303, 10.443987197073618, 18.00975537265661, 10.245749482234594, 12.019623131903835, 13.908203980458689, 15.735772462277092), # 95 (15.79452238325282, 13.765321863799286, 15.318181481481483, 18.194184057971015, 17.512374727668846, 9.574525102880658, 10.577392675588754, 10.401224691358026, 17.974743209876543, 10.209591401597677, 11.971466666666668, 13.869234567901238, 15.706967592592594), # 96 (15.747635617582157, 13.694324279835394, 15.28885171467764, 18.14792200751476, 17.483172758815464, 9.550934552659655, 10.530437105432021, 10.359094284407867, 17.939592775491544, 10.173339125850616, 11.923112859590052, 13.829987919043152, 15.677730624142663), # 97 (15.700231263791975, 13.623214549316343, 15.259222359396432, 18.101256736446594, 17.453544743000084, 9.52723279987807, 10.48337898890695, 10.317613534522177, 17.904334796524918, 10.136993481266307, 11.87463089373265, 13.790482516304477, 15.648102709190674), # 98 (15.652382608695653, 13.552025806451613, 15.229300000000002, 18.054221739130437, 17.423529411764708, 9.503466666666666, 10.43623529411765, 10.276800000000001, 17.869, 10.100555294117648, 11.826089952153112, 13.750736842105264, 15.618125000000001), # 99 (15.60416293910658, 13.480791185450682, 15.19909122085048, 18.00685050993022, 17.393165496651335, 9.479682975156226, 10.389022989168232, 10.236671239140376, 17.833619112940102, 10.064025390677534, 11.777559217910095, 13.710769378865548, 15.58783864883402), # 100 (15.555645541838135, 13.409543820523034, 15.168602606310015, 17.959176543209878, 17.36249172920197, 9.455928547477518, 10.34175904216282, 10.19724481024234, 17.798222862368544, 10.027404597218862, 11.72910787406226, 13.670598609005365, 15.557284807956103), # 101 (15.506903703703706, 13.338316845878138, 15.13784074074074, 17.911233333333335, 17.331546840958605, 9.432250205761319, 10.294460421205521, 10.15853827160494, 17.762841975308643, 9.990693740014526, 11.680805103668263, 13.63024301494477, 15.526504629629631), # 102 (15.458010711516671, 13.267143395725476, 15.1068122085048, 17.86305437466452, 17.300369563463246, 9.408694772138395, 10.247144094400449, 10.120569181527207, 17.72750717878372, 9.953893645337423, 11.632720089786758, 13.589721079103796, 15.495539266117968), # 103 (15.409039852090416, 13.196056604274526, 15.075523593964334, 17.814673161567367, 17.268998628257886, 9.385309068739522, 10.199827029851722, 10.083355098308186, 17.692249199817102, 9.91700513946045, 11.584922015476401, 13.549051283902486, 15.464429869684501), # 104 (15.360064412238325, 13.125089605734766, 15.043981481481481, 17.766123188405796, 17.237472766884533, 9.362139917695474, 10.152526195663453, 10.046913580246915, 17.6570987654321, 9.880029048656501, 11.537480063795854, 13.508252111760886, 15.433217592592593), # 105 (15.311157678773782, 13.054275534315678, 15.012192455418381, 17.717437949543747, 17.205830710885177, 9.339234141137021, 10.105258559939752, 10.011262185642433, 17.622086602652033, 9.842966199198472, 11.490463417803769, 13.46734204509903, 15.401943587105624), # 106 (15.26239293851017, 12.983647524226738, 14.980163100137176, 17.66865093934514, 17.174111191801824, 9.31663856119494, 10.058041090784739, 9.976418472793783, 17.58724343850023, 9.805817417359263, 11.443941260558804, 13.426339566336967, 15.370649005486968), # 107 (15.21384347826087, 12.913238709677422, 14.947900000000002, 17.619795652173917, 17.14235294117647, 9.294400000000001, 10.010890756302521, 9.942400000000001, 17.5526, 9.768583529411766, 11.397982775119617, 13.38526315789474, 15.339375000000002), # 108 (15.16558258483927, 12.843082224877207, 14.915409739369, 17.570905582393987, 17.11059469055112, 9.272565279682976, 9.96382452459722, 9.90922432556013, 17.518187014174668, 9.731265361628877, 11.352657144544864, 13.34413130219238, 15.308162722908094), # 109 (15.117683545058746, 12.77321120403558, 14.882698902606315, 17.522014224369297, 17.078875171467768, 9.251181222374639, 9.916859363772943, 9.876909007773206, 17.484035208047555, 9.693863740283494, 11.308033551893201, 13.302962481649942, 15.277053326474624), # 110 (15.07021964573269, 12.703658781362009, 14.849774074074077, 17.47315507246377, 17.047233115468412, 9.230294650205762, 9.87001224193381, 9.845471604938272, 17.450175308641978, 9.656379491648512, 11.264181180223286, 13.261775178687461, 15.246087962962964), # 111 (15.02326417367448, 12.634458091065975, 14.816641838134434, 17.42436162104133, 17.015707254095055, 9.209952385307119, 9.823300127183934, 9.814929675354367, 17.41663804298125, 9.618813441996826, 11.221169212593775, 13.220587875724977, 15.215307784636488), # 112 (14.976806757924871, 12.565757790057525, 14.78338852520331, 17.375734211987265, 16.98428108827793, 9.190191630743222, 9.776841541850832, 9.78536411004897, 17.383540498013794, 9.581287578580367, 11.179078249844586, 13.179508698407085, 15.184710241349155), # 113 (14.930369436640104, 12.498235493640857, 14.75047308003459, 17.327663074043738, 16.952629367306123, 9.170967373647843, 9.731229133456928, 9.757138015208191, 17.351390457140898, 9.544504268660452, 11.137990939381115, 13.13905947538076, 15.154040662656056), # 114 (14.883815844806392, 12.431915517892875, 14.717915092331708, 17.280135208290847, 16.920652284621763, 9.152229619998023, 9.6864954403065, 9.730244246845935, 17.320199965870064, 9.508520524780923, 11.09784721828335, 13.099260132094162, 15.123210610656603), # 115 (14.837087797180216, 12.366701250066724, 14.685651503974197, 17.233065840426246, 16.888301642214046, 9.133934203659356, 9.64256770804463, 9.70460850063839, 17.28989014276453, 9.473269373519276, 11.05856949003437, 13.060037115979753, 15.092171615609425), # 116 (14.790127108518035, 12.302496077415555, 14.653619256841578, 17.18637019614759, 16.855529242072176, 9.116036958497425, 9.599373182316404, 9.680156472261736, 17.260382106387524, 9.438683841453006, 11.020080158117253, 13.021316874470001, 15.06087520777316), # 117 (14.742875593576338, 12.239203387192518, 14.621755292813388, 17.139963501152533, 16.82228688618535, 9.098493718377823, 9.556839108766905, 9.656813857392155, 17.231596975302296, 9.404696955159615, 10.98230162601508, 12.98302585499736, 15.02927291740644), # 118 (14.695275067111588, 12.176726566650768, 14.589996553769158, 17.09376098113873, 16.788526376542755, 9.081260317166132, 9.51489273304121, 9.634506351705832, 17.20345586807207, 9.371241741216595, 10.945156297210925, 12.945090504994296, 14.997316274767892), # 119 (14.647267343880259, 12.114969003043454, 14.55827998158842, 17.04767786180383, 16.754199515133596, 9.064292588727945, 9.473461300784406, 9.613159650878949, 17.175879903260093, 9.338251226201448, 10.908566575187866, 12.907437271893276, 14.964956810116156), # 120 (14.59879423863883, 12.053834083623727, 14.5265425181507, 17.001629368845496, 16.71925810394707, 9.047546366928849, 9.432472057641569, 9.592699450587691, 17.148790199429598, 9.305658436691674, 10.872454863428986, 12.869992603126756, 14.932146053709857), # 121 (14.549797566143766, 11.993225195644738, 14.494721105335538, 16.95553072796137, 16.683653944972374, 9.03097748563443, 9.391852249257788, 9.573051446508238, 17.122107875143822, 9.273396399264763, 10.836743565417363, 12.832682946127202, 14.898835535807633), # 122 (14.50021914115155, 11.933045726359639, 14.462752685022458, 16.90929716484911, 16.647338840198707, 9.01454177871028, 9.351529121278142, 9.554141334316773, 17.095754048966008, 9.24139814049822, 10.801355084636072, 12.795434748327075, 14.864976786668116), # 123 (14.450000778418648, 11.87319906302158, 14.430574199090993, 16.86284390520638, 16.61026459161526, 8.998195080021983, 9.311429919347711, 9.535894809689482, 17.069649839459384, 9.209596686969538, 10.766211824568192, 12.758174457158841, 14.830521336549939), # 124 (14.399084292701534, 11.813588592883713, 14.398122589420678, 16.816086174730817, 16.572383001211236, 8.98189322343513, 9.271481889111582, 9.518237568302546, 17.04371636518719, 9.177925065256215, 10.731236188696803, 12.720828520054958, 14.795420715711726), # 125 (14.347411498756685, 11.754117703199192, 14.365334797891038, 16.768939199120087, 16.53364587097583, 8.965592042815308, 9.231612276214832, 9.501095305832148, 17.017874744712667, 9.146316301935748, 10.696350580504982, 12.683323384447895, 14.759626454412127), # 126 (14.294924211340579, 11.69468978122116, 14.332147766381608, 16.72131820407184, 16.494005002898238, 8.949247372028104, 9.19174832630255, 9.484393717954474, 16.99204609659905, 9.114703423585638, 10.661477403475807, 12.645585497770107, 14.723090082909758), # 127 (14.241564245209673, 11.635208214202777, 14.29849843677192, 16.67313841528373, 16.453412198967666, 8.93281504493911, 9.151817285019812, 9.4680585003457, 16.966151539409577, 9.083019456783381, 10.626539061092359, 12.607541307454062, 14.68576313146326), # 128 (14.187273415120451, 11.575576389397186, 14.264323750941504, 16.624315058453412, 16.4118192611733, 8.916250895413912, 9.111746398011702, 9.452015348682016, 16.94011219170748, 9.051197428106473, 10.591457956837715, 12.569117260932218, 14.647597130331262), # 129 (14.131993535829388, 11.515697694057547, 14.229560650769887, 16.57476335927854, 16.36917799150434, 8.899510757318094, 9.0714629109233, 9.4361899586396, 16.913849172056, 9.019170364132412, 10.556156494194951, 12.530239805637045, 14.608543609772397), # 130 (14.07566642209295, 11.455475515437003, 14.19414607813661, 16.524398543456762, 16.32544019194999, 8.88255046451725, 9.030894069399695, 9.42050802589464, 16.887283599018378, 8.986871291438696, 10.52055707664715, 12.490835389000999, 14.568554100045299), # 131 (14.018233888667616, 11.39481324078871, 14.158016974921194, 16.47313583668574, 16.280557664499447, 8.865325850876964, 8.98996711908596, 9.404895246123317, 16.860336591157846, 8.954233236602823, 10.484582107677383, 12.450830458456547, 14.527580131408602), # 132 (13.959637750309861, 11.333614257365817, 14.121110283003175, 16.420890464663124, 16.2344822111419, 8.847792750262826, 8.948609305627183, 9.389277315001811, 16.832929267037642, 8.921189226202292, 10.448153990768738, 12.410151461436149, 14.485573234120938), # 133 (13.899819821776152, 11.271781952421478, 14.083362944262086, 16.367577653086567, 16.18716563386655, 8.829906996540425, 8.906747874668445, 9.37357992820631, 16.804982745221007, 8.887672286814597, 10.411195129404286, 12.368724845372267, 14.442484938440934), # 134 (13.838721917822966, 11.209219713208839, 14.044711900577454, 16.313112627653727, 16.138559734662593, 8.811624423575347, 8.86431007185483, 9.357728781412993, 16.77641814427117, 8.853615445017242, 10.373627927067108, 12.326477057697364, 14.398266774627231), # 135 (13.776285853206776, 11.145830926981056, 14.005094093828815, 16.25741061406225, 16.08861631551923, 8.792900865233184, 8.821223142831416, 9.341649570298044, 16.74715658275137, 8.818951727387716, 10.335374787240283, 12.283334545843907, 14.352870272938459), # 136 (13.712453442684055, 11.081518980991277, 13.964446465895698, 16.200386838009802, 16.037287178425654, 8.773692155379518, 8.77741433324329, 9.325267990537647, 16.717119179224852, 8.783614160503523, 10.296358113406889, 12.239223757244352, 14.306246963633242), # 137 (13.647166501011277, 11.016187262492654, 13.922705958657628, 16.141956525194022, 15.98452412537107, 8.753954127879942, 8.732810888735527, 9.308509737807984, 16.68622705225485, 8.747535770942156, 10.256500309050004, 12.194071139331164, 14.258348376970226), # 138 (13.58036684294491, 10.949739158738339, 13.879809513994145, 16.082034901312575, 15.930278958344665, 8.733642616600042, 8.687340054953216, 9.29130050778524, 16.654401320404595, 8.710649585281116, 10.215723777652705, 12.14780313953681, 14.20912604320803), # 139 (13.511996283241437, 10.88207805698148, 13.83569407378478, 16.020537192063113, 15.874503479335647, 8.712713455405407, 8.640929077541434, 9.273565996145594, 16.62156310223733, 8.672888630097898, 10.17395092269807, 12.100346205293746, 14.158531492605304), # 140 (13.44199663665733, 10.813107344475235, 13.790296579909057, 15.957378623143285, 15.817149490333206, 8.691122478161624, 8.593505202145272, 9.255231898565233, 16.587633516316288, 8.634185931970002, 10.131104147669182, 12.05162678403444, 14.106516255420662), # 141 (13.37030971794905, 10.742730408472745, 13.743553974246513, 15.892474420250753, 15.75816879332654, 8.668825518734284, 8.544995674409803, 9.236223910720339, 16.552533681204707, 8.594474517474925, 10.087105856049115, 12.001571323191351, 14.053031861912746), # 142 (13.29687734187308, 10.67085063622717, 13.695403198676681, 15.82573980908316, 15.697513190304846, 8.64577841098897, 8.49532773998011, 9.21646772828709, 16.516184715465837, 8.553687413190165, 10.04187845132095, 11.950106270196944, 13.998029842340188), # 143 (13.221641323185896, 10.597371414991658, 13.645781195079085, 15.757090015338171, 15.635134483257326, 8.621936988791274, 8.444428644501278, 9.195889046941678, 16.478507737662895, 8.511757645693216, 9.995344336967761, 11.897158072483679, 13.941461726961624), # 144 (13.144543476643964, 10.52219613201936, 13.594624905333262, 15.686440264713433, 15.570984474173173, 8.597257086006785, 8.39222563361839, 9.174413562360282, 16.439423866359128, 8.46861824156158, 9.947425916472632, 11.842653177484022, 13.88327904603568), # 145 (13.065525617003761, 10.445228174563427, 13.541871271318747, 15.613705782906601, 15.505014965041589, 8.57169453650109, 8.338645952976528, 9.151966970219084, 16.39885422011777, 8.424202227372753, 9.898045593318638, 11.786518032630433, 13.82343332982099), # 146 (12.98452955902176, 10.366370929877009, 13.487457234915055, 15.538801795615328, 15.437177757851764, 8.545205174139772, 8.28361684822077, 9.128474966194265, 16.356719917502065, 8.378442629704233, 9.847125770988859, 11.728679085355378, 13.761876108576189), # 147 (12.901497117454435, 10.285527785213262, 13.431319738001733, 15.461643528537275, 15.367424654592899, 8.517744832788429, 8.227065564996202, 9.103863245962012, 16.312942077075245, 8.331272475133515, 9.794588852966372, 11.669062783091313, 13.698558912559907), # 148 (12.81637010705826, 10.20260212782533, 13.37339572245831, 15.382146207370084, 15.295707457254194, 8.48926934631264, 8.168919348947906, 9.078057505198506, 16.26744181740054, 8.282624790238101, 9.740357242734255, 11.607595573270707, 13.63343327203078), # 149 (12.729090342589704, 10.117497344966367, 13.313622130164312, 15.30022505781142, 15.221977967824841, 8.459734548577998, 8.109105445720962, 9.05098343957993, 16.220140257041205, 8.232432601595482, 9.684353343775589, 11.544203903326022, 13.566450717247434), # 150 (12.63959963880524, 10.030116823889527, 13.251935902999268, 15.215795305558927, 15.146187988294043, 8.429096273450089, 8.047551100960453, 9.02256674478247, 16.170958514560464, 8.180628935783165, 9.626499559573448, 11.478814220689715, 13.49756277846851), # 151 (12.54783981046135, 9.940363951847957, 13.188273982842723, 15.128772176310271, 15.06828932065099, 8.397310354794502, 7.984183560311464, 8.992733116482306, 16.119817708521552, 8.12714681937864, 9.566718293610915, 11.411352972794255, 13.426720985952636), # 152 (12.453752672314497, 9.848142116094811, 13.12257331157419, 15.039070895763093, 14.988233766884889, 8.364332626476825, 7.918930069419071, 8.96140825035562, 16.06663895748772, 8.071919278959406, 9.504931949371066, 11.341746607072103, 13.353876869958444), # 153 (12.357280039121166, 9.75335470388324, 13.054770831073213, 14.946606689615056, 14.905973128984929, 8.330118922362647, 7.851717873928365, 8.928517842078596, 16.011343380022186, 8.014879341102965, 9.44106293033698, 11.26992157095572, 13.278981960744572), # 154 (12.258363725637818, 9.655905102466392, 12.984803483219322, 14.851294783563805, 14.821459208940315, 8.294625076317555, 7.782474219484418, 8.893987587327418, 15.953852094688205, 7.955960032386807, 9.375033639991733, 11.195804311877572, 13.201987788569642), # 155 (12.15694554662093, 9.555696699097421, 12.912608209892042, 14.753050403307, 14.734643808740238, 8.257806922207138, 7.71112635173232, 8.85774318177827, 15.894086220049003, 7.8950943793884365, 9.306766481818407, 11.119321277270117, 13.122845883692296), # 156 (12.05296731682698, 9.452632881029478, 12.838121952970909, 14.6517887745423, 14.645478730373895, 8.219620293896982, 7.637601516317151, 8.819710321107332, 15.831966874667822, 7.832215408685347, 9.236183859300079, 11.04039891456582, 13.041507776371162), # 157 (11.943489514248384, 9.344724993235614, 12.75774712624377, 14.54363133064199, 14.549889769393596, 8.177639162107376, 7.560170753484572, 8.777275123758995, 15.762659346558557, 7.76538546606583, 9.160953204062308, 10.956159302710944, 12.954377375064553), # 158 (11.811658827165445, 9.220904511359164, 12.65078050944478, 14.406363454061527, 14.424306095650605, 8.117903436811366, 7.469140421417146, 8.715541652423012, 15.658283617955432, 7.683649590557993, 9.06786709699039, 10.850180037892974, 12.840684235072311), # 159 (11.655795351846896, 9.080154765665142, 12.515073532729422, 14.237724016654177, 14.266272210154874, 8.038946073676295, 7.363589997414055, 8.632958703243755, 15.515880363565842, 7.58592904298063, 8.955615213775264, 10.720803118220555, 12.69827297422973), # 160 (11.477155287337537, 8.92339338892875, 12.352075155056495, 14.039316006010765, 14.077428998851381, 7.941723586512502, 7.244290313611002, 8.530560852975649, 15.337327627198428, 7.473053109073501, 8.825186647359532, 10.569227950252113, 12.528598471710556), # 161 (11.27699483268217, 8.751538013925183, 12.163234335384793, 13.812742409722123, 13.859417347685127, 7.827192489130329, 7.112012202143695, 8.409382678373124, 15.12450345266182, 7.3458510745763705, 8.677570490685794, 10.39665394054607, 12.333115606688533), # 162 (11.056570186925597, 8.565506273429639, 11.950000032673124, 13.559606215379095, 13.613878142601102, 7.696309295340116, 6.967526495147841, 8.2704587561906, 14.87928588376465, 7.205152225229, 8.513755836696653, 10.204280495660853, 12.113279258337407), # 163 (10.817137549112616, 8.366215800217313, 11.713821205880283, 13.281510410572508, 13.342452269544303, 7.550030518952207, 6.811604024759146, 8.114823663182511, 14.603552964315558, 7.05178584677115, 8.334731778334714, 9.993307022154886, 11.870544305830926), # 164 (10.559953118288028, 8.154584227063411, 11.45614681396507, 12.980057982893204, 13.046780614459719, 7.389312673776939, 6.6450156231133155, 7.943511976103274, 14.299182738123168, 6.8865812249425815, 8.141487408542579, 9.764932926586592, 11.606365628342832), # 165 (10.286273093496636, 7.931529186743127, 11.178425815886285, 12.656851919932002, 12.728504063292343, 7.215112273624654, 6.468532122346058, 7.757558271707324, 13.968053248996117, 6.71036764548306, 7.935011820262847, 9.520357615514403, 11.322198105046873), # 166 (9.997353673783238, 7.6979683120316595, 10.882107170602728, 12.31349520927975, 12.389263501987168, 7.028385832305694, 6.28292435459308, 7.557997126749083, 13.61204254074304, 6.523974394132343, 7.716294106438124, 9.260780495496734, 11.019496615116793), # 167 (9.694451058192634, 7.454819235704206, 10.568639837073198, 11.951590838527274, 12.030699816489188, 6.830089863630398, 6.088963151990087, 7.345863117982976, 13.233028657172568, 6.328230756630195, 7.48632336001101, 8.987400973092019, 10.69971603772634), # 168 (9.378821445769624, 7.202999590535967, 10.239472774256495, 11.572741795265413, 11.654453892743392, 6.621180881409112, 5.887419346672787, 7.122190822163432, 12.832889642093342, 6.123966018716379, 7.24608867392411, 8.701418454858675, 10.364311252049257), # 169 (9.051721035559014, 6.94342700930214, 9.896054941111416, 11.178551067084992, 11.262166616694774, 6.402615399452171, 5.679063770776885, 6.888014816044876, 12.413503539313982, 5.912009466130653, 6.996579141120026, 8.404032347355134, 10.014737137259289), # 170 (8.7144060266056, 6.677019124777921, 9.539835296596765, 10.770621641576858, 10.85547887428833, 6.175349931569918, 5.464667256438089, 6.644369676381733, 11.976748392643131, 5.693190384612782, 6.738783854541357, 8.096442057139818, 9.652448572530185), # 171 (8.368132617954185, 6.4046935697385114, 9.172262799671339, 10.350556506331834, 10.436031551469046, 5.940340991572694, 5.245000635792105, 6.392289979928433, 11.524502245889417, 5.468338059902528, 6.473691907130711, 7.779846990771154, 9.278900437035686), # 172 (8.014157008649567, 6.127367976959108, 8.79478640929394, 9.919958648940762, 10.005465534181923, 5.69854509327084, 5.02083474097464, 6.132810303439398, 11.058643142861477, 5.238281777739651, 6.202292391830685, 7.45544655480756, 8.89554760994954), # 173 (7.6537353977365505, 5.845959979214909, 8.408855084423363, 9.480431056994465, 9.565421708371947, 5.450918750474696, 4.792940404121401, 5.866965223669057, 10.581049127367942, 5.003850823863915, 5.9255744015838845, 7.124440155807469, 8.503844970445494), # 174 (7.288123984259929, 5.561387209281111, 8.015917784018413, 9.033576718083788, 9.11754095998411, 5.198418476994606, 4.562088457368093, 5.595789317371834, 10.09359824321745, 4.765874484015079, 5.644527029332911, 6.788027200329303, 8.105247397697292), # 175 (6.91857896726451, 5.274567299932917, 7.617423467037885, 8.58099861979956, 8.663464174963408, 4.942000786640907, 4.329049732850424, 5.3203171613021585, 9.598168534218628, 4.525182043932907, 5.360139368020368, 6.447407094931487, 7.701209770878679), # 176 (6.546356545795092, 4.986417883945522, 7.214821092440582, 8.124299749732613, 8.204832239254838, 4.682622193223941, 4.094595062704101, 5.0415833322144525, 9.096638044180112, 4.282602789357159, 5.073400510588858, 6.103779246172446, 7.2931869691634), # 177 (6.172712918896475, 4.697856594094126, 6.809559619185302, 7.665083095473786, 7.743286038803382, 4.421239210554052, 3.859495279064828, 4.760622406863145, 8.590884816910537, 4.0389660060276, 4.78529954998098, 5.758343060610604, 6.882633871725203), # 178 (0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0), # 179 ) passenger_arriving_acc = ( (11, 2, 10, 9, 2, 7, 2, 5, 2, 1, 1, 0, 0, 9, 8, 6, 8, 2, 5, 1, 5, 4, 1, 1, 1, 0), # 0 (20, 14, 19, 18, 10, 9, 3, 9, 4, 1, 2, 2, 0, 17, 14, 14, 13, 4, 10, 8, 8, 7, 2, 1, 3, 0), # 1 (24, 17, 27, 28, 17, 14, 4, 15, 8, 5, 3, 2, 0, 32, 24, 18, 21, 8, 15, 11, 10, 12, 3, 3, 4, 0), # 2 (33, 29, 31, 39, 22, 19, 7, 19, 10, 6, 4, 3, 0, 39, 37, 27, 24, 20, 22, 14, 12, 14, 5, 4, 5, 0), # 3 (42, 42, 39, 46, 29, 20, 12, 26, 11, 7, 5, 5, 0, 46, 46, 30, 31, 28, 25, 19, 14, 17, 8, 6, 6, 0), # 4 (54, 49, 47, 54, 38, 22, 17, 32, 13, 9, 10, 5, 0, 50, 51, 39, 38, 38, 31, 20, 17, 25, 10, 10, 11, 0), # 5 (70, 63, 61, 65, 43, 27, 24, 37, 13, 10, 10, 5, 0, 60, 63, 47, 42, 46, 38, 24, 18, 27, 14, 12, 13, 0), # 6 (77, 70, 79, 75, 53, 32, 29, 40, 19, 14, 11, 6, 0, 69, 70, 61, 48, 56, 45, 29, 20, 30, 16, 16, 14, 0), # 7 (94, 86, 91, 87, 62, 33, 36, 45, 24, 17, 12, 6, 0, 84, 81, 66, 56, 68, 48, 38, 25, 34, 22, 17, 15, 0), # 8 (107, 98, 102, 97, 75, 39, 39, 47, 28, 21, 15, 7, 0, 98, 90, 72, 68, 74, 54, 40, 29, 40, 29, 19, 16, 0), # 9 (124, 113, 113, 112, 85, 41, 46, 53, 38, 23, 15, 8, 0, 116, 106, 84, 73, 80, 63, 46, 29, 46, 38, 23, 17, 0), # 10 (133, 124, 126, 125, 91, 43, 53, 59, 41, 24, 20, 8, 0, 130, 119, 92, 79, 92, 74, 50, 30, 52, 40, 25, 18, 0), # 11 (143, 142, 135, 136, 98, 47, 58, 63, 49, 28, 20, 9, 0, 142, 132, 99, 86, 110, 80, 53, 38, 56, 42, 28, 18, 0), # 12 (153, 154, 142, 145, 105, 50, 65, 70, 55, 30, 22, 11, 0, 157, 153, 109, 96, 122, 85, 59, 40, 58, 42, 30, 20, 0), # 13 (176, 171, 148, 171, 121, 53, 74, 77, 58, 32, 24, 12, 0, 174, 164, 124, 106, 131, 89, 66, 45, 60, 46, 31, 21, 0), # 14 (188, 181, 158, 191, 130, 57, 85, 83, 65, 37, 27, 14, 0, 196, 180, 138, 115, 143, 97, 69, 49, 68, 52, 32, 23, 0), # 15 (202, 195, 168, 206, 139, 60, 89, 88, 68, 38, 28, 15, 0, 210, 197, 153, 127, 154, 100, 73, 55, 71, 58, 35, 24, 0), # 16 (226, 207, 176, 215, 153, 68, 94, 94, 73, 40, 30, 16, 0, 225, 212, 160, 138, 169, 105, 85, 61, 72, 64, 38, 25, 0), # 17 (247, 225, 189, 232, 169, 74, 104, 100, 76, 44, 32, 18, 0, 237, 230, 173, 146, 177, 113, 90, 66, 75, 72, 39, 28, 0), # 18 (262, 235, 198, 245, 182, 81, 110, 111, 82, 46, 33, 18, 0, 259, 243, 182, 155, 192, 122, 96, 73, 81, 75, 39, 28, 0), # 19 (277, 247, 212, 250, 191, 87, 116, 122, 84, 47, 34, 20, 0, 278, 252, 192, 164, 205, 132, 102, 77, 87, 79, 43, 29, 0), # 20 (295, 270, 224, 267, 201, 92, 119, 130, 89, 50, 35, 21, 0, 293, 261, 202, 176, 221, 138, 109, 79, 95, 84, 45, 30, 0), # 21 (315, 287, 237, 284, 209, 101, 128, 136, 96, 53, 35, 21, 0, 309, 274, 216, 182, 234, 146, 116, 83, 102, 85, 45, 32, 0), # 22 (327, 303, 256, 298, 225, 109, 133, 145, 99, 54, 37, 22, 0, 337, 286, 224, 190, 255, 162, 118, 89, 107, 90, 49, 36, 0), # 23 (345, 321, 271, 315, 242, 116, 141, 150, 102, 57, 40, 24, 0, 361, 306, 240, 201, 271, 169, 126, 92, 112, 92, 53, 37, 0), # 24 (360, 339, 285, 331, 260, 126, 143, 153, 107, 59, 42, 25, 0, 377, 319, 250, 212, 284, 179, 134, 98, 118, 93, 55, 41, 0), # 25 (379, 358, 301, 345, 274, 136, 150, 159, 117, 60, 45, 25, 0, 388, 335, 261, 220, 304, 185, 138, 106, 121, 102, 58, 44, 0), # 26 (392, 377, 317, 359, 290, 140, 156, 165, 120, 62, 46, 27, 0, 406, 349, 273, 232, 316, 193, 150, 109, 127, 108, 61, 44, 0), # 27 (405, 394, 329, 375, 300, 143, 160, 167, 126, 65, 50, 27, 0, 417, 367, 282, 240, 330, 198, 153, 118, 130, 114, 65, 46, 0), # 28 (431, 411, 342, 392, 307, 146, 165, 170, 131, 68, 50, 28, 0, 438, 384, 289, 252, 347, 211, 159, 122, 139, 115, 69, 49, 0), # 29 (453, 432, 352, 411, 328, 150, 167, 179, 137, 71, 50, 30, 0, 456, 393, 299, 267, 357, 225, 165, 128, 144, 120, 70, 51, 0), # 30 (468, 449, 359, 431, 339, 154, 170, 190, 140, 77, 51, 31, 0, 470, 407, 307, 274, 368, 235, 173, 132, 150, 121, 71, 52, 0), # 31 (485, 463, 370, 446, 353, 159, 180, 198, 148, 82, 53, 31, 0, 489, 425, 317, 280, 376, 240, 178, 139, 152, 127, 75, 53, 0), # 32 (502, 470, 387, 461, 368, 166, 186, 204, 152, 87, 58, 35, 0, 505, 438, 331, 290, 387, 251, 181, 143, 159, 132, 77, 54, 0), # 33 (522, 482, 394, 480, 375, 169, 194, 205, 158, 90, 60, 35, 0, 523, 452, 344, 295, 395, 261, 188, 147, 162, 135, 82, 56, 0), # 34 (535, 503, 405, 489, 386, 181, 201, 208, 163, 90, 64, 36, 0, 538, 466, 351, 304, 411, 269, 195, 149, 169, 139, 85, 58, 0), # 35 (556, 517, 419, 506, 399, 186, 205, 216, 171, 92, 67, 36, 0, 554, 482, 357, 317, 422, 276, 202, 153, 175, 143, 88, 61, 0), # 36 (567, 530, 429, 518, 409, 191, 215, 220, 177, 96, 70, 37, 0, 576, 494, 374, 323, 433, 286, 206, 157, 182, 148, 89, 62, 0), # 37 (582, 546, 439, 529, 421, 200, 221, 223, 183, 96, 70, 37, 0, 595, 510, 382, 331, 445, 296, 212, 163, 189, 155, 90, 64, 0), # 38 (602, 558, 455, 544, 433, 204, 227, 231, 184, 100, 72, 40, 0, 609, 524, 392, 338, 454, 305, 217, 168, 191, 160, 92, 64, 0), # 39 (618, 567, 469, 559, 443, 217, 230, 237, 194, 103, 74, 42, 0, 620, 536, 399, 348, 465, 315, 226, 170, 197, 163, 93, 65, 0), # 40 (632, 586, 486, 570, 447, 224, 244, 244, 203, 105, 74, 44, 0, 637, 540, 409, 360, 481, 322, 236, 173, 205, 166, 95, 67, 0), # 41 (649, 598, 494, 580, 458, 231, 246, 247, 208, 106, 76, 44, 0, 656, 553, 425, 367, 500, 326, 242, 174, 208, 172, 95, 69, 0), # 42 (663, 613, 505, 594, 462, 241, 253, 248, 212, 108, 77, 48, 0, 674, 566, 436, 377, 510, 330, 245, 179, 215, 175, 96, 69, 0), # 43 (681, 630, 519, 608, 470, 245, 261, 259, 215, 111, 77, 51, 0, 688, 580, 446, 383, 522, 337, 252, 179, 221, 177, 98, 72, 0), # 44 (692, 646, 537, 621, 484, 249, 268, 266, 223, 115, 84, 52, 0, 708, 592, 457, 388, 538, 345, 262, 184, 232, 179, 100, 75, 0), # 45 (706, 669, 550, 638, 493, 254, 272, 269, 230, 117, 89, 55, 0, 727, 610, 463, 394, 558, 357, 268, 191, 236, 189, 102, 78, 0), # 46 (721, 686, 561, 650, 507, 258, 282, 281, 236, 120, 90, 58, 0, 744, 623, 477, 409, 570, 366, 272, 195, 244, 192, 105, 82, 0), # 47 (746, 704, 573, 659, 518, 264, 292, 291, 240, 123, 93, 59, 0, 756, 635, 482, 418, 581, 378, 282, 200, 251, 195, 105, 82, 0), # 48 (766, 720, 589, 679, 527, 272, 294, 294, 250, 124, 95, 61, 0, 770, 645, 496, 434, 588, 383, 286, 202, 256, 199, 108, 84, 0), # 49 (784, 735, 607, 690, 534, 277, 309, 299, 256, 129, 95, 61, 0, 788, 668, 508, 443, 599, 392, 295, 204, 262, 204, 110, 87, 0), # 50 (800, 750, 624, 709, 546, 280, 321, 302, 262, 130, 95, 61, 0, 807, 676, 520, 451, 605, 402, 304, 208, 268, 210, 112, 88, 0), # 51 (816, 763, 640, 724, 564, 283, 328, 308, 267, 133, 98, 61, 0, 829, 688, 534, 459, 617, 409, 310, 210, 272, 214, 117, 88, 0), # 52 (837, 776, 651, 732, 577, 287, 331, 313, 274, 136, 101, 62, 0, 844, 702, 544, 470, 632, 421, 314, 212, 275, 217, 119, 89, 0), # 53 (849, 795, 670, 746, 589, 294, 336, 323, 280, 138, 104, 63, 0, 854, 711, 554, 476, 646, 432, 317, 215, 281, 225, 124, 89, 0), # 54 (860, 812, 690, 757, 595, 305, 342, 329, 282, 141, 106, 65, 0, 876, 725, 565, 483, 660, 439, 318, 223, 288, 230, 128, 90, 0), # 55 (873, 824, 700, 773, 608, 310, 350, 331, 287, 145, 108, 67, 0, 897, 742, 576, 491, 669, 446, 326, 231, 297, 235, 131, 93, 0), # 56 (887, 837, 707, 783, 622, 317, 359, 335, 293, 146, 109, 70, 0, 909, 755, 586, 497, 678, 450, 335, 232, 305, 239, 132, 93, 0), # 57 (900, 858, 717, 800, 634, 320, 365, 341, 298, 149, 111, 72, 0, 923, 762, 593, 509, 692, 458, 342, 235, 314, 246, 136, 97, 0), # 58 (912, 868, 726, 814, 655, 326, 377, 345, 305, 157, 113, 73, 0, 939, 777, 599, 518, 706, 467, 346, 237, 318, 251, 137, 97, 0), # 59 (923, 886, 746, 828, 664, 328, 384, 349, 312, 157, 115, 77, 0, 953, 789, 612, 523, 720, 476, 355, 241, 324, 258, 138, 97, 0), # 60 (943, 899, 756, 843, 673, 336, 390, 354, 318, 160, 117, 78, 0, 966, 800, 621, 527, 732, 480, 362, 254, 333, 260, 139, 98, 0), # 61 (959, 914, 768, 858, 688, 343, 400, 364, 324, 163, 118, 78, 0, 982, 817, 634, 535, 751, 489, 366, 257, 340, 266, 142, 99, 0), # 62 (980, 919, 782, 877, 700, 352, 405, 368, 334, 167, 120, 79, 0, 993, 831, 650, 545, 763, 494, 371, 259, 344, 272, 144, 101, 0), # 63 (994, 931, 796, 893, 707, 357, 405, 370, 339, 168, 122, 80, 0, 1002, 845, 671, 556, 771, 506, 376, 264, 348, 275, 145, 102, 0), # 64 (1012, 948, 807, 904, 716, 362, 409, 372, 350, 168, 123, 82, 0, 1021, 861, 681, 567, 783, 511, 386, 269, 351, 279, 149, 104, 0), # 65 (1038, 961, 815, 925, 730, 365, 416, 378, 354, 169, 124, 83, 0, 1037, 871, 694, 575, 799, 515, 397, 273, 356, 285, 151, 104, 0), # 66 (1056, 972, 835, 948, 738, 377, 425, 380, 357, 174, 128, 86, 0, 1055, 884, 700, 585, 811, 524, 404, 275, 362, 292, 159, 105, 0), # 67 (1073, 985, 851, 963, 750, 386, 428, 385, 361, 178, 129, 86, 0, 1069, 900, 708, 592, 825, 531, 408, 278, 373, 301, 164, 108, 0), # 68 (1089, 996, 865, 982, 759, 388, 435, 386, 372, 184, 133, 88, 0, 1083, 912, 726, 599, 843, 533, 415, 280, 379, 304, 165, 108, 0), # 69 (1102, 1004, 887, 995, 769, 392, 437, 389, 378, 188, 134, 89, 0, 1095, 925, 739, 606, 857, 541, 422, 282, 381, 307, 169, 110, 0), # 70 (1117, 1019, 898, 1014, 779, 401, 442, 398, 385, 192, 136, 92, 0, 1115, 935, 744, 614, 870, 544, 425, 288, 391, 315, 172, 113, 0), # 71 (1134, 1029, 907, 1023, 793, 410, 448, 403, 389, 194, 137, 94, 0, 1132, 949, 751, 622, 878, 548, 429, 295, 401, 317, 175, 114, 0), # 72 (1143, 1043, 916, 1034, 810, 414, 453, 408, 392, 197, 137, 95, 0, 1148, 957, 766, 633, 892, 560, 437, 298, 409, 319, 178, 117, 0), # 73 (1153, 1057, 936, 1049, 824, 418, 453, 413, 399, 199, 140, 96, 0, 1170, 969, 773, 642, 906, 569, 445, 299, 422, 319, 180, 119, 0), # 74 (1167, 1070, 955, 1065, 833, 421, 456, 420, 403, 200, 146, 100, 0, 1188, 983, 779, 650, 921, 572, 451, 305, 428, 324, 182, 119, 0), # 75 (1190, 1089, 972, 1081, 842, 430, 462, 425, 406, 201, 149, 100, 0, 1204, 998, 790, 659, 936, 584, 458, 310, 429, 325, 189, 122, 0), # 76 (1201, 1104, 978, 1094, 855, 436, 468, 428, 410, 204, 151, 101, 0, 1217, 1009, 795, 669, 947, 592, 463, 315, 437, 328, 192, 123, 0), # 77 (1215, 1116, 990, 1116, 865, 442, 477, 435, 415, 206, 152, 101, 0, 1234, 1030, 809, 679, 958, 600, 472, 323, 443, 334, 196, 126, 0), # 78 (1237, 1135, 1007, 1130, 875, 444, 482, 441, 421, 207, 154, 105, 0, 1253, 1038, 825, 686, 966, 608, 477, 326, 448, 338, 198, 126, 0), # 79 (1253, 1145, 1017, 1139, 885, 449, 487, 445, 427, 208, 156, 105, 0, 1276, 1050, 834, 697, 985, 614, 479, 329, 453, 340, 203, 127, 0), # 80 (1277, 1157, 1029, 1151, 895, 455, 497, 449, 433, 213, 162, 106, 0, 1293, 1065, 840, 708, 1000, 624, 485, 333, 459, 345, 205, 129, 0), # 81 (1293, 1174, 1041, 1166, 905, 457, 501, 453, 436, 217, 163, 107, 0, 1314, 1082, 848, 718, 1013, 629, 489, 337, 464, 348, 207, 131, 0), # 82 (1310, 1182, 1056, 1181, 917, 464, 510, 458, 446, 219, 167, 107, 0, 1329, 1099, 857, 725, 1030, 633, 495, 342, 467, 353, 209, 133, 0), # 83 (1321, 1198, 1066, 1193, 926, 469, 518, 463, 451, 222, 171, 107, 0, 1347, 1113, 870, 731, 1042, 637, 501, 348, 473, 357, 209, 134, 0), # 84 (1335, 1216, 1077, 1204, 936, 478, 524, 470, 455, 225, 171, 107, 0, 1360, 1130, 886, 739, 1057, 646, 504, 352, 480, 362, 211, 135, 0), # 85 (1348, 1230, 1091, 1215, 948, 483, 528, 475, 459, 226, 173, 108, 0, 1381, 1143, 894, 748, 1064, 649, 508, 357, 486, 364, 213, 137, 0), # 86 (1368, 1240, 1106, 1233, 956, 487, 535, 481, 467, 226, 177, 110, 0, 1400, 1162, 904, 756, 1070, 657, 516, 363, 491, 368, 216, 138, 0), # 87 (1387, 1257, 1120, 1249, 964, 494, 540, 490, 469, 227, 178, 113, 0, 1413, 1171, 917, 763, 1082, 667, 520, 368, 500, 376, 218, 139, 0), # 88 (1411, 1267, 1137, 1260, 970, 501, 546, 495, 476, 230, 180, 114, 0, 1425, 1181, 925, 771, 1092, 672, 524, 373, 507, 379, 222, 140, 0), # 89 (1422, 1282, 1149, 1272, 980, 507, 548, 500, 480, 235, 183, 115, 0, 1438, 1190, 941, 777, 1113, 675, 528, 374, 509, 385, 224, 140, 0), # 90 (1437, 1289, 1169, 1292, 987, 511, 552, 503, 485, 239, 185, 117, 0, 1459, 1207, 950, 784, 1123, 682, 535, 380, 512, 389, 227, 140, 0), # 91 (1454, 1302, 1180, 1304, 1006, 516, 557, 508, 495, 243, 186, 117, 0, 1472, 1227, 958, 791, 1147, 688, 542, 383, 518, 390, 231, 140, 0), # 92 (1473, 1320, 1194, 1317, 1019, 521, 562, 512, 503, 244, 187, 119, 0, 1484, 1242, 967, 795, 1166, 693, 544, 385, 524, 394, 234, 144, 0), # 93 (1490, 1329, 1210, 1329, 1036, 529, 568, 515, 510, 248, 189, 120, 0, 1499, 1256, 975, 802, 1179, 698, 549, 392, 533, 401, 235, 144, 0), # 94 (1501, 1338, 1229, 1345, 1047, 536, 572, 526, 518, 249, 194, 121, 0, 1511, 1269, 984, 808, 1186, 707, 554, 393, 537, 407, 240, 144, 0), # 95 (1517, 1344, 1241, 1362, 1059, 543, 575, 534, 522, 251, 194, 122, 0, 1532, 1286, 993, 815, 1200, 710, 561, 396, 541, 410, 240, 144, 0), # 96 (1541, 1353, 1254, 1372, 1068, 551, 578, 538, 526, 255, 196, 123, 0, 1549, 1302, 1005, 819, 1211, 712, 566, 400, 546, 419, 244, 144, 0), # 97 (1551, 1365, 1266, 1385, 1082, 556, 587, 543, 533, 258, 196, 124, 0, 1565, 1307, 1014, 826, 1223, 718, 571, 402, 552, 423, 246, 144, 0), # 98 (1558, 1376, 1284, 1395, 1090, 565, 593, 548, 538, 261, 198, 125, 0, 1580, 1319, 1026, 835, 1239, 722, 583, 403, 556, 428, 248, 144, 0), # 99 (1566, 1394, 1302, 1414, 1101, 570, 604, 556, 542, 262, 201, 128, 0, 1605, 1339, 1040, 841, 1253, 725, 587, 409, 565, 432, 251, 145, 0), # 100 (1581, 1405, 1314, 1430, 1107, 573, 607, 562, 545, 263, 203, 132, 0, 1624, 1353, 1052, 855, 1263, 732, 591, 416, 570, 435, 254, 145, 0), # 101 (1607, 1414, 1324, 1439, 1120, 585, 610, 567, 551, 267, 205, 133, 0, 1651, 1366, 1060, 864, 1275, 737, 598, 420, 576, 437, 255, 148, 0), # 102 (1625, 1432, 1339, 1448, 1128, 591, 617, 569, 557, 269, 207, 134, 0, 1665, 1376, 1071, 871, 1288, 751, 604, 423, 585, 442, 264, 150, 0), # 103 (1643, 1445, 1349, 1470, 1135, 594, 621, 574, 566, 272, 208, 135, 0, 1683, 1387, 1087, 873, 1296, 756, 611, 424, 593, 448, 268, 152, 0), # 104 (1659, 1459, 1360, 1485, 1145, 599, 622, 579, 569, 272, 208, 136, 0, 1699, 1403, 1093, 881, 1307, 765, 617, 431, 598, 451, 271, 152, 0), # 105 (1670, 1473, 1373, 1502, 1155, 604, 625, 584, 578, 275, 210, 136, 0, 1723, 1418, 1099, 892, 1317, 769, 624, 432, 601, 454, 278, 152, 0), # 106 (1689, 1485, 1386, 1512, 1166, 607, 628, 589, 582, 277, 210, 137, 0, 1740, 1430, 1100, 897, 1334, 776, 629, 435, 609, 459, 278, 152, 0), # 107 (1698, 1494, 1402, 1529, 1173, 613, 630, 589, 586, 279, 213, 138, 0, 1754, 1437, 1113, 905, 1349, 782, 636, 435, 616, 463, 283, 154, 0), # 108 (1718, 1500, 1411, 1545, 1177, 620, 634, 596, 592, 280, 215, 138, 0, 1775, 1453, 1119, 913, 1366, 786, 641, 436, 617, 465, 284, 162, 0), # 109 (1736, 1509, 1421, 1559, 1193, 629, 637, 602, 601, 281, 216, 140, 0, 1791, 1464, 1126, 917, 1374, 792, 648, 440, 628, 472, 286, 163, 0), # 110 (1752, 1519, 1433, 1569, 1203, 634, 639, 605, 611, 284, 216, 141, 0, 1805, 1473, 1138, 923, 1386, 799, 653, 446, 633, 476, 288, 165, 0), # 111 (1769, 1537, 1446, 1581, 1210, 638, 645, 611, 615, 286, 220, 141, 0, 1828, 1486, 1150, 928, 1398, 806, 653, 452, 640, 478, 293, 165, 0), # 112 (1779, 1548, 1456, 1596, 1221, 642, 649, 614, 625, 287, 221, 141, 0, 1844, 1500, 1158, 935, 1408, 813, 654, 457, 648, 483, 295, 169, 0), # 113 (1793, 1562, 1471, 1609, 1232, 651, 653, 616, 628, 288, 225, 143, 0, 1859, 1516, 1165, 945, 1418, 815, 659, 466, 653, 489, 296, 169, 0), # 114 (1811, 1575, 1484, 1617, 1251, 654, 654, 619, 632, 291, 229, 144, 0, 1871, 1526, 1171, 955, 1424, 818, 661, 471, 658, 493, 299, 169, 0), # 115 (1826, 1591, 1493, 1629, 1262, 658, 657, 621, 636, 295, 229, 145, 0, 1884, 1540, 1176, 963, 1436, 825, 664, 475, 666, 495, 304, 172, 0), # 116 (1841, 1605, 1504, 1644, 1273, 660, 660, 622, 641, 297, 232, 146, 0, 1892, 1547, 1185, 971, 1449, 830, 668, 479, 678, 499, 304, 172, 0), # 117 (1854, 1616, 1516, 1658, 1290, 663, 664, 624, 646, 301, 232, 147, 0, 1902, 1560, 1195, 978, 1463, 837, 670, 484, 684, 505, 308, 174, 0), # 118 (1868, 1621, 1525, 1671, 1298, 667, 667, 626, 649, 304, 233, 149, 0, 1921, 1575, 1202, 985, 1480, 840, 674, 488, 691, 510, 311, 176, 0), # 119 (1885, 1634, 1534, 1688, 1310, 669, 672, 628, 656, 307, 235, 152, 0, 1931, 1593, 1210, 994, 1489, 847, 679, 492, 698, 520, 311, 178, 0), # 120 (1898, 1645, 1545, 1701, 1322, 671, 675, 629, 662, 312, 235, 152, 0, 1944, 1605, 1214, 1007, 1495, 858, 681, 495, 703, 523, 313, 178, 0), # 121 (1913, 1657, 1559, 1712, 1334, 675, 679, 639, 666, 313, 242, 152, 0, 1964, 1617, 1224, 1012, 1507, 859, 685, 502, 711, 525, 316, 179, 0), # 122 (1934, 1671, 1572, 1723, 1344, 681, 685, 643, 676, 314, 243, 156, 0, 1975, 1629, 1237, 1015, 1521, 868, 687, 505, 717, 532, 320, 182, 0), # 123 (1944, 1680, 1585, 1731, 1358, 684, 692, 656, 680, 314, 243, 157, 0, 1987, 1642, 1253, 1022, 1539, 871, 694, 507, 724, 535, 320, 182, 0), # 124 (1954, 1690, 1594, 1743, 1371, 685, 698, 660, 686, 317, 247, 157, 0, 2002, 1656, 1266, 1030, 1551, 879, 695, 510, 733, 543, 323, 182, 0), # 125 (1968, 1703, 1609, 1753, 1377, 689, 701, 662, 693, 319, 249, 157, 0, 2020, 1666, 1276, 1034, 1569, 885, 698, 513, 739, 547, 324, 182, 0), # 126 (1984, 1713, 1625, 1761, 1388, 693, 702, 672, 698, 325, 251, 159, 0, 2034, 1678, 1286, 1050, 1577, 889, 705, 518, 749, 554, 326, 182, 0), # 127 (1987, 1724, 1638, 1776, 1395, 701, 704, 675, 701, 329, 251, 159, 0, 2053, 1694, 1292, 1056, 1591, 894, 710, 521, 758, 561, 327, 184, 0), # 128 (1995, 1736, 1650, 1787, 1402, 706, 707, 679, 703, 331, 253, 159, 0, 2074, 1700, 1297, 1061, 1609, 901, 712, 524, 761, 564, 330, 185, 0), # 129 (2012, 1744, 1664, 1797, 1407, 709, 713, 684, 708, 334, 255, 161, 0, 2084, 1716, 1305, 1066, 1626, 905, 717, 526, 768, 564, 331, 187, 0), # 130 (2027, 1747, 1680, 1812, 1424, 712, 717, 685, 710, 335, 255, 164, 0, 2096, 1722, 1307, 1068, 1636, 908, 724, 532, 774, 567, 334, 187, 0), # 131 (2036, 1758, 1690, 1824, 1434, 713, 723, 688, 719, 339, 256, 165, 0, 2109, 1738, 1316, 1075, 1646, 911, 729, 537, 778, 575, 335, 188, 0), # 132 (2048, 1771, 1700, 1845, 1439, 719, 727, 695, 725, 342, 258, 167, 0, 2122, 1750, 1322, 1086, 1657, 923, 734, 545, 779, 578, 336, 189, 0), # 133 (2062, 1781, 1713, 1861, 1447, 728, 729, 698, 731, 345, 259, 168, 0, 2140, 1759, 1332, 1090, 1674, 928, 735, 553, 785, 585, 340, 190, 0), # 134 (2071, 1786, 1725, 1868, 1457, 731, 734, 703, 733, 349, 260, 168, 0, 2152, 1765, 1342, 1098, 1687, 935, 738, 555, 790, 590, 341, 191, 0), # 135 (2086, 1793, 1736, 1879, 1471, 736, 739, 706, 736, 352, 261, 169, 0, 2160, 1775, 1348, 1104, 1700, 942, 745, 559, 794, 593, 345, 192, 0), # 136 (2094, 1805, 1748, 1888, 1486, 741, 743, 709, 737, 356, 262, 174, 0, 2178, 1794, 1359, 1113, 1712, 944, 750, 563, 799, 598, 347, 193, 0), # 137 (2108, 1811, 1761, 1901, 1497, 744, 746, 711, 741, 359, 262, 177, 0, 2194, 1807, 1364, 1117, 1722, 950, 753, 568, 802, 601, 352, 194, 0), # 138 (2124, 1821, 1777, 1910, 1502, 751, 748, 715, 752, 359, 265, 179, 0, 2207, 1823, 1372, 1123, 1726, 954, 757, 574, 809, 606, 356, 194, 0), # 139 (2141, 1829, 1788, 1925, 1511, 759, 755, 718, 760, 363, 267, 179, 0, 2221, 1836, 1382, 1130, 1739, 955, 764, 576, 812, 610, 361, 195, 0), # 140 (2153, 1842, 1794, 1943, 1520, 768, 758, 723, 766, 365, 268, 181, 0, 2237, 1847, 1389, 1140, 1750, 962, 770, 577, 818, 614, 362, 197, 0), # 141 (2170, 1850, 1817, 1949, 1530, 771, 758, 728, 769, 368, 271, 181, 0, 2254, 1855, 1401, 1147, 1758, 967, 777, 582, 820, 616, 365, 198, 0), # 142 (2180, 1857, 1828, 1961, 1539, 775, 766, 733, 774, 368, 273, 181, 0, 2265, 1864, 1406, 1152, 1769, 970, 785, 588, 826, 620, 367, 198, 0), # 143 (2189, 1872, 1840, 1976, 1546, 781, 772, 738, 776, 370, 275, 182, 0, 2279, 1871, 1412, 1160, 1783, 975, 788, 593, 837, 625, 368, 200, 0), # 144 (2205, 1879, 1846, 1987, 1558, 786, 777, 746, 779, 373, 276, 183, 0, 2292, 1885, 1418, 1167, 1801, 981, 791, 597, 842, 628, 370, 201, 0), # 145 (2219, 1894, 1866, 1996, 1575, 788, 780, 752, 783, 374, 276, 183, 0, 2307, 1895, 1426, 1172, 1808, 984, 796, 602, 845, 634, 370, 203, 0), # 146 (2235, 1903, 1874, 2007, 1595, 796, 782, 756, 789, 376, 279, 183, 0, 2318, 1905, 1434, 1174, 1819, 991, 798, 605, 846, 635, 372, 204, 0), # 147 (2244, 1912, 1883, 2018, 1606, 802, 784, 762, 793, 378, 279, 183, 0, 2333, 1917, 1440, 1176, 1829, 994, 799, 607, 851, 640, 374, 204, 0), # 148 (2261, 1917, 1893, 2029, 1612, 806, 790, 767, 799, 381, 280, 185, 0, 2343, 1930, 1449, 1182, 1842, 999, 805, 612, 855, 641, 377, 205, 0), # 149 (2277, 1925, 1909, 2040, 1624, 811, 793, 772, 803, 384, 283, 186, 0, 2360, 1934, 1458, 1193, 1850, 1006, 809, 615, 859, 644, 378, 205, 0), # 150 (2284, 1937, 1917, 2056, 1629, 814, 798, 776, 810, 386, 288, 187, 0, 2379, 1947, 1465, 1197, 1856, 1010, 812, 619, 862, 650, 380, 205, 0), # 151 (2295, 1939, 1934, 2062, 1638, 819, 800, 781, 813, 387, 289, 187, 0, 2391, 1959, 1470, 1202, 1864, 1012, 812, 621, 870, 652, 381, 206, 0), # 152 (2301, 1948, 1943, 2071, 1650, 827, 811, 785, 816, 391, 289, 189, 0, 2402, 1969, 1476, 1210, 1878, 1021, 814, 626, 875, 656, 383, 207, 0), # 153 (2310, 1955, 1954, 2084, 1655, 830, 814, 788, 820, 394, 291, 189, 0, 2410, 1976, 1485, 1219, 1891, 1028, 819, 632, 881, 662, 387, 208, 0), # 154 (2323, 1963, 1967, 2100, 1664, 830, 818, 796, 824, 394, 293, 189, 0, 2424, 1983, 1490, 1223, 1905, 1030, 822, 637, 883, 666, 388, 210, 0), # 155 (2338, 1970, 1978, 2106, 1671, 837, 823, 799, 830, 395, 295, 189, 0, 2439, 1988, 1496, 1228, 1913, 1030, 824, 637, 889, 667, 390, 210, 0), # 156 (2355, 1979, 1993, 2116, 1685, 841, 825, 802, 834, 395, 295, 190, 0, 2447, 2000, 1504, 1233, 1924, 1035, 828, 637, 893, 669, 392, 212, 0), # 157 (2372, 1988, 2001, 2131, 1696, 848, 828, 805, 843, 396, 295, 190, 0, 2460, 2014, 1509, 1237, 1934, 1039, 833, 642, 900, 672, 395, 212, 0), # 158 (2383, 1995, 2020, 2139, 1703, 851, 829, 808, 846, 397, 297, 191, 0, 2475, 2026, 1515, 1246, 1942, 1042, 836, 645, 905, 675, 399, 214, 0), # 159 (2400, 2000, 2031, 2155, 1709, 855, 834, 813, 850, 399, 297, 191, 0, 2488, 2038, 1523, 1252, 1955, 1046, 840, 647, 909, 678, 401, 216, 0), # 160 (2416, 2005, 2038, 2165, 1717, 860, 839, 816, 856, 403, 299, 191, 0, 2498, 2040, 1532, 1254, 1969, 1049, 843, 649, 914, 681, 402, 216, 0), # 161 (2428, 2016, 2047, 2176, 1728, 868, 840, 819, 863, 408, 300, 191, 0, 2509, 2046, 1537, 1264, 1975, 1054, 846, 652, 922, 686, 403, 216, 0), # 162 (2442, 2024, 2061, 2189, 1736, 874, 844, 827, 866, 412, 301, 192, 0, 2517, 2057, 1549, 1268, 1986, 1059, 855, 653, 928, 690, 405, 219, 0), # 163 (2452, 2031, 2069, 2196, 1749, 884, 847, 829, 871, 413, 302, 192, 0, 2533, 2067, 1556, 1272, 1995, 1062, 858, 656, 933, 692, 406, 219, 0), # 164 (2463, 2033, 2076, 2204, 1752, 888, 851, 831, 872, 418, 303, 194, 0, 2545, 2079, 1563, 1274, 2001, 1067, 868, 662, 939, 697, 408, 219, 0), # 165 (2473, 2044, 2085, 2213, 1759, 891, 856, 834, 878, 419, 303, 196, 0, 2556, 2090, 1569, 1277, 2006, 1072, 873, 664, 943, 700, 409, 219, 0), # 166 (2483, 2053, 2094, 2223, 1769, 895, 856, 837, 880, 420, 306, 197, 0, 2568, 2100, 1574, 1284, 2018, 1074, 877, 670, 945, 705, 409, 221, 0), # 167 (2494, 2059, 2105, 2237, 1775, 896, 862, 838, 886, 421, 307, 199, 0, 2580, 2107, 1579, 1286, 2032, 1077, 879, 672, 947, 712, 409, 221, 0), # 168 (2499, 2065, 2109, 2248, 1787, 899, 864, 843, 890, 422, 309, 200, 0, 2586, 2116, 1587, 1291, 2042, 1082, 880, 674, 950, 715, 411, 221, 0), # 169 (2507, 2069, 2115, 2253, 1797, 909, 866, 845, 894, 424, 310, 201, 0, 2601, 2126, 1599, 1294, 2050, 1086, 881, 679, 956, 718, 411, 221, 0), # 170 (2515, 2070, 2123, 2260, 1800, 913, 874, 848, 898, 425, 311, 203, 0, 2609, 2135, 1606, 1295, 2064, 1088, 885, 679, 960, 718, 411, 222, 0), # 171 (2519, 2074, 2127, 2272, 1807, 917, 881, 849, 903, 427, 311, 204, 0, 2621, 2141, 1614, 1299, 2071, 1092, 890, 679, 962, 720, 412, 222, 0), # 172 (2533, 2079, 2133, 2278, 1813, 918, 885, 852, 907, 428, 313, 205, 0, 2629, 2148, 1618, 1304, 2078, 1096, 894, 681, 965, 724, 414, 223, 0), # 173 (2545, 2084, 2142, 2286, 1821, 925, 888, 854, 911, 428, 314, 206, 0, 2637, 2158, 1622, 1307, 2087, 1098, 896, 681, 968, 727, 414, 223, 0), # 174 (2553, 2089, 2151, 2294, 1827, 929, 890, 857, 913, 431, 314, 206, 0, 2646, 2164, 1625, 1311, 2100, 1100, 896, 682, 974, 729, 416, 223, 0), # 175 (2562, 2091, 2158, 2303, 1834, 932, 892, 857, 915, 434, 314, 207, 0, 2650, 2170, 1629, 1315, 2103, 1104, 899, 683, 977, 732, 417, 223, 0), # 176 (2565, 2093, 2166, 2310, 1842, 933, 896, 861, 917, 437, 316, 207, 0, 2659, 2175, 1631, 1318, 2111, 1107, 900, 684, 977, 734, 418, 223, 0), # 177 (2572, 2097, 2172, 2320, 1849, 937, 897, 863, 920, 437, 316, 207, 0, 2667, 2178, 1637, 1321, 2117, 1107, 900, 684, 977, 738, 422, 223, 0), # 178 (2572, 2097, 2172, 2320, 1849, 937, 897, 863, 920, 437, 316, 207, 0, 2667, 2178, 1637, 1321, 2117, 1107, 900, 684, 977, 738, 422, 223, 0), # 179 ) passenger_arriving_rate = ( (8.033384925394829, 8.103756554216645, 6.9483776394833425, 7.45760132863612, 5.924997981450252, 2.9294112699015167, 3.3168284922991322, 3.102117448652949, 3.2480528331562706, 1.5832060062089484, 1.1214040437028276, 0.6530553437741565, 0.0, 8.134208340125381, 7.183608781515721, 5.607020218514138, 4.749618018626844, 6.496105666312541, 4.342964428114128, 3.3168284922991322, 2.0924366213582264, 2.962498990725126, 2.4858671095453735, 1.3896755278966686, 0.7367051412924223, 0.0), # 0 (8.566923443231959, 8.638755684745645, 7.407128788440204, 7.95017310393194, 6.317323026639185, 3.122918011773052, 3.535575153010955, 3.306342481937139, 3.462530840710885, 1.6875922769108604, 1.1954923029216353, 0.6961622214419141, 0.0, 8.671666635903767, 7.657784435861053, 5.9774615146081755, 5.06277683073258, 6.92506168142177, 4.628879474711995, 3.535575153010955, 2.230655722695037, 3.1586615133195926, 2.650057701310647, 1.4814257576880407, 0.7853414258859679, 0.0), # 1 (9.09875681436757, 9.171631583973436, 7.864056380729885, 8.440785245597754, 6.708227171999727, 3.3156527735449486, 3.7534548063685635, 3.5097501652696135, 3.676152963668026, 1.7915655100082188, 1.269286173007017, 0.7390976869404075, 0.0, 9.206983725135505, 8.13007455634448, 6.346430865035084, 5.374696530024655, 7.352305927336052, 4.913650231377459, 3.7534548063685635, 2.3683234096749635, 3.3541135859998636, 2.8135950818659183, 1.5728112761459772, 0.8337846894521307, 0.0), # 2 (9.6268124690345, 9.70027006950679, 8.317347825759807, 8.927491689038488, 7.096172454402028, 3.5068512477461056, 3.9696029133183646, 3.7115341049963386, 3.8880720858245827, 1.8947130793704727, 1.3424929098206355, 0.7816914246573948, 0.0, 9.738036490006762, 8.598605671231342, 6.712464549103178, 5.684139238111417, 7.7761441716491655, 5.196147746994874, 3.9696029133183646, 2.5048937483900753, 3.548086227201014, 2.97583056301283, 1.6634695651519613, 0.8818427335915264, 0.0), # 3 (10.149017837465571, 10.222556958952469, 8.765190532937382, 9.408346369659084, 7.479620910716259, 3.6957491269054237, 4.183154934806767, 3.910887907463277, 4.097441090977444, 1.996622358867072, 1.4148197692241535, 0.8237731189806353, 0.0, 10.262701812703709, 9.061504308786986, 7.074098846120767, 5.9898670766012145, 8.194882181954888, 5.475243070448588, 4.183154934806767, 2.6398208049324454, 3.7398104553581293, 3.136115456553029, 1.7530381065874767, 0.9293233599047701, 0.0), # 4 (10.663300349893618, 10.736378069917262, 9.205771911670025, 9.881403222864472, 7.8570345778125645, 3.8815821035518008, 4.393246331780179, 4.1070051790163955, 4.303412862923498, 2.096880722367466, 1.4859740070792353, 0.8651724542978865, 0.0, 10.778856575412524, 9.51689699727675, 7.429870035396177, 6.290642167102396, 8.606825725846996, 5.749807250622953, 4.393246331780179, 2.772558645394143, 3.9285172889062823, 3.2938010742881585, 1.841154382334005, 0.9760343699924785, 0.0), # 5 (11.167587436551466, 11.239619220007935, 9.637279371365155, 10.344716184059584, 8.226875492561113, 4.06358587021414, 4.59901256518501, 4.299079526001659, 4.5051402854596345, 2.195075543741104, 1.555662879247542, 0.9057191149969079, 0.0, 11.284377660319372, 9.962910264965986, 7.77831439623771, 6.5852266312233105, 9.010280570919269, 6.018711336402323, 4.59901256518501, 2.902561335867243, 4.113437746280557, 3.448238728019862, 1.9274558742730312, 1.021783565455267, 0.0), # 6 (11.65980652767195, 11.73016622683126, 10.05790032143018, 10.796339188649355, 8.587605691832056, 4.2409961194213395, 4.799589095967668, 4.486304554765035, 4.701776242382744, 2.2907941968574352, 1.6235936415907386, 0.9452427854654573, 0.0, 11.777141949610431, 10.397670640120028, 8.117968207953693, 6.872382590572304, 9.403552484765488, 6.280826376671049, 4.799589095967668, 3.029282942443814, 4.293802845916028, 3.598779729549786, 2.0115800642860364, 1.066378747893751, 0.0), # 7 (12.137885053487896, 12.205904907994013, 10.465822171272528, 11.234326172038713, 8.937687212495558, 4.413048543702297, 4.994111385074558, 4.667873871652484, 4.89247361748971, 2.3836240555859103, 1.6894735499704858, 0.9835731500912939, 0.0, 12.255026325471867, 10.81930465100423, 8.447367749852429, 7.150872166757729, 9.78494723497942, 6.535023420313477, 4.994111385074558, 3.152177531215927, 4.468843606247779, 3.744775390679572, 2.093164434254506, 1.1096277189085468, 0.0), # 8 (12.599750444232136, 12.664721081102966, 10.859232330299607, 11.656731069632603, 9.27558209142177, 4.578978835585919, 5.181714893452096, 4.842981083009976, 5.076385294577426, 2.4731524937959772, 1.7530098602484476, 1.0205398932621754, 0.0, 12.71590767008986, 11.225938825883926, 8.765049301242238, 7.41945748138793, 10.152770589154851, 6.780173516213966, 5.181714893452096, 3.270699168275656, 4.637791045710885, 3.8855770232108684, 2.1718464660599213, 1.1513382801002698, 0.0), # 9 (13.043330130137491, 13.104500563764889, 11.236318207918833, 12.061607816835945, 9.599752365480853, 4.7380226876011005, 5.361535082046684, 5.010819795183474, 5.252664157442781, 2.558966885357086, 1.8139098282862867, 1.0559726993658605, 0.0, 13.157662865650577, 11.615699693024464, 9.069549141431432, 7.676900656071258, 10.505328314885562, 7.015147713256865, 5.361535082046684, 3.3843019197150714, 4.799876182740427, 4.020535938945316, 2.247263641583767, 1.1913182330695355, 0.0), # 10 (13.466551541436809, 13.52312917358657, 11.595267213537621, 12.447010349053677, 9.908660071542968, 4.889415792276744, 5.532707411804733, 5.170583614518944, 5.420463089882663, 2.640654604138688, 1.8718807099456667, 1.0897012527901082, 0.0, 13.57816879434018, 11.986713780691188, 9.359403549728333, 7.921963812416063, 10.840926179765326, 7.238817060326522, 5.532707411804733, 3.4924398516262456, 4.954330035771484, 4.14900344968456, 2.3190534427075247, 1.229375379416961, 0.0), # 11 (13.8673421083629, 13.918492728174757, 11.934266756563387, 12.810992601690735, 10.200767246478268, 5.032393842141746, 5.694367343672649, 5.321466147362347, 5.578934975693962, 2.7178030240102293, 1.9266297610882495, 1.1215552379226759, 0.0, 13.975302338344855, 12.337107617149433, 9.633148805441246, 8.153409072030687, 11.157869951387925, 7.4500526063072865, 5.694367343672649, 3.5945670301012465, 5.100383623239134, 4.270330867230246, 2.3868533513126775, 1.26531752074316, 0.0), # 12 (14.243629261148602, 14.288477045136244, 12.251504246403549, 13.151608510152053, 10.474535927156907, 5.166192529725009, 5.845650338596845, 5.462661000059654, 5.727232698673564, 2.7899995188411624, 1.9778642375756985, 1.1513643391513229, 0.0, 14.346940379850777, 12.66500773066455, 9.889321187878492, 8.369998556523486, 11.454465397347128, 7.647725400083517, 5.845650338596845, 3.6901375212321494, 5.237267963578454, 4.383869503384019, 2.45030084928071, 1.2989524586487495, 0.0), # 13 (14.593340430026746, 14.630967942077797, 12.54516709246553, 13.466912009842552, 10.728428150449055, 5.2900475475554325, 5.9856918575237295, 5.593361778956831, 5.864509142618358, 2.856831462500934, 2.0252913952696763, 1.1789582408638082, 0.0, 14.690959801044102, 12.968540649501888, 10.12645697634838, 8.570494387502801, 11.729018285236716, 7.830706490539565, 5.9856918575237295, 3.778605391111023, 5.3642140752245275, 4.488970669947518, 2.509033418493106, 1.3300879947343454, 0.0), # 14 (14.914403045230168, 14.943851236606186, 12.813442704156724, 13.754957036167184, 10.960905953224861, 5.403194588161918, 6.1136273613997005, 5.7127620903998375, 5.989917191325237, 2.917886228858997, 2.0686184900318456, 1.2041666274478897, 0.0, 15.00523748411101, 13.245832901926784, 10.343092450159226, 8.753658686576989, 11.979834382650473, 7.997866926559773, 6.1136273613997005, 3.8594247058299413, 5.480452976612431, 4.584985678722395, 2.562688540831345, 1.3585319306005625, 0.0), # 15 (15.204744536991681, 15.225012746328195, 13.054518490884568, 14.013797524530858, 11.170431372354487, 5.504869344073363, 6.228592311171181, 5.820055540734641, 6.102609728591085, 2.972751191784799, 2.1075527777238703, 1.2268191832913256, 0.0, 15.287650311237673, 13.495011016204579, 10.53776388861935, 8.918253575354395, 12.20521945718217, 8.148077757028497, 6.228592311171181, 3.932049531480973, 5.585215686177244, 4.671265841510287, 2.6109036981769136, 1.384092067848018, 0.0), # 16 (15.46229233554412, 15.472338288850588, 13.266581862056471, 14.241487410338536, 11.355466444708094, 5.594307507818667, 6.329722167784569, 5.914435736307213, 6.201739638212791, 3.021013725147788, 2.141801514207413, 1.2467455927818742, 0.0, 15.536075164610265, 13.714201520600614, 10.709007571037066, 9.063041175443361, 12.403479276425582, 8.280210030830098, 6.329722167784569, 3.9959339341561906, 5.677733222354047, 4.747162470112846, 2.6533163724112945, 1.4065762080773265, 0.0), # 17 (15.684973871120327, 15.683713681780135, 13.447820227079841, 14.436080628995136, 11.514473207155827, 5.670744771926737, 6.416152392186281, 5.995096283463507, 6.286459803987251, 3.0622612028174157, 2.171071955344136, 1.2637755403072954, 0.0, 15.748388926414954, 13.901530943380248, 10.855359776720679, 9.186783608452245, 12.572919607974502, 8.39313479684891, 6.416152392186281, 4.050531979947669, 5.757236603577914, 4.812026876331712, 2.689564045415968, 1.4257921528891033, 0.0), # 18 (15.870716573953118, 15.857024742723624, 13.596420995362104, 14.59563111590558, 11.645913696567856, 5.733416828926462, 6.4870184453227155, 6.061230788549498, 6.355923109711349, 3.0960809986631324, 2.1950713569957014, 1.2777387102553464, 0.0, 15.922468478837914, 14.055125812808807, 10.975356784978505, 9.288242995989394, 12.711846219422698, 8.485723103969297, 6.4870184453227155, 4.095297734947473, 5.822956848283928, 4.865210371968527, 2.7192841990724212, 1.441547703883966, 0.0), # 19 (16.01744787427533, 15.990157289287811, 13.710571576310672, 14.718192806474825, 11.748249949814339, 5.781559371346751, 6.54145578814029, 6.112032857911145, 6.409282439181973, 3.1220604865543846, 2.213506975023774, 1.2884647870137858, 0.0, 16.05619070406532, 14.17311265715164, 11.067534875118868, 9.366181459663151, 12.818564878363945, 8.556846001075604, 6.54145578814029, 4.129685265247679, 5.874124974907169, 4.9060642688249425, 2.7421143152621346, 1.4536506626625285, 0.0), # 20 (16.123095202319785, 16.080997139079486, 13.78845937933296, 14.801819636107783, 11.819944003765428, 5.8144080917165, 6.578599881585408, 6.1466960978944165, 6.445690676196012, 3.139787040360623, 2.226086065290016, 1.2957834549703726, 0.0, 16.147432484283325, 14.253618004674097, 11.13043032645008, 9.419361121081867, 12.891381352392024, 8.605374537052183, 6.578599881585408, 4.153148636940357, 5.909972001882714, 4.933939878702596, 2.757691875866592, 1.461908830825408, 0.0), # 21 (16.18558598831933, 16.12743010970541, 13.82827181383638, 14.844565540209405, 11.85945789529128, 5.83119868256461, 6.59758618660448, 6.164414114845277, 6.464300704550355, 3.148848033951298, 2.232515883656091, 1.2995243985128655, 0.0, 16.194070701678125, 14.294768383641518, 11.162579418280455, 9.446544101853892, 12.92860140910071, 8.630179760783388, 6.59758618660448, 4.1651419161175784, 5.92972894764564, 4.948188513403136, 2.7656543627672763, 1.4661300099732195, 0.0), # 22 (16.208629381348224, 16.132927937814358, 13.83323090992227, 14.849916975308645, 11.869580859768103, 5.833333333333334, 6.599843201807471, 6.166329218106997, 6.466627325102881, 3.149916909007774, 2.233322143243131, 1.2999863435451913, 0.0, 16.2, 14.299849778997103, 11.166610716215654, 9.44975072702332, 12.933254650205763, 8.632860905349796, 6.599843201807471, 4.166666666666667, 5.9347904298840515, 4.949972325102882, 2.7666461819844543, 1.4666298125285782, 0.0), # 23 (16.225619860854646, 16.12972098765432, 13.832419753086421, 14.849258333333335, 11.875314787855842, 5.833333333333334, 6.598603050108934, 6.163666666666667, 6.466315555555555, 3.149260246913581, 2.2332332210998884, 1.2998781893004117, 0.0, 16.2, 14.298660082304526, 11.166166105499443, 9.44778074074074, 12.93263111111111, 8.629133333333334, 6.598603050108934, 4.166666666666667, 5.937657393927921, 4.949752777777779, 2.7664839506172845, 1.4663382716049385, 0.0), # 24 (16.242251568338528, 16.1233996342021, 13.830818472793784, 14.847955246913582, 11.880922608634137, 5.833333333333334, 6.596159122085048, 6.158436213991771, 6.465699588477367, 3.1479675354366723, 2.233056906513697, 1.2996646852613931, 0.0, 16.2, 14.296311537875322, 11.165284532568485, 9.443902606310015, 12.931399176954734, 8.62181069958848, 6.596159122085048, 4.166666666666667, 5.940461304317068, 4.949318415637862, 2.766163694558757, 1.4657636031092822, 0.0), # 25 (16.258523230476854, 16.114060448102425, 13.828449016918157, 14.846022530864197, 11.886404126315846, 5.833333333333334, 6.592549374646977, 6.150736625514405, 6.46478732510288, 3.146060283493371, 2.2327947956935614, 1.2993487578113097, 0.0, 16.2, 14.292836335924404, 11.163973978467807, 9.43818085048011, 12.92957465020576, 8.611031275720167, 6.592549374646977, 4.166666666666667, 5.943202063157923, 4.948674176954733, 2.7656898033836312, 1.46491458619113, 0.0), # 26 (16.27443357394662, 16.1018, 13.825333333333333, 14.843475, 11.891759145113827, 5.833333333333334, 6.587811764705883, 6.140666666666667, 6.463586666666666, 3.143560000000001, 2.232448484848485, 1.2989333333333337, 0.0, 16.2, 14.288266666666669, 11.162242424242425, 9.430679999999999, 12.927173333333332, 8.596933333333334, 6.587811764705883, 4.166666666666667, 5.945879572556914, 4.947825000000001, 2.765066666666667, 1.4638000000000002, 0.0), # 27 (16.2899813254248, 16.08671486053955, 13.821493369913123, 14.840327469135804, 11.896987469240962, 5.833333333333334, 6.581984249172921, 6.12832510288066, 6.462105514403292, 3.140488193872886, 2.232019570187472, 1.2984213382106389, 0.0, 16.2, 14.282634720317025, 11.160097850937358, 9.421464581618656, 12.924211028806583, 8.579655144032923, 6.581984249172921, 4.166666666666667, 5.948493734620481, 4.946775823045269, 2.764298673982625, 1.462428623685414, 0.0), # 28 (16.3051652115884, 16.0689016003658, 13.816951074531323, 14.83659475308642, 11.902088902910101, 5.833333333333334, 6.575104784959253, 6.113810699588477, 6.460351769547325, 3.1368663740283504, 2.2315096479195247, 1.2978156988263985, 0.0, 16.2, 14.27597268709038, 11.157548239597624, 9.41059912208505, 12.92070353909465, 8.559334979423868, 6.575104784959253, 4.166666666666667, 5.951044451455051, 4.945531584362141, 2.763390214906265, 1.460809236396891, 0.0), # 29 (16.319983959114396, 16.04845679012346, 13.811728395061728, 14.832291666666666, 11.907063250334119, 5.833333333333334, 6.567211328976035, 6.097222222222222, 6.458333333333333, 3.1327160493827173, 2.230920314253648, 1.297119341563786, 0.0, 16.2, 14.268312757201645, 11.15460157126824, 9.398148148148149, 12.916666666666666, 8.536111111111111, 6.567211328976035, 4.166666666666667, 5.953531625167059, 4.944097222222223, 2.7623456790123457, 1.458950617283951, 0.0), # 30 (16.334436294679772, 16.02547700045725, 13.805847279378145, 14.82743302469136, 11.911910315725876, 5.833333333333334, 6.558341838134432, 6.078658436213992, 6.456058106995885, 3.1280587288523103, 2.2302531653988447, 1.296335192805975, 0.0, 16.2, 14.259687120865724, 11.151265826994223, 9.384176186556928, 12.91211621399177, 8.510121810699589, 6.558341838134432, 4.166666666666667, 5.955955157862938, 4.942477674897121, 2.761169455875629, 1.4568615454961138, 0.0), # 31 (16.34852094496153, 16.00005880201189, 13.799329675354366, 14.82203364197531, 11.916629903298237, 5.833333333333334, 6.548534269345599, 6.058218106995886, 6.453533991769548, 3.1229159213534534, 2.229509797564119, 1.2954661789361381, 0.0, 16.2, 14.250127968297518, 11.147548987820594, 9.368747764060357, 12.907067983539095, 8.48150534979424, 6.548534269345599, 4.166666666666667, 5.958314951649118, 4.940677880658438, 2.759865935070873, 1.4545508001828993, 0.0), # 32 (16.362236636636634, 15.972298765432097, 13.792197530864199, 14.816108333333332, 11.921221817264065, 5.833333333333334, 6.537826579520697, 6.0360000000000005, 6.450768888888889, 3.1173091358024703, 2.228691806958474, 1.2945152263374486, 0.0, 16.2, 14.239667489711932, 11.143459034792368, 9.351927407407409, 12.901537777777778, 8.450400000000002, 6.537826579520697, 4.166666666666667, 5.960610908632033, 4.938702777777778, 2.75843950617284, 1.452027160493827, 0.0), # 33 (16.375582096382097, 15.942293461362596, 13.784472793781436, 14.809671913580248, 11.92568586183623, 5.833333333333334, 6.526256725570888, 6.012102880658436, 6.447770699588479, 3.111259881115685, 2.2278007897909133, 1.2934852613930805, 0.0, 16.2, 14.228337875323884, 11.139003948954567, 9.333779643347052, 12.895541399176958, 8.41694403292181, 6.526256725570888, 4.166666666666667, 5.962842930918115, 4.93655730452675, 2.7568945587562874, 1.449299405578418, 0.0), # 34 (16.388556050874893, 15.9101394604481, 13.776177411979882, 14.802739197530864, 11.930021841227594, 5.833333333333334, 6.513862664407327, 5.986625514403293, 6.4445473251028815, 3.1047896662094203, 2.226838342270441, 1.2923792104862066, 0.0, 16.2, 14.216171315348271, 11.134191711352205, 9.314368998628257, 12.889094650205763, 8.381275720164611, 6.513862664407327, 4.166666666666667, 5.965010920613797, 4.934246399176955, 2.755235482395977, 1.4463763145861912, 0.0), # 35 (16.40115722679201, 15.87593333333333, 13.767333333333335, 14.795325, 11.934229559651024, 5.833333333333334, 6.500682352941176, 5.959666666666668, 6.441106666666666, 3.097920000000001, 2.225806060606061, 1.2912000000000003, 0.0, 16.2, 14.203200000000002, 11.129030303030303, 9.29376, 12.882213333333333, 8.343533333333335, 6.500682352941176, 4.166666666666667, 5.967114779825512, 4.931775000000001, 2.753466666666667, 1.4432666666666667, 0.0), # 36 (16.41338435081044, 15.839771650663007, 13.757962505715593, 14.78744413580247, 11.938308821319383, 5.833333333333334, 6.486753748083595, 5.931325102880659, 6.437456625514404, 3.090672391403751, 2.2247055410067764, 1.2899505563176348, 0.0, 16.2, 14.18945611949398, 11.123527705033881, 9.27201717421125, 12.874913251028808, 8.303855144032923, 6.486753748083595, 4.166666666666667, 5.969154410659692, 4.929148045267491, 2.751592501143119, 1.4399792409693644, 0.0), # 37 (16.425236149607162, 15.801750983081849, 13.748086877000459, 14.77911141975309, 11.942259430445535, 5.833333333333334, 6.4721148067457435, 5.901699588477367, 6.433605102880659, 3.0830683493369926, 2.22353837968159, 1.2886338058222835, 0.0, 16.2, 14.174971864045116, 11.11769189840795, 9.249205048010975, 12.867210205761317, 8.262379423868314, 6.4721148067457435, 4.166666666666667, 5.971129715222768, 4.926370473251031, 2.7496173754000917, 1.4365228166438047, 0.0), # 38 (16.436711349859177, 15.761967901234568, 13.737728395061731, 14.770341666666667, 11.94608119124235, 5.833333333333334, 6.456803485838781, 5.8708888888888895, 6.42956, 3.0751293827160504, 2.2223061728395064, 1.2872526748971194, 0.0, 16.2, 14.159779423868311, 11.111530864197531, 9.225388148148149, 12.85912, 8.219244444444445, 6.456803485838781, 4.166666666666667, 5.973040595621175, 4.923447222222223, 2.7475456790123465, 1.4329061728395065, 0.0), # 39 (16.44780867824346, 15.720518975765888, 13.726909007773205, 14.761149691358025, 11.949773907922687, 5.833333333333334, 6.440857742273865, 5.838991769547327, 6.425329218106996, 3.0668770004572488, 2.2210105166895295, 1.2858100899253166, 0.0, 16.2, 14.143910989178481, 11.105052583447646, 9.200631001371743, 12.850658436213992, 8.174588477366258, 6.440857742273865, 4.166666666666667, 5.974886953961343, 4.920383230452676, 2.745381801554641, 1.42913808870599, 0.0), # 40 (16.458526861437004, 15.677500777320528, 13.71565066300869, 14.751550308641978, 11.953337384699417, 5.833333333333334, 6.424315532962156, 5.806106995884774, 6.420920658436214, 3.05833271147691, 2.2196530074406624, 1.2843089772900476, 0.0, 16.2, 14.12739875019052, 11.09826503720331, 9.174998134430727, 12.841841316872427, 8.128549794238685, 6.424315532962156, 4.166666666666667, 5.976668692349708, 4.9171834362139935, 2.743130132601738, 1.4252273433927756, 0.0), # 41 (16.4688646261168, 15.633009876543213, 13.70397530864198, 14.741558333333336, 11.956771425785394, 5.833333333333334, 6.4072148148148145, 5.772333333333334, 6.416342222222223, 3.049518024691359, 2.2182352413019086, 1.282752263374486, 0.0, 16.2, 14.110274897119341, 11.091176206509541, 9.148554074074074, 12.832684444444446, 8.081266666666668, 6.4072148148148145, 4.166666666666667, 5.978385712892697, 4.913852777777779, 2.740795061728396, 1.421182716049383, 0.0), # 42 (16.47882069895983, 15.587142844078647, 13.69190489254687, 14.731188580246915, 11.960075835393496, 5.833333333333334, 6.389593544743001, 5.737769547325104, 6.4116018106995885, 3.040454449016919, 2.2167588144822714, 1.281142874561805, 0.0, 16.2, 14.092571620179852, 11.083794072411356, 9.121363347050755, 12.823203621399177, 8.032877366255146, 6.389593544743001, 4.166666666666667, 5.980037917696748, 4.9103961934156395, 2.738380978509374, 1.4170129858253318, 0.0), # 43 (16.488393806643085, 15.539996250571559, 13.679461362597166, 14.720455864197532, 11.963250417736582, 5.833333333333334, 6.371489679657872, 5.702514403292183, 6.4067073251028805, 3.031163493369914, 2.2152253231907557, 1.279483737235178, 0.0, 16.2, 14.074321109586954, 11.076126615953777, 9.09349048010974, 12.813414650205761, 7.983520164609057, 6.371489679657872, 4.166666666666667, 5.981625208868291, 4.906818621399179, 2.7358922725194335, 1.4127269318701419, 0.0), # 44 (16.497582675843546, 15.491666666666667, 13.66666666666667, 14.709375000000001, 11.966294977027516, 5.833333333333334, 6.352941176470589, 5.666666666666668, 6.4016666666666655, 3.021666666666668, 2.213636363636364, 1.277777777777778, 0.0, 16.2, 14.055555555555554, 11.068181818181818, 9.065000000000001, 12.803333333333331, 7.9333333333333345, 6.352941176470589, 4.166666666666667, 5.983147488513758, 4.903125000000001, 2.733333333333334, 1.4083333333333337, 0.0), # 45 (16.50638603323821, 15.442250663008686, 13.653542752629173, 14.697960802469137, 11.969209317479164, 5.833333333333334, 6.333985992092311, 5.63032510288066, 6.396487736625514, 3.0119854778235036, 2.2119935320281, 1.2760279225727789, 0.0, 16.2, 14.036307148300564, 11.059967660140499, 9.035956433470508, 12.792975473251028, 7.882455144032924, 6.333985992092311, 4.166666666666667, 5.984604658739582, 4.899320267489713, 2.730708550525835, 1.4038409693644263, 0.0), # 46 (16.514802605504055, 15.391844810242342, 13.640111568358483, 14.686228086419753, 11.971993243304391, 5.833333333333334, 6.3146620834341975, 5.593588477366255, 6.391178436213992, 3.0021414357567453, 2.210298424574968, 1.2742370980033535, 0.0, 16.2, 14.016608078036885, 11.051492122874839, 9.006424307270233, 12.782356872427984, 7.831023868312758, 6.3146620834341975, 4.166666666666667, 5.985996621652196, 4.895409362139919, 2.728022313671697, 1.3992586191129404, 0.0), # 47 (16.522831119318074, 15.340545679012347, 13.626395061728397, 14.674191666666669, 11.974646558716064, 5.833333333333334, 6.295007407407407, 5.556555555555557, 6.385746666666667, 2.9921560493827166, 2.208552637485971, 1.272408230452675, 0.0, 16.2, 13.996490534979422, 11.042763187429854, 8.976468148148149, 12.771493333333334, 7.77917777777778, 6.295007407407407, 4.166666666666667, 5.987323279358032, 4.891397222222224, 2.7252790123456796, 1.3945950617283953, 0.0), # 48 (16.53047030135726, 15.288449839963418, 13.612415180612713, 14.661866358024692, 11.977169067927047, 5.833333333333334, 6.275059920923102, 5.519325102880659, 6.380200329218106, 2.982050827617742, 2.2067577669701133, 1.2705442463039174, 0.0, 16.2, 13.97598670934309, 11.033788834850565, 8.946152482853226, 12.760400658436213, 7.727055144032923, 6.275059920923102, 4.166666666666667, 5.9885845339635235, 4.887288786008232, 2.7224830361225427, 1.389859076360311, 0.0), # 49 (16.537718878298588, 15.235653863740286, 13.598193872885233, 14.649266975308642, 11.979560575150202, 5.833333333333334, 6.25485758089244, 5.481995884773663, 6.3745473251028795, 2.971847279378144, 2.204915409236397, 1.2686480719402533, 0.0, 16.2, 13.955128791342785, 11.024577046181985, 8.91554183813443, 12.749094650205759, 7.674794238683129, 6.25485758089244, 4.166666666666667, 5.989780287575101, 4.883088991769548, 2.7196387745770467, 1.385059442158208, 0.0), # 50 (16.544575576819057, 15.182254320987655, 13.583753086419755, 14.636408333333335, 11.981820884598399, 5.833333333333334, 6.23443834422658, 5.4446666666666665, 6.368795555555556, 2.9615669135802474, 2.2030271604938276, 1.2667226337448563, 0.0, 16.2, 13.933948971193416, 11.015135802469137, 8.88470074074074, 12.737591111111112, 7.622533333333334, 6.23443834422658, 4.166666666666667, 5.9909104422991994, 4.878802777777779, 2.716750617283951, 1.380204938271605, 0.0), # 51 (16.551039123595647, 15.128347782350252, 13.56911476909008, 14.623305246913581, 11.983949800484496, 5.833333333333334, 6.213840167836683, 5.407436213991769, 6.3629529218107, 2.9512312391403754, 2.2010946169514076, 1.2647708581008996, 0.0, 16.2, 13.912479439109894, 11.005473084757037, 8.853693717421125, 12.7259058436214, 7.570410699588477, 6.213840167836683, 4.166666666666667, 5.991974900242248, 4.874435082304528, 2.713822953818016, 1.3753043438500232, 0.0), # 52 (16.55710824530535, 15.074030818472796, 13.554300868770008, 14.609972530864198, 11.985947127021364, 5.833333333333334, 6.1931010086339064, 5.370403292181071, 6.357027325102881, 2.940861764974852, 2.1991193748181406, 1.2627956713915565, 0.0, 16.2, 13.890752385307119, 10.995596874090701, 8.822585294924554, 12.714054650205762, 7.518564609053499, 6.1931010086339064, 4.166666666666667, 5.992973563510682, 4.8699908436214, 2.710860173754002, 1.3703664380429816, 0.0), # 53 (16.562781668625146, 15.019400000000001, 13.539333333333333, 14.596425, 11.987812668421869, 5.833333333333334, 6.172258823529412, 5.333666666666667, 6.351026666666667, 2.9304800000000006, 2.19710303030303, 1.2608000000000001, 0.0, 16.2, 13.8688, 10.98551515151515, 8.791440000000001, 12.702053333333334, 7.467133333333333, 6.172258823529412, 4.166666666666667, 5.993906334210934, 4.865475000000001, 2.707866666666667, 1.3654000000000004, 0.0), # 54 (16.568058120232035, 14.964551897576587, 13.524234110653865, 14.582677469135803, 11.989546228898869, 5.833333333333334, 6.151351569434358, 5.2973251028806585, 6.344958847736625, 2.9201074531321454, 2.1950471796150812, 1.2587867703094042, 0.0, 16.2, 13.846654473403445, 10.975235898075404, 8.760322359396435, 12.68991769547325, 7.416255144032922, 6.151351569434358, 4.166666666666667, 5.994773114449434, 4.860892489711935, 2.704846822130773, 1.360413808870599, 0.0), # 55 (16.572936326802996, 14.909583081847279, 13.509025148605396, 14.56874475308642, 11.991147612665237, 5.833333333333334, 6.130417203259905, 5.261477366255145, 6.338831769547324, 2.9097656332876096, 2.1929534189632958, 1.2567589087029418, 0.0, 16.2, 13.824347995732358, 10.964767094816478, 8.729296899862828, 12.677663539094649, 7.366068312757203, 6.130417203259905, 4.166666666666667, 5.995573806332619, 4.856248251028807, 2.7018050297210796, 1.3554166438042983, 0.0), # 56 (16.577415015015013, 14.85459012345679, 13.493728395061732, 14.554641666666669, 11.99261662393383, 5.833333333333334, 6.109493681917211, 5.226222222222224, 6.332653333333334, 2.899476049382717, 2.1908233445566783, 1.254719341563786, 0.0, 16.2, 13.801912757201645, 10.95411672278339, 8.69842814814815, 12.665306666666668, 7.316711111111113, 6.109493681917211, 4.166666666666667, 5.996308311966915, 4.851547222222224, 2.6987456790123465, 1.3504172839506174, 0.0), # 57 (16.581492911545087, 14.79966959304984, 13.478365797896664, 14.540383024691359, 11.99395306691752, 5.833333333333334, 6.088618962317438, 5.191658436213992, 6.326431440329218, 2.8892602103337914, 2.1886585526042324, 1.2526709952751107, 0.0, 16.2, 13.779380948026215, 10.943292763021162, 8.667780631001373, 12.652862880658436, 7.2683218106995895, 6.088618962317438, 4.166666666666667, 5.99697653345876, 4.846794341563787, 2.695673159579333, 1.3454245084590766, 0.0), # 58 (16.585168743070195, 14.744918061271147, 13.462959304983997, 14.525983641975309, 11.995156745829167, 5.833333333333334, 6.067831001371743, 5.157884773662552, 6.320173991769548, 2.879139625057157, 2.1864606393149604, 1.2506167962200887, 0.0, 16.2, 13.756784758420972, 10.9323031965748, 8.63741887517147, 12.640347983539096, 7.221038683127573, 6.067831001371743, 4.166666666666667, 5.9975783729145835, 4.841994547325104, 2.6925918609968, 1.3404470964791952, 0.0), # 59 (16.588441236267325, 14.690432098765434, 13.44753086419753, 14.511458333333334, 11.996227464881638, 5.833333333333334, 6.0471677559912855, 5.125000000000001, 6.31388888888889, 2.8691358024691365, 2.184231200897868, 1.2485596707818931, 0.0, 16.2, 13.734156378600822, 10.921156004489339, 8.607407407407408, 12.62777777777778, 7.175000000000001, 6.0471677559912855, 4.166666666666667, 5.998113732440819, 4.837152777777779, 2.6895061728395064, 1.3354938271604941, 0.0), # 60 (16.591309117813463, 14.636308276177413, 13.432102423411067, 14.496821913580249, 11.997165028287798, 5.833333333333334, 6.026667183087227, 5.093102880658437, 6.3075840329218105, 2.8592702514860546, 2.1819718335619576, 1.246502545343698, 0.0, 16.2, 13.711527998780674, 10.909859167809786, 8.577810754458163, 12.615168065843621, 7.130344032921811, 6.026667183087227, 4.166666666666667, 5.998582514143899, 4.832273971193417, 2.6864204846822135, 1.3305734796524924, 0.0), # 61 (16.593771114385607, 14.582643164151806, 13.416695930498403, 14.482089197530867, 11.997969240260517, 5.833333333333334, 6.006367239570725, 5.062292181069959, 6.301267325102881, 2.849564481024235, 2.1796841335162327, 1.2444483462886757, 0.0, 16.2, 13.68893180917543, 10.898420667581162, 8.548693443072704, 12.602534650205762, 7.0872090534979435, 6.006367239570725, 4.166666666666667, 5.998984620130258, 4.827363065843623, 2.6833391860996807, 1.3256948331047098, 0.0), # 62 (16.595825952660736, 14.529533333333333, 13.401333333333335, 14.467275000000003, 11.998639905012647, 5.833333333333334, 5.986305882352941, 5.0326666666666675, 6.294946666666666, 2.8400400000000006, 2.1773696969696976, 1.2424000000000002, 0.0, 16.2, 13.6664, 10.886848484848487, 8.52012, 12.589893333333332, 7.045733333333335, 5.986305882352941, 4.166666666666667, 5.999319952506323, 4.822425000000002, 2.6802666666666672, 1.3208666666666669, 0.0), # 63 (16.597472359315837, 14.477075354366713, 13.386036579789668, 14.452394135802471, 11.999176826757065, 5.833333333333334, 5.966521068345034, 5.004325102880659, 6.288629958847737, 2.830718317329676, 2.1750301201313547, 1.2403604328608446, 0.0, 16.2, 13.64396476146929, 10.875150600656774, 8.492154951989026, 12.577259917695473, 7.006055144032923, 5.966521068345034, 4.166666666666667, 5.999588413378532, 4.817464711934158, 2.6772073159579337, 1.316097759487883, 0.0), # 64 (16.5987090610279, 14.425365797896662, 13.370827617741199, 14.437461419753088, 11.999579809706631, 5.833333333333334, 5.947050754458163, 4.977366255144033, 6.282325102880659, 2.8216209419295843, 2.1726669992102097, 1.238332571254382, 0.0, 16.2, 13.6216582837982, 10.863334996051048, 8.464862825788751, 12.564650205761318, 6.968312757201646, 5.947050754458163, 4.166666666666667, 5.999789904853316, 4.812487139917697, 2.67416552354824, 1.3113968907178786, 0.0), # 65 (16.599534784473914, 14.374501234567903, 13.35572839506173, 14.422491666666668, 11.99984865807421, 5.833333333333334, 5.927932897603486, 4.95188888888889, 6.27604, 2.81276938271605, 2.170281930415264, 1.2363193415637863, 0.0, 16.2, 13.599512757201648, 10.851409652076319, 8.438308148148149, 12.55208, 6.932644444444446, 5.927932897603486, 4.166666666666667, 5.999924329037105, 4.807497222222223, 2.6711456790123465, 1.3067728395061733, 0.0), # 66 (16.59994825633087, 14.324578235025148, 13.340760859625059, 14.407499691358025, 11.999983176072671, 5.833333333333334, 5.909205454692165, 4.927991769547327, 6.269782551440329, 2.8041851486053964, 2.1678765099555233, 1.23432367017223, 0.0, 16.2, 13.577560371894528, 10.839382549777614, 8.412555445816189, 12.539565102880658, 6.899188477366257, 5.909205454692165, 4.166666666666667, 5.999991588036336, 4.802499897119342, 2.6681521719250116, 1.3022343850022864, 0.0), # 67 (16.59966658316932, 14.275431337669806, 13.325874599908552, 14.39237008856683, 11.999869818983834, 5.833225077478026, 5.890812155863717, 4.905562566681908, 6.263513519280598, 2.795848176658867, 2.1654095969441007, 1.2323373362532992, 0.0, 16.19980024005487, 13.555710698786289, 10.827047984720503, 8.3875445299766, 12.527027038561195, 6.867787593354672, 5.890812155863717, 4.166589341055733, 5.999934909491917, 4.797456696188944, 2.6651749199817103, 1.29776648524271, 0.0), # 68 (16.597026731078905, 14.22556009557945, 13.310651234567901, 14.376340217391304, 11.998838053740013, 5.832369272976682, 5.872214545077291, 4.8833991769547325, 6.256958847736625, 2.7875225562817723, 2.162630090377459, 1.2302958631145768, 0.0, 16.198217592592595, 13.533254494260342, 10.813150451887294, 8.362567668845315, 12.51391769547325, 6.8367588477366255, 5.872214545077291, 4.165978052126201, 5.999419026870006, 4.792113405797102, 2.66213024691358, 1.2932327359617684, 0.0), # 69 (16.59181726009423, 14.174735607770254, 13.295024577046181, 14.359304549114333, 11.996799268404205, 5.8306838388457045, 5.853328107649096, 4.861301630848957, 6.2500815424477985, 2.7791678097850943, 2.159506369740288, 1.228189701505708, 0.0, 16.195091735253776, 13.510086716562785, 10.797531848701441, 8.337503429355282, 12.500163084895597, 6.80582228318854, 5.853328107649096, 4.164774170604074, 5.998399634202102, 4.786434849704778, 2.6590049154092363, 1.2886123279791142, 0.0), # 70 (16.584111457028687, 14.122988247267578, 13.279000114311843, 14.341288204508857, 11.993779284004411, 5.828196087994717, 5.8341613276311906, 4.8392772443225125, 6.242891845755221, 2.7707841437370564, 2.1560499655423633, 1.226020391628362, 0.0, 16.190463820301783, 13.486224307911982, 10.780249827711817, 8.312352431211167, 12.485783691510441, 6.774988142051518, 5.8341613276311906, 4.162997205710512, 5.9968896420022055, 4.780429401502953, 2.6558000228623686, 1.2839080224788708, 0.0), # 71 (16.573982608695655, 14.070348387096773, 13.262583333333334, 14.322316304347826, 11.989803921568626, 5.824933333333335, 5.81472268907563, 4.817333333333334, 6.2354, 2.762371764705883, 2.1522724082934617, 1.2237894736842108, 0.0, 16.184375, 13.461684210526316, 10.761362041467306, 8.287115294117648, 12.4708, 6.744266666666667, 5.81472268907563, 4.160666666666668, 5.994901960784313, 4.7741054347826095, 2.6525166666666666, 1.2791225806451614, 0.0), # 72 (16.561504001908514, 14.016846400283198, 13.245779721079103, 14.302413969404189, 11.984899002124855, 5.820922887771173, 5.795020676034474, 4.795477213839354, 6.227616247523244, 2.753930879259798, 2.1481852285033574, 1.2214984878749227, 0.0, 16.1768664266118, 13.436483366624147, 10.740926142516786, 8.261792637779392, 12.455232495046488, 6.713668099375096, 5.795020676034474, 4.157802062693695, 5.992449501062428, 4.76747132313473, 2.649155944215821, 1.274258763662109, 0.0), # 73 (16.546748923480646, 13.962512659852205, 13.228594764517604, 14.281606320450884, 11.979090346701094, 5.816192064217854, 5.775063772559778, 4.773716201798507, 6.219550830666057, 2.7454616939670253, 2.143799956681829, 1.219148974402169, 0.0, 16.167979252400553, 13.410638718423858, 10.718999783409142, 8.236385081901075, 12.439101661332113, 6.683202682517909, 5.775063772559778, 4.154422903012753, 5.989545173350547, 4.760535440150296, 2.645718952903521, 1.269319332713837, 0.0), # 74 (16.52979066022544, 13.90737753882915, 13.211033950617283, 14.259918478260868, 11.972403776325345, 5.810768175582992, 5.754860462703601, 4.752057613168724, 6.211213991769547, 2.7369644153957884, 2.13912812333865, 1.2167424734676198, 0.0, 16.157754629629633, 13.384167208143815, 10.695640616693249, 8.210893246187364, 12.422427983539094, 6.652880658436215, 5.754860462703601, 4.150548696844995, 5.986201888162673, 4.7533061594202906, 2.6422067901234567, 1.2643070489844683, 0.0), # 75 (16.510702498956285, 13.851471410239393, 13.193102766346595, 14.237375563607085, 11.964865112025606, 5.804678534776205, 5.734419230517997, 4.730508763907942, 6.2026159731748205, 2.728439250114312, 2.134181258983598, 1.2142805252729445, 0.0, 16.146233710562413, 13.357085778002387, 10.67090629491799, 8.185317750342936, 12.405231946349641, 6.622712269471118, 5.734419230517997, 4.146198953411575, 5.982432556012803, 4.745791854535696, 2.638620553269319, 1.259224673658127, 0.0), # 76 (16.48955772648655, 13.794824647108282, 13.174806698673981, 14.21400269726248, 11.956500174829877, 5.797950454707109, 5.7137485600550235, 4.70907696997409, 6.193767017222985, 2.7198864046908207, 2.1289708941264505, 1.2117646700198144, 0.0, 16.13345764746228, 13.329411370217956, 10.64485447063225, 8.15965921407246, 12.38753403444597, 6.592707757963726, 5.7137485600550235, 4.141393181933649, 5.9782500874149385, 4.738000899087494, 2.6349613397347964, 1.254074967918935, 0.0), # 77 (16.46642962962963, 13.737467622461173, 13.156151234567902, 14.189825, 11.94733478576616, 5.790611248285322, 5.69285693536674, 4.687769547325104, 6.184677366255142, 2.711306085693537, 2.123508559276981, 1.2091964479098987, 0.0, 16.119467592592596, 13.301160927008882, 10.617542796384903, 8.13391825708061, 12.369354732510285, 6.562877366255145, 5.69285693536674, 4.136150891632373, 5.97366739288308, 4.729941666666668, 2.6312302469135807, 1.248860692951016, 0.0), # 78 (16.441391495198904, 13.679430709323423, 13.1371418609968, 14.164867592592593, 11.93739476586245, 5.782688228420464, 5.671752840505201, 4.666593811918916, 6.1753572626124065, 2.702698499690686, 2.117805784944966, 1.2065773991448674, 0.0, 16.104304698216733, 13.27235139059354, 10.58902892472483, 8.108095499072057, 12.350714525224813, 6.533231336686482, 5.671752840505201, 4.130491591728903, 5.968697382931225, 4.721622530864199, 2.6274283721993603, 1.243584609938493, 0.0), # 79 (16.414516610007755, 13.620744280720386, 13.117784064929126, 14.139155595813204, 11.92670593614675, 5.774208708022151, 5.650444759522465, 4.645557079713459, 6.165816948635879, 2.694063853250491, 2.111874101640184, 1.2039090639263914, 0.0, 16.08801011659808, 13.242999703190304, 10.559370508200919, 8.082191559751472, 12.331633897271757, 6.503779911598843, 5.650444759522465, 4.1244347914443935, 5.963352968073375, 4.713051865271069, 2.6235568129858255, 1.23824948006549, 0.0), # 80 (16.385878260869568, 13.56143870967742, 13.098083333333335, 14.112714130434785, 11.915294117647058, 5.765200000000001, 5.628941176470589, 4.624666666666667, 6.156066666666666, 2.685402352941177, 2.1057250398724086, 1.2011929824561405, 0.0, 16.070625, 13.213122807017545, 10.528625199362043, 8.05620705882353, 12.312133333333332, 6.474533333333334, 5.628941176470589, 4.118, 5.957647058823529, 4.704238043478263, 2.619616666666667, 1.2328580645161293, 0.0), # 81 (16.355549734597723, 13.501544369219879, 13.078045153177872, 14.085568317230274, 11.903185131391377, 5.75568941726363, 5.607250575401629, 4.603929888736474, 6.146116659045877, 2.676714205330967, 2.099370130151417, 1.198430694935785, 0.0, 16.052190500685874, 13.182737644293633, 10.496850650757084, 8.030142615992899, 12.292233318091753, 6.445501844231063, 5.607250575401629, 4.111206726616879, 5.951592565695688, 4.695189439076759, 2.6156090306355746, 1.2274131244745345, 0.0), # 82 (16.323604318005607, 13.441091632373114, 13.057675011431185, 14.057743276972625, 11.890404798407703, 5.745704272722655, 5.585381440367643, 4.5833540618808115, 6.135977168114616, 2.667999616988085, 2.0928209029869853, 1.195623741566995, 0.0, 16.03274777091907, 13.151861157236944, 10.464104514934926, 8.003998850964255, 12.271954336229232, 6.416695686633136, 5.585381440367643, 4.104074480516182, 5.945202399203851, 4.6859144256575425, 2.6115350022862374, 1.2219174211248287, 0.0), # 83 (16.290115297906603, 13.380110872162485, 13.036978395061729, 14.029264130434784, 11.876978939724037, 5.735271879286694, 5.563342255420687, 4.562946502057613, 6.125658436213991, 2.659258794480756, 2.0860888888888893, 1.1927736625514405, 0.0, 16.012337962962963, 13.120510288065844, 10.430444444444445, 7.977776383442267, 12.251316872427982, 6.388125102880658, 5.563342255420687, 4.096622770919067, 5.938489469862018, 4.676421376811596, 2.607395679012346, 1.2163737156511352, 0.0), # 84 (16.255155961114095, 13.318632461613346, 13.015960791037951, 14.000155998389694, 11.862933376368382, 5.724419549865368, 5.54114150461282, 4.542714525224815, 6.115170705685108, 2.650491944377203, 2.0791856183669055, 1.1898819980907918, 0.0, 15.991002229080934, 13.088701978998708, 10.395928091834525, 7.951475833131607, 12.230341411370215, 6.35980033531474, 5.54114150461282, 4.088871107046691, 5.931466688184191, 4.666718666129899, 2.6031921582075905, 1.210784769237577, 0.0), # 85 (16.21879959444146, 13.256686773751051, 12.994627686328306, 13.970444001610309, 11.84829392936873, 5.713174597368289, 5.518787671996097, 4.522665447340345, 6.104524218869075, 2.64169927324565, 2.0721226219308098, 1.1869502883867193, 0.0, 15.968781721536352, 13.05645317225391, 10.360613109654047, 7.9250978197369495, 12.20904843773815, 6.331731626276483, 5.518787671996097, 4.080838998120206, 5.924146964684365, 4.656814667203437, 2.5989255372656612, 1.2051533430682777, 0.0), # 86 (16.18111948470209, 13.194304181600955, 12.972984567901234, 13.940153260869565, 11.833086419753089, 5.7015643347050755, 5.496289241622575, 4.5028065843621405, 6.093729218106997, 2.6328809876543215, 2.0649114300903775, 1.1839800736408925, 0.0, 15.945717592592594, 13.023780810049816, 10.324557150451888, 7.898642962962963, 12.187458436213994, 6.303929218106997, 5.496289241622575, 4.072545953360768, 5.9165432098765445, 4.646717753623189, 2.594596913580247, 1.1994821983273598, 0.0), # 87 (16.142188918709373, 13.131515058188414, 12.951036922725194, 13.90930889694042, 11.817336668549451, 5.689616074785349, 5.473654697544313, 4.483145252248133, 6.082795945739979, 2.624037294171441, 2.0575635733553868, 1.1809728940549822, 0.0, 15.921850994513035, 12.990701834604803, 10.287817866776932, 7.8721118825143215, 12.165591891479957, 6.276403353147386, 5.473654697544313, 4.064011481989534, 5.908668334274726, 4.636436298980141, 2.5902073845450393, 1.193774096198947, 0.0), # 88 (16.102081183276677, 13.068349776538785, 12.928790237768634, 13.877936030595814, 11.80107049678582, 5.677357130518723, 5.4508925238133665, 4.463688766956257, 6.07173464410913, 2.6151683993652335, 2.050090582235612, 1.1779302898306583, 0.0, 15.897223079561043, 12.957233188137238, 10.250452911178058, 7.845505198095699, 12.14346928821826, 6.24916427373876, 5.4508925238133665, 4.055255093227659, 5.90053524839291, 4.625978676865272, 2.585758047553727, 1.1880317978671624, 0.0), # 89 (16.06086956521739, 13.004838709677419, 12.906250000000002, 13.846059782608698, 11.784313725490197, 5.664814814814815, 5.428011204481793, 4.444444444444445, 6.060555555555556, 2.606274509803922, 2.04250398724083, 1.1748538011695908, 0.0, 15.871875000000001, 12.923391812865496, 10.212519936204147, 7.818823529411765, 12.121111111111112, 6.222222222222222, 5.428011204481793, 4.046296296296297, 5.892156862745098, 4.615353260869567, 2.5812500000000003, 1.1822580645161291, 0.0), # 90 (16.0186273513449, 12.941012230629672, 12.883421696387746, 13.813705273752014, 11.767092175690575, 5.652016440583244, 5.405019223601649, 4.4254196006706294, 6.049268922420364, 2.597355832055731, 2.0348153188808165, 1.17174496827345, 0.0, 15.845847908093276, 12.889194651007948, 10.174076594404081, 7.792067496167191, 12.098537844840727, 6.195587440938882, 5.405019223601649, 4.037154600416603, 5.883546087845287, 4.604568424584006, 2.5766843392775494, 1.1764556573299705, 0.0), # 91 (15.975427828472597, 12.876900712420905, 12.86031081390032, 13.780897624798712, 11.749431668414964, 5.638989320733629, 5.381925065224994, 4.406621551592746, 6.037884987044658, 2.5884125726888843, 2.027036107665348, 1.1686053313439067, 0.0, 15.819182956104251, 12.85465864478297, 10.135180538326738, 7.765237718066651, 12.075769974089315, 6.169270172229845, 5.381925065224994, 4.027849514809735, 5.874715834207482, 4.593632541599572, 2.5720621627800644, 1.1706273374928098, 0.0), # 92 (15.931344283413848, 12.812534528076466, 12.836922839506174, 13.747661956521743, 11.731358024691357, 5.625760768175583, 5.358737213403881, 4.388057613168725, 6.026413991769548, 2.5794449382716054, 2.0191778841042, 1.1654364305826295, 0.0, 15.791921296296294, 12.819800736408922, 10.095889420521, 7.738334814814815, 12.052827983539096, 6.143280658436215, 5.358737213403881, 4.018400548696845, 5.865679012345678, 4.582553985507248, 2.567384567901235, 1.1647758661887697, 0.0), # 93 (15.886450002982048, 12.74794405062171, 12.813263260173755, 13.714023389694043, 11.712897065547754, 5.612358095818728, 5.335464152190369, 4.369735101356501, 6.014866178936138, 2.5704531353721194, 2.01125217870715, 1.16223980619129, 0.0, 15.764104080932785, 12.784637868104188, 10.056260893535747, 7.711359406116356, 12.029732357872277, 6.117629141899102, 5.335464152190369, 4.008827211299091, 5.856448532773877, 4.571341129898015, 2.5626526520347515, 1.1589040046019738, 0.0), # 94 (15.840818273990577, 12.683159653081995, 12.789337562871514, 13.680007045088567, 11.694074612012159, 5.598808616572678, 5.312114365636515, 4.351661332114007, 6.003251790885536, 2.561437370558649, 2.0032705219839726, 1.1590169983715575, 0.0, 15.735772462277092, 12.749186982087132, 10.016352609919863, 7.684312111675945, 12.006503581771073, 6.09232586495961, 5.312114365636515, 3.999149011837627, 5.847037306006079, 4.560002348362857, 2.5578675125743033, 1.1530145139165453, 0.0), # 95 (15.79452238325282, 12.61821170848268, 12.765151234567902, 13.645638043478261, 11.674916485112563, 5.585139643347051, 5.288696337794377, 4.333843621399177, 5.991581069958848, 2.55239785039942, 1.9952444444444448, 1.1557695473251033, 0.0, 15.706967592592594, 12.713465020576134, 9.976222222222225, 7.657193551198258, 11.983162139917695, 6.067381069958849, 5.288696337794377, 3.9893854595336076, 5.8374582425562815, 4.5485460144927545, 2.553030246913581, 1.1471101553166074, 0.0), # 96 (15.747635617582157, 12.553130589849111, 12.740709762231369, 13.61094150563607, 11.655448505876976, 5.571378489051465, 5.265218552716011, 4.316289285169945, 5.979864258497181, 2.5433347814626543, 1.9871854765983423, 1.152498993253596, 0.0, 15.677730624142663, 12.677488925789556, 9.93592738299171, 7.630004344387961, 11.959728516994362, 6.042804999237923, 5.265218552716011, 3.9795560636081895, 5.827724252938488, 4.536980501878691, 2.5481419524462736, 1.141193689986283, 0.0), # 97 (15.700231263791975, 12.487946670206647, 12.71601863283036, 13.575942552334945, 11.635696495333388, 5.557552466595541, 5.241689494453475, 4.299005639384241, 5.968111598841639, 2.5342483703165772, 1.9791051489554419, 1.1492068763587067, 0.0, 15.648102709190674, 12.64127563994577, 9.89552574477721, 7.60274511094973, 11.936223197683278, 6.018607895137937, 5.241689494453475, 3.969680333282529, 5.817848247666694, 4.525314184111649, 2.5432037265660723, 1.1352678791096953, 0.0), # 98 (15.652382608695653, 12.422690322580646, 12.691083333333335, 13.540666304347827, 11.615686274509805, 5.543688888888889, 5.218117647058825, 4.282000000000001, 5.956333333333333, 2.5251388235294123, 1.9710149920255189, 1.1458947368421055, 0.0, 15.618125000000001, 12.604842105263158, 9.855074960127594, 7.575416470588236, 11.912666666666667, 5.9948000000000015, 5.218117647058825, 3.9597777777777776, 5.807843137254903, 4.51355543478261, 2.5382166666666675, 1.129335483870968, 0.0), # 99 (15.60416293910658, 12.357391919996457, 12.665909350708734, 13.505137882447666, 11.595443664434223, 5.529815068841132, 5.194511494584116, 4.265279682975157, 5.944539704313367, 2.516006347669384, 1.9629265363183495, 1.1425641149054624, 0.0, 15.58783864883402, 12.568205263960085, 9.814632681591746, 7.54801904300815, 11.889079408626735, 5.97139155616522, 5.194511494584116, 3.9498679063150943, 5.797721832217111, 4.501712627482556, 2.533181870141747, 1.1233992654542237, 0.0), # 100 (15.555645541838135, 12.292081835479447, 12.640502171925013, 13.469382407407409, 11.574994486134646, 5.515958319361886, 5.17087952108141, 4.248852004267642, 5.932740954122847, 2.506851149304716, 1.9548513123437101, 1.1392165507504473, 0.0, 15.557284807956103, 12.531382058254918, 9.77425656171855, 7.520553447914146, 11.865481908245695, 5.948392805974699, 5.17087952108141, 3.9399702281156324, 5.787497243067323, 4.48979413580247, 2.528100434385003, 1.1174619850435863, 0.0), # 101 (15.506903703703706, 12.22679044205496, 12.614867283950618, 13.433425000000002, 11.554364560639069, 5.5021459533607695, 5.1472302106027605, 4.2327242798353915, 5.920947325102881, 2.497673435003632, 1.9468008506113774, 1.135853584578731, 0.0, 15.526504629629631, 12.49438943036604, 9.734004253056886, 7.493020305010894, 11.841894650205761, 5.925813991769548, 5.1472302106027605, 3.93010425240055, 5.7771822803195345, 4.477808333333335, 2.522973456790124, 1.1115264038231782, 0.0), # 102 (15.458010711516671, 12.161548112748353, 12.589010173754001, 13.397290780998391, 11.533579708975497, 5.488405283747397, 5.123572047200224, 4.2169038256363365, 5.909169059594573, 2.4884734113343563, 1.9387866816311266, 1.132476756591983, 0.0, 15.495539266117968, 12.457244322511812, 9.693933408155633, 7.4654202340030675, 11.818338119189146, 5.903665355890872, 5.123572047200224, 3.920289488390998, 5.766789854487748, 4.465763593666131, 2.5178020347508006, 1.1055952829771232, 0.0), # 103 (15.409039852090416, 12.096385220584981, 12.562936328303612, 13.361004871175524, 11.512665752171923, 5.474763623431389, 5.099913514925861, 4.201397957628411, 5.897416399939034, 2.479251284865113, 1.9308203359127338, 1.129087606991874, 0.0, 15.464429869684501, 12.419963676910612, 9.654101679563668, 7.437753854595337, 11.794832799878067, 5.881957140679775, 5.099913514925861, 3.9105454453081343, 5.756332876085962, 4.4536682903918425, 2.5125872656607227, 1.099671383689544, 0.0), # 104 (15.360064412238325, 12.031332138590201, 12.536651234567902, 13.324592391304346, 11.491648511256354, 5.461248285322361, 5.076263097831727, 4.186213991769549, 5.885699588477366, 2.470007262164126, 1.922913343965976, 1.125687675980074, 0.0, 15.433217592592593, 12.382564435780811, 9.61456671982988, 7.410021786492376, 11.771399176954732, 5.860699588477368, 5.076263097831727, 3.9008916323731144, 5.745824255628177, 4.44153079710145, 2.5073302469135803, 1.093757467144564, 0.0), # 105 (15.311157678773782, 11.96641923978937, 12.510160379515318, 13.28807846215781, 11.470553807256785, 5.44788658232993, 5.052629279969876, 4.1713592440176805, 5.8740288675506775, 2.4607415497996183, 1.9150772363006283, 1.1222785037582528, 0.0, 15.401943587105624, 12.345063541340778, 9.575386181503141, 7.382224649398854, 11.748057735101355, 5.839902941624753, 5.052629279969876, 3.8913475588070923, 5.735276903628392, 4.429359487385938, 2.5020320759030636, 1.0878562945263066, 0.0), # 106 (15.26239293851017, 11.901676897207842, 12.483469250114315, 13.251488204508856, 11.449407461201215, 5.434705827363715, 5.0290205453923695, 4.156841030330743, 5.862414479500076, 2.451454354339816, 1.9073235434264675, 1.1188616305280807, 0.0, 15.370649005486968, 12.307477935808887, 9.536617717132337, 7.354363063019447, 11.724828959000153, 5.819577442463041, 5.0290205453923695, 3.8819327338312255, 5.724703730600607, 4.417162734836286, 2.496693850022863, 1.081970627018895, 0.0), # 107 (15.21384347826087, 11.83713548387097, 12.456583333333336, 13.214846739130437, 11.428235294117645, 5.421733333333335, 5.0054453781512604, 4.142666666666667, 5.850866666666667, 2.442145882352942, 1.8996637958532698, 1.1154385964912283, 0.0, 15.339375000000002, 12.26982456140351, 9.498318979266347, 7.326437647058825, 11.701733333333333, 5.799733333333334, 5.0054453781512604, 3.8726666666666674, 5.714117647058822, 4.40494891304348, 2.4913166666666675, 1.076103225806452, 0.0), # 108 (15.16558258483927, 11.772825372804107, 12.429508116140834, 13.17817918679549, 11.40706312703408, 5.408996413148403, 4.98191226229861, 4.128843468983388, 5.839395671391555, 2.4328163404072196, 1.8921095240908108, 1.112010941849365, 0.0, 15.308162722908094, 12.232120360343014, 9.460547620454054, 7.298449021221657, 11.67879134278311, 5.780380856576743, 4.98191226229861, 3.8635688665345733, 5.70353156351704, 4.392726395598498, 2.485901623228167, 1.0702568520731008, 0.0), # 109 (15.117683545058746, 11.708776937032614, 12.402249085505263, 13.141510668276972, 11.385916780978512, 5.396522379718539, 4.9584296818864715, 4.1153787532388355, 5.828011736015851, 2.423465935070874, 1.8846722586488671, 1.108580206804162, 0.0, 15.277053326474624, 12.194382274845779, 9.423361293244335, 7.27039780521262, 11.656023472031702, 5.76153025453437, 4.9584296818864715, 3.8546588426560997, 5.692958390489256, 4.380503556092325, 2.4804498171010527, 1.0644342670029652, 0.0), # 110 (15.07021964573269, 11.64502054958184, 12.374811728395064, 13.104866304347826, 11.36482207697894, 5.384338545953361, 4.935006120966905, 4.102279835390947, 5.816725102880659, 2.4140948729121283, 1.8773635300372145, 1.1051479315572885, 0.0, 15.246087962962964, 12.156627247130173, 9.386817650186073, 7.242284618736384, 11.633450205761317, 5.743191769547326, 4.935006120966905, 3.845956104252401, 5.68241103848947, 4.368288768115943, 2.474962345679013, 1.0586382317801675, 0.0), # 111 (15.02326417367448, 11.581586583477144, 12.347201531778696, 13.068271215781, 11.34380483606337, 5.372472224762486, 4.911650063591967, 4.089554031397653, 5.805546014327083, 2.404703360499207, 1.8701948687656293, 1.101715656310415, 0.0, 15.215307784636488, 12.118872219414563, 9.350974343828147, 7.214110081497619, 11.611092028654166, 5.725375643956714, 4.911650063591967, 3.837480160544633, 5.671902418031685, 4.356090405260334, 2.469440306355739, 1.0528715075888313, 0.0), # 112 (14.976806757924871, 11.51861130755273, 12.319490437669426, 13.031800658990448, 11.322854058851952, 5.3609451179335466, 4.888420770925416, 4.077235045853738, 5.794513499337931, 2.3953218946450923, 1.8631797083074313, 1.098292391533924, 0.0, 15.184710241349155, 12.081216306873161, 9.315898541537155, 7.185965683935276, 11.589026998675863, 5.708129064195233, 4.888420770925416, 3.829246512809676, 5.661427029425976, 4.343933552996817, 2.4638980875338854, 1.0471464825047938, 0.0), # 113 (14.930369436640104, 11.456715869170786, 12.292060900028826, 12.995747305532802, 11.301752911537415, 5.349730967961242, 4.865614566728464, 4.065474173003413, 5.783796819046966, 2.3861260671651134, 1.8563318232301862, 1.094921622948397, 0.0, 15.154040662656056, 12.044137852432362, 9.28165911615093, 7.1583782014953385, 11.567593638093932, 5.691663842204779, 4.865614566728464, 3.821236405686601, 5.6508764557687075, 4.331915768510935, 2.4584121800057654, 1.0415196244700715, 0.0), # 114 (14.883815844806392, 11.395922558068468, 12.264929243609757, 12.960101406218136, 11.280434856414509, 5.338800611665514, 4.84324772015325, 4.054268436185806, 5.773399988623354, 2.3771301311952313, 1.8496412030472253, 1.091605011007847, 0.0, 15.123210610656603, 12.007655121086316, 9.248206015236125, 7.131390393585693, 11.546799977246708, 5.675975810660129, 4.84324772015325, 3.8134290083325095, 5.640217428207254, 4.320033802072713, 2.452985848721952, 1.0359929598244064, 0.0), # 115 (14.837087797180216, 11.336142812561162, 12.238042919978499, 12.924799380319683, 11.25886776147603, 5.328128285467958, 4.821283854022315, 4.043586875265996, 5.763296714254843, 2.3683173433798195, 1.8430949150057288, 1.0883364263316462, 0.0, 15.092171615609425, 11.971700689648106, 9.215474575028642, 7.104952030139457, 11.526593428509686, 5.661021625372395, 4.821283854022315, 3.8058059181913984, 5.629433880738015, 4.308266460106562, 2.4476085839957, 1.0305584375055605, 0.0), # 116 (14.790127108518035, 11.277288070964257, 12.211349380701316, 12.88977764711069, 11.237019494714783, 5.317688225790165, 4.799686591158202, 4.033398530109057, 5.753460702129175, 2.359670960363252, 1.8366800263528757, 1.085109739539167, 0.0, 15.06087520777316, 11.936207134930834, 9.183400131764378, 7.079012881089755, 11.50692140425835, 5.6467579421526795, 4.799686591158202, 3.7983487327072605, 5.6185097473573915, 4.296592549036898, 2.4422698761402635, 1.0252080064512963, 0.0), # 117 (14.742875593576338, 11.21926977159314, 12.18479607734449, 12.854972625864399, 11.214857924123566, 5.3074546690537305, 4.7784195543834524, 4.023672440580065, 5.743865658434098, 2.351174238789904, 1.8303836043358468, 1.0819188212497801, 0.0, 15.02927291740644, 11.901107033747579, 9.151918021679233, 7.053522716369711, 11.487731316868196, 5.633141416812091, 4.7784195543834524, 3.791039049324093, 5.607428962061783, 4.284990875288134, 2.436959215468898, 1.0199336155993766, 0.0), # 118 (14.695275067111588, 11.161999352763203, 12.158330461474298, 12.820320735854047, 11.192350917695169, 5.297401851680244, 4.757446366520605, 4.014377646544097, 5.734485289357356, 2.3428104353041492, 1.824192716201821, 1.0787575420828581, 0.0, 14.997316274767892, 11.866332962911438, 9.120963581009105, 7.028431305912447, 11.468970578714712, 5.620128705161736, 4.757446366520605, 3.7838584654858884, 5.5961754588475845, 4.273440245284683, 2.43166609229486, 1.014727213887564, 0.0), # 119 (14.647267343880259, 11.105388252789831, 12.131899984657018, 12.785758396352872, 11.169466343422396, 5.287504010091301, 4.736730650392203, 4.005483187866229, 5.7252933010866975, 2.3345628065503625, 1.818094429197978, 1.0756197726577732, 0.0, 14.964956810116156, 11.831817499235502, 9.090472145989889, 7.003688419651086, 11.450586602173395, 5.60767646301272, 4.736730650392203, 3.7767885786366437, 5.584733171711198, 4.2619194654509585, 2.4263799969314035, 1.0095807502536214, 0.0), # 120 (14.59879423863883, 11.049347909988416, 12.105452098458917, 12.751222026634121, 11.146172069298046, 5.277735380708496, 4.716236028820784, 3.9969581044115383, 5.716263399809866, 2.326414609172919, 1.812075810571498, 1.0724993835938965, 0.0, 14.932146053709857, 11.797493219532859, 9.060379052857488, 6.979243827518756, 11.432526799619732, 5.595741346176154, 4.716236028820784, 3.769810986220354, 5.573086034649023, 4.250407342211375, 2.4210904196917835, 1.0044861736353108, 0.0), # 121 (14.549797566143766, 10.993789762674343, 12.078934254446281, 12.716648045971027, 11.122435963314915, 5.268070199953418, 4.695926124628894, 3.9887714360450994, 5.707369291714607, 2.3183490998161913, 1.8061239275695606, 1.0693902455106004, 0.0, 14.898835535807633, 11.763292700616601, 9.030619637847803, 6.955047299448573, 11.414738583429214, 5.584280010463139, 4.695926124628894, 3.762907285681013, 5.561217981657458, 4.238882681990344, 2.4157868508892566, 0.9994354329703949, 0.0), # 122 (14.50021914115155, 10.938625249163001, 12.052293904185383, 12.681972873636834, 11.098225893465804, 5.258482704247664, 4.675764560639071, 3.9808922226319887, 5.698584682988669, 2.3103495351245553, 1.8002258474393456, 1.0662862290272563, 0.0, 14.864976786668116, 11.729148519299818, 9.001129237196727, 6.931048605373665, 11.397169365977337, 5.573249111684785, 4.675764560639071, 3.7560590744626166, 5.549112946732902, 4.227324291212279, 2.4104587808370765, 0.9944204771966367, 0.0), # 123 (14.450000778418648, 10.883765807769782, 12.025478499242494, 12.647132928904785, 11.073509727743506, 5.248947130012824, 4.655714959673856, 3.9732895040372846, 5.689883279819794, 2.302399171742385, 1.794368637428032, 1.063181204763237, 0.0, 14.830521336549939, 11.694993252395603, 8.971843187140161, 6.907197515227153, 11.379766559639588, 5.562605305652198, 4.655714959673856, 3.74924795000916, 5.536754863871753, 4.215710976301596, 2.405095699848499, 0.9894332552517985, 0.0), # 124 (14.399084292701534, 10.82912287681007, 11.9984354911839, 12.612064631048113, 11.048255334140823, 5.239437713670492, 4.635740944555791, 3.965932320126061, 5.68123878839573, 2.294481266314054, 1.7885393647828007, 1.0600690433379134, 0.0, 14.795420715711726, 11.660759476717045, 8.942696823914003, 6.883443798942161, 11.36247757679146, 5.552305248176485, 4.635740944555791, 3.7424555097646373, 5.524127667070411, 4.204021543682705, 2.39968709823678, 0.9844657160736429, 0.0), # 125 (14.347411498756685, 10.774607894599258, 11.971112331575865, 12.576704399340066, 11.022430580650552, 5.229928691642264, 4.615806138107416, 3.958789710763395, 5.6726249149042225, 2.2865790754839375, 1.7827250967508306, 1.0569436153706582, 0.0, 14.759626454412127, 11.626379769077237, 8.913625483754151, 6.859737226451811, 11.345249829808445, 5.542305595068753, 4.615806138107416, 3.735663351173045, 5.511215290325276, 4.192234799780023, 2.394222466315173, 0.9795098085999328, 0.0), # 126 (14.294924211340579, 10.720132299452729, 11.943456471984673, 12.54098865305388, 10.996003335265492, 5.220394300349728, 4.595874163151275, 3.951830715814364, 5.664015365533016, 2.27867585589641, 1.7769129005793014, 1.0537987914808424, 0.0, 14.723090082909758, 11.591786706289264, 8.884564502896506, 6.836027567689229, 11.328030731066033, 5.53256300214011, 4.595874163151275, 3.728853071678377, 5.498001667632746, 4.1803295510179606, 2.388691294396935, 0.97455748176843, 0.0), # 127 (14.241564245209673, 10.665607529685879, 11.915415363976601, 12.504853811462798, 10.968941465978443, 5.210808776214481, 4.575908642509906, 3.9450243751440417, 5.655383846469858, 2.2707548641958457, 1.7710898435153934, 1.0506284422878387, 0.0, 14.68576313146326, 11.556912865166222, 8.855449217576966, 6.812264592587535, 11.310767692939717, 5.523034125201659, 4.575908642509906, 3.722006268724629, 5.484470732989221, 4.168284603820934, 2.3830830727953205, 0.9696006845168982, 0.0), # 128 (14.187273415120451, 10.610945023614088, 11.886936459117921, 12.468236293840059, 10.9412128407822, 5.201146355658116, 4.555873199005851, 3.938339728617507, 5.646704063902494, 2.2627993570266187, 1.765242992806286, 1.0474264384110183, 0.0, 14.647597130331262, 11.5216908225212, 8.82621496403143, 6.788398071079855, 11.293408127804987, 5.51367562006451, 4.555873199005851, 3.7151045397557967, 5.4706064203911, 4.156078764613354, 2.377387291823584, 0.9646313657830989, 0.0), # 129 (14.131993535829388, 10.556056219552751, 11.857967208974907, 12.431072519458905, 10.91278532766956, 5.191381275102222, 4.53573145546165, 3.9317458160998338, 5.637949724018666, 2.2547925910331035, 1.7593594156991588, 1.044186650469754, 0.0, 14.608543609772397, 11.48605315516729, 8.796797078495793, 6.764377773099309, 11.275899448037332, 5.504444142539767, 4.53573145546165, 3.7081294822158726, 5.45639266383478, 4.1436908398196355, 2.3715934417949813, 0.9596414745047956, 0.0), # 130 (14.07566642209295, 10.500852555817252, 11.828455065113841, 12.393298907592571, 10.883626794633326, 5.181487770968396, 4.515447034699847, 3.9252116774560997, 5.629094533006126, 2.2467178228596745, 1.7534261794411918, 1.0409029490834167, 0.0, 14.568554100045299, 11.449932439917582, 8.767130897205957, 6.740153468579022, 11.258189066012251, 5.49529634843854, 4.515447034699847, 3.701062693548854, 5.441813397316663, 4.131099635864191, 2.3656910130227686, 0.9546229596197504, 0.0), # 131 (14.018233888667616, 10.445245470722984, 11.798347479100995, 12.354851877514303, 10.853705109666297, 5.171440079678229, 4.49498355954298, 3.918706352551382, 5.620112197052615, 2.238558309150706, 1.7474303512795641, 1.0375692048713792, 0.0, 14.527580131408602, 11.413261253585167, 8.73715175639782, 6.715674927452117, 11.24022439410523, 5.486188893571935, 4.49498355954298, 3.693885771198735, 5.4268525548331485, 4.1182839591714355, 2.3596694958201994, 0.949567770065726, 0.0), # 132 (13.959637750309861, 10.38914640258533, 11.767591902502646, 12.315667848497343, 10.822988140761264, 5.161212437653315, 4.474304652813592, 3.9121988812507547, 5.61097642234588, 2.2302973065505736, 1.7413589984614566, 1.0341792884530125, 0.0, 14.485573234120938, 11.375972172983136, 8.706794992307282, 6.690891919651719, 11.22195284469176, 5.477078433751057, 4.474304652813592, 3.686580312609511, 5.411494070380632, 4.105222616165782, 2.3535183805005295, 0.9444678547804848, 0.0), # 133 (13.899819821776152, 10.332466789719687, 11.736135786885072, 12.275683239814924, 10.791443755911033, 5.150779081315248, 4.453373937334223, 3.9056583034192958, 5.601660915073669, 2.2219180717036497, 1.7351991882340478, 1.030727070447689, 0.0, 14.442484938440934, 11.337997774924577, 8.675995941170239, 6.6657542151109475, 11.203321830147338, 5.467921624787015, 4.453373937334223, 3.6791279152251772, 5.395721877955516, 4.091894413271643, 2.3472271573770147, 0.9393151627017899, 0.0), # 134 (13.838721917822966, 10.275118070441435, 11.703926583814546, 12.234834470740296, 10.759039823108395, 5.14011424708562, 4.432155035927415, 3.8990536589220803, 5.592139381423722, 2.213403861254311, 1.7289379878445184, 1.0272064214747805, 0.0, 14.398266774627231, 11.299270636222584, 8.64468993922259, 6.640211583762932, 11.184278762847445, 5.458675122490913, 4.432155035927415, 3.671510176489728, 5.379519911554198, 4.0782781569134325, 2.340785316762909, 0.9341016427674034, 0.0), # 135 (13.776285853206776, 10.217011683065968, 11.670911744857346, 12.193057960546685, 10.725744210346152, 5.129192171386024, 4.410611571415708, 3.892353987624185, 5.5823855275837895, 2.2047379318469296, 1.7225624645400475, 1.0236112121536591, 0.0, 14.352870272938459, 11.259723333690248, 8.612812322700236, 6.614213795540787, 11.164771055167579, 5.44929558267386, 4.410611571415708, 3.6637086938471604, 5.362872105173076, 4.064352653515563, 2.3341823489714693, 0.9288192439150881, 0.0), # 136 (13.712453442684055, 10.15805906590867, 11.63703872157975, 12.15029012850735, 10.691524785617101, 5.117987090638052, 4.388707166621645, 3.885528329390686, 5.572373059741617, 2.1959035401258813, 1.716059685567815, 1.0199353131036961, 0.0, 14.306246963633242, 11.219288444140656, 8.580298427839075, 6.587710620377642, 11.144746119483234, 5.439739661146961, 4.388707166621645, 3.6557050647414657, 5.345762392808551, 4.050096709502451, 2.3274077443159498, 0.9234599150826065, 0.0), # 137 (13.647166501011277, 10.098171657284933, 11.602254965548024, 12.106467393895517, 10.656349416914047, 5.106473241263299, 4.366405444367763, 3.8785457240866603, 5.56207568408495, 2.1868839427355393, 1.7094167181750008, 1.016172594944264, 0.0, 14.258348376970226, 11.1778985443869, 8.547083590875005, 6.560651828206616, 11.1241513681699, 5.4299640137213245, 4.366405444367763, 3.6474808866166426, 5.3281747084570235, 4.035489131298506, 2.320450993109605, 0.9180156052077213, 0.0), # 138 (13.58036684294491, 10.037260895510144, 11.566507928328454, 12.061526175984431, 10.620185972229777, 5.094624859683358, 4.343670027476608, 3.8713752115771833, 5.551467106801532, 2.1776623963202795, 1.7026206296087845, 1.0123169282947344, 0.0, 14.20912604320803, 11.135486211242075, 8.513103148043921, 6.532987188960837, 11.102934213603064, 5.419925296208056, 4.343670027476608, 3.6390177569166844, 5.3100929861148884, 4.020508725328145, 2.313301585665691, 0.912478263228195, 0.0), # 139 (13.511996283241437, 9.97523821889969, 11.529745061487317, 12.015402894047334, 10.583002319557098, 5.082416182319821, 4.320464538770717, 3.863985831727331, 5.54052103407911, 2.168222157524475, 1.6956584871163454, 1.008362183774479, 0.0, 14.158531492605304, 11.091984021519266, 8.478292435581725, 6.504666472573423, 11.08104206815822, 5.409580164418264, 4.320464538770717, 3.6302972730855863, 5.291501159778549, 4.005134298015779, 2.3059490122974635, 0.9068398380817901, 0.0), # 140 (13.44199663665733, 9.912015065768964, 11.491913816590882, 11.968033967357464, 10.544766326888803, 5.069821445594281, 4.296752601072636, 3.8563466244021805, 5.529211172105429, 2.158546482992501, 1.688517357944864, 1.00430223200287, 0.0, 14.106516255420662, 11.047324552031569, 8.442586789724318, 6.4756394489775015, 11.058422344210857, 5.398885274163053, 4.296752601072636, 3.6213010325673434, 5.272383163444402, 3.989344655785822, 2.2983827633181764, 0.9010922787062696, 0.0), # 141 (13.37030971794905, 9.84750287443335, 11.452961645205429, 11.919355815188066, 10.505445862217693, 5.056814885928333, 4.272497837204901, 3.848426629466808, 5.517511227068235, 2.1486186293687317, 1.6811843093415195, 1.0001309435992793, 0.0, 14.053031861912746, 11.001440379592072, 8.405921546707596, 6.445855888106194, 11.03502245413647, 5.3877972812535315, 4.272497837204901, 3.612010632805952, 5.252722931108846, 3.973118605062689, 2.2905923290410857, 0.8952275340393956, 0.0), # 142 (13.29687734187308, 9.781613083208239, 11.412835998897235, 11.86930485681237, 10.465008793536564, 5.043370739743566, 4.247663869990055, 3.840194886786288, 5.505394905155279, 2.1384218532975416, 1.6736464085534917, 0.9958421891830788, 0.0, 13.998029842340188, 10.954264081013864, 8.368232042767458, 6.415265559892624, 11.010789810310557, 5.376272841500803, 4.247663869990055, 3.6024076712454045, 5.232504396768282, 3.956434952270791, 2.282567199779447, 0.8892375530189309, 0.0), # 143 (13.221641323185896, 9.714257130409019, 11.37148432923257, 11.817817511503629, 10.423422988838217, 5.029463243461577, 4.222214322250639, 3.8316204362256996, 5.492835912554298, 2.1279394114233043, 1.6658907228279605, 0.99142983937364, 0.0, 13.941461726961624, 10.905728233110038, 8.329453614139801, 6.383818234269912, 10.985671825108597, 5.364268610715979, 4.222214322250639, 3.592473745329698, 5.2117114944191085, 3.9392725038345437, 2.2742968658465146, 0.8831142845826383, 0.0), # 144 (13.144543476643964, 9.64534645435108, 11.328854087777719, 11.764830198535075, 10.380656316115449, 5.015066633503958, 4.196112816809195, 3.8226723176501176, 5.479807955453042, 2.1171545603903956, 1.6579043194121055, 0.9868877647903354, 0.0, 13.88327904603568, 10.855765412693687, 8.289521597060528, 6.351463681171186, 10.959615910906084, 5.351741244710165, 4.196112816809195, 3.582190452502827, 5.190328158057724, 3.921610066178359, 2.265770817555544, 0.8768496776682801, 0.0), # 145 (13.065525617003761, 9.574792493349808, 11.284892726098956, 11.710279337179951, 10.33667664336106, 5.000155146292303, 4.169322976488264, 3.813319570924618, 5.4662847400392565, 2.1060505568431886, 1.6496742655531065, 0.9822098360525362, 0.0, 13.82343332982099, 10.804308196577896, 8.248371327765533, 6.318151670529565, 10.932569480078513, 5.338647399294466, 4.169322976488264, 3.5715393902087875, 5.16833832168053, 3.903426445726651, 2.2569785452197917, 0.870435681213619, 0.0), # 146 (12.98452955902176, 9.502506685720592, 11.239547695762546, 11.654101346711496, 10.291451838567841, 4.984703018248201, 4.141808424110385, 3.803531235914277, 5.4522399725006885, 2.094610657426059, 1.6411876284981433, 0.9773899237796149, 0.0, 13.761876108576189, 10.751289161575762, 8.205938142490716, 6.2838319722781755, 10.904479945001377, 5.324943730279988, 4.141808424110385, 3.5605021558915717, 5.145725919283921, 3.884700448903833, 2.2479095391525097, 0.8638642441564175, 0.0), # 147 (12.901497117454435, 9.428400469778822, 11.192766448334778, 11.596232646402957, 10.2449497697286, 4.968684485793251, 4.113532782498101, 3.7932763524841717, 5.437647359025082, 2.082818118783379, 1.6324314754943956, 0.9724218985909429, 0.0, 13.698558912559907, 10.69664088450037, 8.162157377471978, 6.248454356350136, 10.875294718050164, 5.310586893477841, 4.113532782498101, 3.5490603469951787, 5.1224748848643, 3.8654108821343196, 2.2385532896669558, 0.8571273154344385, 0.0), # 148 (12.81637010705826, 9.352385283839885, 11.144496435381926, 11.536609655527563, 10.197138304836129, 4.9520737853490395, 4.084459674473953, 3.7825239604993777, 5.42248060580018, 2.0706561975595257, 1.6233928737890426, 0.9672996311058923, 0.0, 13.63343327203078, 10.640295942164814, 8.116964368945213, 6.211968592678575, 10.84496121160036, 5.295533544699129, 4.084459674473953, 3.5371955609635997, 5.098569152418064, 3.845536551842522, 2.2288992870763855, 0.8502168439854443, 0.0), # 149 (12.729090342589704, 9.274372566219169, 11.09468510847026, 11.475168793358566, 10.147985311883227, 4.934845153337166, 4.054552722860481, 3.771243099824971, 5.406713419013735, 2.058108150398871, 1.614058890629265, 0.9620169919438353, 0.0, 13.566450717247434, 10.582186911382186, 8.070294453146325, 6.174324451196611, 10.81342683802747, 5.27974033975496, 4.054552722860481, 3.524889395240833, 5.0739926559416135, 3.825056264452856, 2.2189370216940523, 0.8431247787471974, 0.0), # 150 (12.63959963880524, 9.194273755232066, 11.043279919166057, 11.411846479169196, 10.097458658862696, 4.916972826179219, 4.023775550480226, 3.759402810326029, 5.390319504853488, 2.0451572339457917, 1.6044165932622414, 0.956567851724143, 0.0, 13.49756277846851, 10.522246368965572, 8.022082966311206, 6.135471701837374, 10.780639009706976, 5.263163934456441, 4.023775550480226, 3.5121234472708704, 5.048729329431348, 3.8039488263897328, 2.2086559838332116, 0.8358430686574607, 0.0), # 151 (12.54783981046135, 9.11200028919396, 10.990228319035603, 11.346579132232703, 10.045526213767326, 4.898431040296793, 3.992091780155732, 3.7469721318676275, 5.373272569507184, 2.0317867048446603, 1.5944530489351527, 0.950946081066188, 0.0, 13.426720985952636, 10.460406891728066, 7.9722652446757625, 6.09536011453398, 10.746545139014367, 5.245760984614678, 3.992091780155732, 3.4988793144977093, 5.022763106883663, 3.7821930440775686, 2.198045663807121, 0.8283636626539964, 0.0), # 152 (12.453752672314497, 9.027463606420243, 10.935477759645158, 11.27930317182232, 9.992155844589925, 4.8791940321114815, 3.9594650347095355, 3.7339201043148416, 5.355546319162572, 2.017979819739852, 1.5841553248951779, 0.945145550589342, 0.0, 13.353876869958444, 10.39660105648276, 7.920776624475889, 6.053939459219555, 10.711092638325145, 5.227488146040779, 3.9594650347095355, 3.485138594365344, 4.996077922294963, 3.759767723940774, 2.187095551929032, 0.8206785096745677, 0.0), # 153 (12.357280039121166, 8.940575145226303, 10.878975692561012, 11.209955017211293, 9.937315419323285, 4.859236038044878, 3.9258589369641825, 3.7202157675327485, 5.337114460007395, 2.0037198352757417, 1.5735104883894968, 0.9391601309129768, 0.0, 13.278981960744572, 10.330761440042743, 7.867552441947483, 6.011159505827224, 10.67422892001479, 5.208302074545848, 3.9258589369641825, 3.4708828843177697, 4.968657709661643, 3.736651672403765, 2.1757951385122025, 0.8127795586569367, 0.0), # 154 (12.258363725637818, 8.851246343927524, 10.820669569349436, 11.138471087672855, 9.880972805960209, 4.838531294518574, 3.891237109742209, 3.705828161386424, 5.317950698229401, 1.9889900080967022, 1.562505606665289, 0.9329836926564644, 0.0, 13.201987788569642, 10.262820619221108, 7.812528033326444, 5.966970024290106, 10.635901396458802, 5.188159425940994, 3.891237109742209, 3.456093781798981, 4.940486402980104, 3.712823695890952, 2.1641339138698874, 0.804658758538866, 0.0), # 155 (12.15694554662093, 8.759388640839303, 10.760506841576703, 11.06478780248025, 9.823095872493491, 4.817054037954164, 3.85556317586616, 3.690726325740946, 5.298028740016334, 1.9737735948471096, 1.5511277469697347, 0.9266101064391765, 0.0, 13.122845883692296, 10.19271117083094, 7.755638734848673, 5.921320784541328, 10.596057480032668, 5.167016856037325, 3.85556317586616, 3.440752884252974, 4.911547936246746, 3.688262600826751, 2.1521013683153405, 0.7963080582581185, 0.0), # 156 (12.05296731682698, 8.664913474277022, 10.698434960809092, 10.988841580906726, 9.76365248691593, 4.79477850477324, 3.8188007581585754, 3.6748793004613884, 5.27732229155594, 1.958053852171337, 1.5393639765500133, 0.9200332428804852, 0.0, 13.041507776371162, 10.120365671685335, 7.696819882750066, 5.87416155651401, 10.55464458311188, 5.1448310206459436, 3.8188007581585754, 3.4248417891237426, 4.881826243457965, 3.662947193635576, 2.1396869921618182, 0.7877194067524566, 0.0), # 157 (11.943489514248384, 8.56599791046598, 10.631455938536474, 10.907723497981493, 9.699926512929064, 4.7702895112293024, 3.780085376742286, 3.6571979682329148, 5.254219782186185, 1.9413463665164579, 1.5268255340103847, 0.9130132752259121, 0.0, 12.954377375064553, 10.043146027485031, 7.634127670051924, 5.824039099549372, 10.50843956437237, 5.120077155526081, 3.780085376742286, 3.407349650878073, 4.849963256464532, 3.6359078326604983, 2.126291187707295, 0.7787270827696345, 0.0), # 158 (11.811658827165445, 8.452495802079234, 10.542317091203984, 10.804772590546145, 9.61620406376707, 4.7354436714732975, 3.734570210708573, 3.6314756885095885, 5.21942787265181, 1.9209123976394986, 1.5113111828317318, 0.9041816698244146, 0.0, 12.840684235072311, 9.94599836806856, 7.556555914158659, 5.762737192918495, 10.43885574530362, 5.084065963913424, 3.734570210708573, 3.3824597653380692, 4.808102031883535, 3.6015908635153826, 2.108463418240797, 0.7684087092799304, 0.0), # 159 (11.655795351846896, 8.323475201859713, 10.429227943941186, 10.678293012490633, 9.51084814010325, 4.689385209644506, 3.6817949987070273, 3.5970661263515646, 5.171960121188613, 1.896482260745158, 1.4926025356292107, 0.893400259851713, 0.0, 12.69827297422973, 9.827402858368842, 7.463012678146054, 5.689446782235472, 10.343920242377227, 5.0358925768921905, 3.6817949987070273, 3.3495608640317895, 4.755424070051625, 3.559431004163545, 2.0858455887882372, 0.7566795638054286, 0.0), # 160 (11.477155287337537, 8.179777273184687, 10.293395962547079, 10.529487004508074, 9.38495266590092, 4.632672092132293, 3.622145156805501, 3.5544003554065204, 5.112442542399476, 1.8682632772683756, 1.4708644412265888, 0.8807689958543429, 0.0, 12.528598471710556, 9.68845895439777, 7.354322206132943, 5.6047898318051255, 10.224885084798952, 4.976160497569129, 3.622145156805501, 3.3090514943802094, 4.69247633295046, 3.509829001502692, 2.058679192509416, 0.7436161157440625, 0.0), # 161 (11.27699483268217, 8.022243179431417, 10.136028612820661, 10.359556807291593, 9.239611565123418, 4.565862285326026, 3.5560061010718473, 3.503909449322135, 5.041501150887273, 1.836462768644093, 1.4462617484476323, 0.8663878283788393, 0.0, 12.333115606688533, 9.530266112167231, 7.231308742238162, 5.509388305932278, 10.083002301774545, 4.9054732290509895, 3.5560061010718473, 3.261330203804304, 4.619805782561709, 3.4531856024305316, 2.0272057225641325, 0.7292948344937653, 0.0), # 162 (11.056570186925597, 7.851714083977169, 9.958333360560937, 10.169704661534322, 9.075918761734068, 4.489513755615068, 3.4837632475739206, 3.4460244817460834, 4.959761961254883, 1.8012880563072504, 1.418959306116109, 0.8503567079717379, 0.0, 12.113279258337407, 9.353923787689116, 7.0947965305805445, 5.40386416892175, 9.919523922509766, 4.824434274444517, 3.4837632475739206, 3.2067955397250487, 4.537959380867034, 3.3899015538447745, 1.9916666721121876, 0.71379218945247, 0.0), # 163 (10.817137549112616, 7.669031150199204, 9.761517671566903, 9.961132807929381, 8.894968179696201, 4.404184469388787, 3.405802012379573, 3.3811765263260463, 4.867850988105186, 1.762946461692788, 1.3891219630557858, 0.8327755851795738, 0.0, 11.870544305830926, 9.160531436975312, 6.945609815278928, 5.288839385078362, 9.735701976210372, 4.733647136856465, 3.405802012379573, 3.1458460495634197, 4.447484089848101, 3.320377602643128, 1.9523035343133808, 0.6971846500181095, 0.0), # 164 (10.559953118288028, 7.475035541474793, 9.546789011637559, 9.735043487169904, 8.697853742973145, 4.310432393036548, 3.3225078115566578, 3.3097966567096977, 4.766394246041056, 1.7216453062356458, 1.35691456809043, 0.8137444105488828, 0.0, 11.606365628342832, 8.951188516037709, 6.7845728404521495, 5.164935918706936, 9.532788492082112, 4.633715319393577, 3.3225078115566578, 3.078880280740391, 4.348926871486572, 3.245014495723302, 1.909357802327512, 0.6795486855886177, 0.0), # 165 (10.286273093496636, 7.270568421181199, 9.315354846571905, 9.492638939949002, 8.485669375528229, 4.208815492947715, 3.234266061173029, 3.2323159465447184, 4.656017749665372, 1.6775919113707654, 1.322501970043808, 0.7933631346262003, 0.0, 11.322198105046873, 8.726994480888202, 6.612509850219039, 5.0327757341122945, 9.312035499330744, 4.525242325162606, 3.234266061173029, 3.0062967806769394, 4.242834687764114, 3.1642129799830014, 1.8630709693143812, 0.6609607655619273, 0.0), # 166 (9.997353673783238, 7.056470952695688, 9.06842264216894, 9.235121406959813, 8.259509001324778, 4.099891735511655, 3.14146217729654, 3.1491654694787847, 4.537347513581013, 1.6309935985330861, 1.2860490177396875, 0.7717317079580612, 0.0, 11.019496615116793, 8.489048787538673, 6.430245088698436, 4.892980795599257, 9.074695027162026, 4.408831657270299, 3.14146217729654, 2.928494096794039, 4.129754500662389, 3.0783738023199385, 1.8136845284337881, 0.6414973593359717, 0.0), # 167 (9.694451058192634, 6.833584299395522, 8.807199864227664, 8.963693128895455, 8.020466544326124, 3.9842190871177325, 3.0444815759950434, 3.0607762991595733, 4.411009552390856, 1.5820576891575493, 1.247720560001835, 0.7489500810910016, 0.0, 10.69971603772634, 8.238450892001017, 6.2386028000091756, 4.746173067472647, 8.822019104781711, 4.285086818823403, 3.0444815759950434, 2.8458707765126663, 4.010233272163062, 2.987897709631819, 1.7614399728455332, 0.6212349363086839, 0.0), # 168 (9.378821445769624, 6.602749624657969, 8.53289397854708, 8.67955634644906, 7.769635928495594, 3.8623555141553156, 2.9437096733363934, 2.9675795092347634, 4.277629880697781, 1.5309915046790952, 1.2076814456540184, 0.7251182045715564, 0.0, 10.364311252049257, 7.976300250287119, 6.038407228270092, 4.592974514037284, 8.555259761395561, 4.154611312928669, 2.9437096733363934, 2.7588253672537966, 3.884817964247797, 2.8931854488163538, 1.706578795709416, 0.6002499658779973, 0.0), # 169 (9.051721035559014, 6.3648080918602945, 8.24671245092618, 8.383913300313743, 7.508111077796515, 3.7348589830137664, 2.8395318853884426, 2.870006173352032, 4.137834513104661, 1.4780023665326634, 1.1660965235200045, 0.7003360289462612, 0.0, 10.014737137259289, 7.7036963184088725, 5.830482617600023, 4.43400709959799, 8.275669026209322, 4.018008642692845, 2.8395318853884426, 2.6677564164384044, 3.7540555388982577, 2.7946377667712485, 1.649342490185236, 0.5786189174418451, 0.0), # 170 (8.7144060266056, 6.12060086437976, 7.949862747163971, 8.077966231182643, 7.23698591619222, 3.602287460082452, 2.7323336282190445, 2.7684873651590554, 3.992249464214377, 1.4232975961531957, 1.1231306424235596, 0.6747035047616515, 0.0, 9.652448572530185, 7.421738552378166, 5.615653212117798, 4.269892788459586, 7.984498928428754, 3.8758823112226777, 2.7323336282190445, 2.5730624714874657, 3.61849295809611, 2.692655410394215, 1.5899725494327943, 0.5564182603981601, 0.0), # 171 (8.368132617954185, 5.870969105593635, 7.643552333059449, 7.762917379748876, 6.9573543676460305, 3.4651989117507385, 2.6225003178960526, 2.663454158303514, 3.8415007486298056, 1.3670845149756323, 1.0789486511884518, 0.648320582564263, 0.0, 9.278900437035686, 7.1315264082068905, 5.3947432559422595, 4.101253544926896, 7.683001497259611, 3.7288358216249198, 2.6225003178960526, 2.475142079821956, 3.4786771838230153, 2.587639126582959, 1.52871046661189, 0.5337244641448761, 0.0), # 172 (8.014157008649567, 5.616753978879182, 7.328988674411616, 7.439968986705571, 6.6703103561212815, 3.3241513044079904, 2.51041737048732, 2.5553376264330825, 3.6862143809538255, 1.309570444434913, 1.0337153986384477, 0.62128721290063, 0.0, 8.89554760994954, 6.83415934190693, 5.168576993192238, 3.9287113333047383, 7.372428761907651, 3.5774726770063157, 2.51041737048732, 2.37439378886285, 3.3351551780606408, 2.479989662235191, 1.4657977348823235, 0.5106139980799257, 0.0), # 173 (7.6537353977365505, 5.358796647613667, 7.00737923701947, 7.110323292745849, 6.376947805581297, 3.179702604443573, 2.3964702020607005, 2.4445688431954404, 3.527016375789314, 1.250962705965979, 0.9875957335973142, 0.5937033463172892, 0.0, 8.503844970445494, 6.53073680949018, 4.93797866798657, 3.7528881178979363, 7.054032751578628, 3.4223963804736166, 2.3964702020607005, 2.2712161460311235, 3.1884739027906486, 2.370107764248617, 1.401475847403894, 0.4871633316012425, 0.0), # 174 (7.288123984259929, 5.097938275174352, 6.679931486682011, 6.7751825385628415, 6.078360639989406, 3.0324107782468537, 2.2810442286840464, 2.331578882238264, 3.36453274773915, 1.19146862100377, 0.9407545048888186, 0.5656689333607753, 0.0, 8.105247397697292, 6.222358266968527, 4.703772524444093, 3.574405863011309, 6.7290654954783, 3.26421043513357, 2.2810442286840464, 2.1660076987477526, 3.039180319994703, 2.2583941795209475, 1.3359862973364023, 0.46344893410675936, 0.0), # 175 (6.91857896726451, 4.835020024938507, 6.347852889198238, 6.435748964849671, 5.775642783308939, 2.882833792207196, 2.164524866425212, 2.216798817209233, 3.199389511406209, 1.131295510983227, 0.8933565613367281, 0.537283924577624, 0.0, 7.701209770878679, 5.910123170353863, 4.46678280668364, 3.39388653294968, 6.398779022812418, 3.103518344092926, 2.164524866425212, 2.0591669944337117, 2.8878213916544695, 2.1452496549498905, 1.2695705778396478, 0.4395472749944098, 0.0), # 176 (6.546356545795092, 4.570883060283395, 6.012350910367152, 6.093224812299459, 5.469888159503225, 2.731529612713966, 2.0472975313520503, 2.100659721756022, 3.0322126813933705, 1.07065069733929, 0.8455667517648098, 0.5086482705143706, 0.0, 7.2931869691634, 5.595130975658075, 4.227833758824048, 3.211952092017869, 6.064425362786741, 2.9409236104584306, 2.0472975313520503, 1.9510925805099755, 2.7349440797516125, 2.0310749374331536, 1.2024701820734305, 0.4155348236621269, 0.0), # 177 (6.172712918896475, 4.306368544586282, 5.6746330159877525, 5.74881232160534, 5.162190692535588, 2.5790562061565305, 1.929747639532414, 1.9835926695263104, 2.863628272303512, 1.0097415015069002, 0.7975499249968301, 0.4798619217175504, 0.0, 6.882633871725203, 5.278481138893053, 3.98774962498415, 3.0292245045207, 5.727256544607024, 2.7770297373368344, 1.929747639532414, 1.8421830043975218, 2.581095346267794, 1.916270773868447, 1.1349266031975505, 0.3914880495078438, 0.0), # 178 (0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0), # 179 ) passenger_allighting_rate = ( (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 0 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 1 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 2 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 3 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 4 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 5 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 6 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 7 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 8 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 9 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 10 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 11 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 12 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 13 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 14 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 15 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 16 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 17 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 18 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 19 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 20 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 21 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 22 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 23 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 24 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 25 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 26 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 27 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 28 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 29 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 30 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 31 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 32 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 33 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 34 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 35 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 36 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 37 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 38 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 39 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 40 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 41 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 42 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 43 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 44 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 45 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 46 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 47 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 48 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 49 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 50 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 51 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 52 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 53 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 54 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 55 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 56 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 57 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 58 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 59 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 60 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 61 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 62 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 63 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 64 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 65 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 66 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 67 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 68 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 69 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 70 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 71 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 72 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 73 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 74 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 75 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 76 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 77 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 78 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 79 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 80 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 81 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 82 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 83 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 84 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 85 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 86 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 87 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 88 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 89 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 90 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 91 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 92 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 93 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 94 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 95 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 96 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 97 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 98 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 99 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 100 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 101 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 102 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 103 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 104 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 105 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 106 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 107 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 108 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 109 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 110 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 111 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 112 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 113 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 114 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 115 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 116 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 117 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 118 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 119 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 120 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 121 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 122 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 123 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 124 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 125 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 126 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 127 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 128 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 129 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 130 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 131 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 132 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 133 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 134 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 135 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 136 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 137 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 138 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 139 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 140 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 141 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 142 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 143 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 144 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 145 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 146 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 147 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 148 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 149 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 150 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 151 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 152 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 153 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 154 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 155 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 156 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 157 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 158 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 159 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 160 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 161 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 162 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 163 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 164 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 165 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 166 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 167 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 168 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 169 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 170 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 171 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 172 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 173 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 174 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 175 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 176 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 177 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 178 (0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1, 0, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 0.07692307692307693, 1), # 179 ) """ parameters for reproducibiliy. More information: https://numpy.org/doc/stable/reference/random/parallel.html """ #initial entropy entropy = 8991598675325360468762009371570610170 #index for seed sequence child child_seed_index = ( 1, # 0 28, # 1 )
0
0
0
6a1661feb3eadbed22acb7a1f2831cbf3dc0a31f
6,002
py
Python
tests/test_ghdl_testsuite.py
lionheart117/hdlConvertor
935941471fbb592942776d2c46af2be0b14b9b06
[ "MIT" ]
1
2022-02-17T23:32:46.000Z
2022-02-17T23:32:46.000Z
tests/test_ghdl_testsuite.py
curiousTauseef/hdlConvertor
5041c2cca2d14f47237dc4e91fd3228a88bd01df
[ "MIT" ]
null
null
null
tests/test_ghdl_testsuite.py
curiousTauseef/hdlConvertor
5041c2cca2d14f47237dc4e91fd3228a88bd01df
[ "MIT" ]
null
null
null
# import sys import os import sys import unittest from hdlConvertorAst.language import Language from tests.extern_test_utils import generate_external_testcase_class, \ ExternTestSpec, check_git_submodule from tests.file_utils import find_files from tests.time_logging_test_runner import TimeLoggingTestRunner if sys.version_info.major == 2: FileNotFoundError = IOError from io import open GHDL_ROOT = os.path.join(os.path.dirname(__file__), "ghdl") # use this file to run tests in incremental maner, # the test which passed in previous build will not be executed again # SUCESSFULL_TEST_FILTER_FILE = "tests_passed.vunit" SUCESSFULL_TEST_FILTER_FILE = None GhdlTestsuiteTestsuiteTC = generate_external_testcase_class( 'GhdlTestsuiteTestsuiteTC', get_ghdl_test_configs("testsuite"), SUCESSFULL_TEST_FILTER_FILE) GHDL_LIBS = [ "ieee", "openieee", "std", "vendors", "vital95", "ieee2008", "mentor", "synopsys", "vital2000", ] GhdlTestsuiteTCs = [ generate_external_testcase_class( 'Ghdl_%s_TestsuiteTC' % lib, get_ghdl_test_configs("libraries/" + lib), SUCESSFULL_TEST_FILTER_FILE) for lib in GHDL_LIBS ] + [ GhdlTestsuiteTestsuiteTC ] if __name__ == '__main__': # unittest.main(failfast=True) suite = unittest.TestSuite() # suite.addTest(GhdlIEEETestsuiteTC('test_VHDL_2008_numeric_bit')) for tc in GhdlTestsuiteTCs: suite.addTest(unittest.makeSuite(tc)) # suite.addTest(unittest.makeSuite(GhdlTestsuiteTestsuiteTC)) runner = TimeLoggingTestRunner(verbosity=3) runner.run(suite)
40.281879
100
0.623292
# import sys import os import sys import unittest from hdlConvertorAst.language import Language from tests.extern_test_utils import generate_external_testcase_class, \ ExternTestSpec, check_git_submodule from tests.file_utils import find_files from tests.time_logging_test_runner import TimeLoggingTestRunner if sys.version_info.major == 2: FileNotFoundError = IOError from io import open GHDL_ROOT = os.path.join(os.path.dirname(__file__), "ghdl") # use this file to run tests in incremental maner, # the test which passed in previous build will not be executed again # SUCESSFULL_TEST_FILTER_FILE = "tests_passed.vunit" SUCESSFULL_TEST_FILTER_FILE = None def get_ghdl_test_configs(path): check_git_submodule(GHDL_ROOT) for vhdl_file in find_files(os.path.join(GHDL_ROOT, *path.split("/")), "*.vhdl"): should_fail = False testsuite_sh = os.path.join(os.path.dirname(vhdl_file), "testsuite.sh") try: with open(testsuite_sh) as f: t = f.read() if "--expect-failure" in t or "analyze_failure " + os.path.basename(vhdl_file) in t: should_fail = True except FileNotFoundError: pass # because of windows _vhdl_file = vhdl_file.replace("\\", "/") if _vhdl_file.endswith("issue300/test_bench.vhdl") or \ _vhdl_file.endswith("synth48/test.vhdl") or \ _vhdl_file.endswith("issue626/repro.vhdl") or \ _vhdl_file.endswith("issue626/top.vhdl") or \ _vhdl_file.endswith("issue634/top.vhdl") or \ _vhdl_file.endswith("issue983/test.vhdl") or \ _vhdl_file.endswith("issue1367/issue.vhdl") or \ _vhdl_file.endswith("issue1345/issue.vhdl") or \ _vhdl_file.endswith("issue1322/issue.vhdl") or \ _vhdl_file.endswith("issue1321/issue.vhdl") or \ _vhdl_file.endswith("issue1314/issue.vhdl") or \ _vhdl_file.endswith("issue1347/issue.vhdl") or \ _vhdl_file.endswith("synth27/dff.vhdl") or \ _vhdl_file.endswith("issue1295/issue.vhdl") or \ _vhdl_file.endswith("issue1292/issue.vhdl") or \ _vhdl_file.endswith("issue1288/issue.vhdl"): # keyword as architecture name should_fail = True elif "testsuite/gna/bug030" in _vhdl_file: # keyword as signal name should_fail = True elif "testsuite/synth/psl" in _vhdl_file or _vhdl_file.endswith("issue1390/aes_enc.vhdl"): # PSL default clock should_fail = True elif _vhdl_file.endswith("issue662/psl_stable.vhdl") or\ _vhdl_file.endswith("issue662/psl_rose.vhdl") or \ _vhdl_file.endswith("issue662/psl_prev.vhdl") or \ _vhdl_file.endswith("issue1292/psl_next_event_e.vhdl") or \ _vhdl_file.endswith("issue1295/psl_next_event_a.vhdl") or \ _vhdl_file.endswith("issue662/psl_fell.vhdl") or \ _vhdl_file.endswith("bug051/tb2.vhdl"): # PSL should_fail = True elif _vhdl_file.endswith("gna/bug096/reader.vhdl"): # error in file spec, in ghdl it is just discovered after should_fail = True elif "gna/bug090/" in _vhdl_file or "gna/bug0100/" in _vhdl_file: # error, but it is described in testsuite.sh in format which can not be parsed should_fail = True elif _vhdl_file.endswith("gna/issue106/ent3.vhdl"): # missing case when value should_fail = True elif _vhdl_file.endswith("gna/issue520/lrm.vhdl"): # missing ; after last item in block stm should_fail = True elif _vhdl_file.endswith("bug0105/econcat2_87.vhdl") or \ _vhdl_file.endswith("bug0105/econcat2.vhdl") or \ _vhdl_file.endswith("bug0105/econcat1_87.vhdl") or \ _vhdl_file.endswith("bug0105/econcat1.vhdl") or \ _vhdl_file.endswith("std/textio-body.vhdl"): # std87 obscure relicts should_fail = True elif _vhdl_file.endswith("bug031/ams1.vhdl") or \ _vhdl_file.endswith("004all08/ams08.vhdl"): # AMS extension should_fail = True elif _vhdl_file.endswith("issue106/ent2.vhdl"): # block in generate has to have label should_fail = True lang = Language.VHDL_2008 defs = {} inc_dirs = [] if "utf8" in vhdl_file: encoding = "utf-8" elif "utf16" in vhdl_file: encoding = "utf-16" else: encoding = "iso-8859-1" with open(vhdl_file, encoding=encoding) as f: d = f.read() if d.startswith("vunit"): continue yield ExternTestSpec(vhdl_file, lang, defs, inc_dirs, should_fail, encoding=encoding) GhdlTestsuiteTestsuiteTC = generate_external_testcase_class( 'GhdlTestsuiteTestsuiteTC', get_ghdl_test_configs("testsuite"), SUCESSFULL_TEST_FILTER_FILE) GHDL_LIBS = [ "ieee", "openieee", "std", "vendors", "vital95", "ieee2008", "mentor", "synopsys", "vital2000", ] GhdlTestsuiteTCs = [ generate_external_testcase_class( 'Ghdl_%s_TestsuiteTC' % lib, get_ghdl_test_configs("libraries/" + lib), SUCESSFULL_TEST_FILTER_FILE) for lib in GHDL_LIBS ] + [ GhdlTestsuiteTestsuiteTC ] if __name__ == '__main__': # unittest.main(failfast=True) suite = unittest.TestSuite() # suite.addTest(GhdlIEEETestsuiteTC('test_VHDL_2008_numeric_bit')) for tc in GhdlTestsuiteTCs: suite.addTest(unittest.makeSuite(tc)) # suite.addTest(unittest.makeSuite(GhdlTestsuiteTestsuiteTC)) runner = TimeLoggingTestRunner(verbosity=3) runner.run(suite)
4,356
0
23
57081792105256d9dd6d7742e02c6fbe86c8f49f
601
py
Python
python-questions-for-pratices/Question-88.py
siddharth-143/Python
293f4643a3a13e3b82d23fd8922db54dbb0f12bc
[ "MIT" ]
null
null
null
python-questions-for-pratices/Question-88.py
siddharth-143/Python
293f4643a3a13e3b82d23fd8922db54dbb0f12bc
[ "MIT" ]
null
null
null
python-questions-for-pratices/Question-88.py
siddharth-143/Python
293f4643a3a13e3b82d23fd8922db54dbb0f12bc
[ "MIT" ]
null
null
null
""" Question 88 : With a given list [12, 24,35, 24, 88,120, 155, 88, 120, 155], write a program to print this list after removing all duplicate values with original order reserved. Hints : Use set() to store a number of values without duplicate. """ # Solution : li = [12, 24,35, 24, 88,120, 155, 88, 120, 155] print(remove_duplicate(li)) """ Output : [12, 24, 35, 88, 120, 155] """
20.033333
74
0.603993
""" Question 88 : With a given list [12, 24,35, 24, 88,120, 155, 88, 120, 155], write a program to print this list after removing all duplicate values with original order reserved. Hints : Use set() to store a number of values without duplicate. """ # Solution : def remove_duplicate(li): new_list = [] set_list = set() for i in li: if i not in set_list: set_list.add(i) new_list.append(i) return new_list li = [12, 24,35, 24, 88,120, 155, 88, 120, 155] print(remove_duplicate(li)) """ Output : [12, 24, 35, 88, 120, 155] """
171
0
23
a69b107084d776967e5e8d71a7570a2c2abdcf48
5,591
py
Python
src/schnetpack/datasets/omdb.py
sxie22/schnetpack
a421e7c121c7bdb2838fb30f887812110ecfa3c6
[ "MIT" ]
null
null
null
src/schnetpack/datasets/omdb.py
sxie22/schnetpack
a421e7c121c7bdb2838fb30f887812110ecfa3c6
[ "MIT" ]
null
null
null
src/schnetpack/datasets/omdb.py
sxie22/schnetpack
a421e7c121c7bdb2838fb30f887812110ecfa3c6
[ "MIT" ]
1
2022-02-10T17:39:11.000Z
2022-02-10T17:39:11.000Z
import logging import os import tarfile from typing import List, Optional, Dict from ase.io import read import numpy as np import torch from schnetpack.data import * from schnetpack.data import AtomsDataModuleError, AtomsDataModule __all__ = ["OrganicMaterialsDatabase"] class OrganicMaterialsDatabase(AtomsDataModule): """ Organic Materials Database (OMDB) of bulk organic crystals. Registration to the OMDB is free for academic users. This database contains DFT (PBE) band gap (OMDB-GAP1 database) for 12500 non-magnetic materials. References: .. [#omdb] Bart Olsthoorn, R. Matthias Geilhufe, Stanislav S. Borysov, Alexander V. Balatsky. Band gap prediction for large organic crystal structures with machine learning. https://arxiv.org/abs/1810.12814 """ BandGap = "band_gap" def __init__( self, datapath: str, batch_size: int, num_train: Optional[int] = None, num_val: Optional[int] = None, num_test: Optional[int] = None, split_file: Optional[str] = "split.npz", format: Optional[AtomsDataFormat] = AtomsDataFormat.ASE, load_properties: Optional[List[str]] = None, val_batch_size: Optional[int] = None, test_batch_size: Optional[int] = None, transforms: Optional[List[torch.nn.Module]] = None, train_transforms: Optional[List[torch.nn.Module]] = None, val_transforms: Optional[List[torch.nn.Module]] = None, test_transforms: Optional[List[torch.nn.Module]] = None, num_workers: int = 2, num_val_workers: Optional[int] = None, num_test_workers: Optional[int] = None, property_units: Optional[Dict[str, str]] = None, distance_unit: Optional[str] = None, raw_path: Optional[str] = None, **kwargs ): """ Args: datapath: path to dataset batch_size: (train) batch size num_train: number of training examples num_val: number of validation examples num_test: number of test examples split_file: path to npz file with data partitions format: dataset format load_properties: subset of properties to load val_batch_size: validation batch size. If None, use test_batch_size, then batch_size. test_batch_size: test batch size. If None, use val_batch_size, then batch_size. transforms: Transform applied to each system separately before batching. train_transforms: Overrides transform_fn for training. val_transforms: Overrides transform_fn for validation. test_transforms: Overrides transform_fn for testing. num_workers: Number of data loader workers. num_val_workers: Number of validation data loader workers (overrides num_workers). num_test_workers: Number of test data loader workers (overrides num_workers). property_units: Dictionary from property to corresponding unit as a string (eV, kcal/mol, ...). distance_unit: Unit of the atom positions and cell as a string (Ang, Bohr, ...). raw_path: path to raw tar.gz file with the data """ super().__init__( datapath=datapath, batch_size=batch_size, num_train=num_train, num_val=num_val, num_test=num_test, split_file=split_file, format=format, load_properties=load_properties, val_batch_size=val_batch_size, test_batch_size=test_batch_size, transforms=transforms, train_transforms=train_transforms, val_transforms=val_transforms, test_transforms=test_transforms, num_workers=num_workers, num_val_workers=num_val_workers, num_test_workers=num_test_workers, property_units=property_units, distance_unit=distance_unit, **kwargs ) self.raw_path = raw_path def _convert(self, dataset): """ Converts .tar.gz to a .db file """ if self.raw_path is None or not os.path.exists(self.raw_path): # TODO: can we download here automatically like QM9? raise AtomsDataModuleError( "The path to the raw dataset is not provided or invalid and the db-file does " "not exist!" ) logging.info("Converting %s to a .db file.." % self.raw_path) tar = tarfile.open(self.raw_path, "r:gz") names = tar.getnames() tar.extractall() tar.close() structures = read("structures.xyz", index=":") Y = np.loadtxt("bandgaps.csv") [os.remove(name) for name in names] atoms_list = [] property_list = [] for i, at in enumerate(structures): atoms_list.append(at) property_list.append({OrganicMaterialsDatabase.BandGap: Y[i]}) dataset.add_systems(atoms_list=atoms_list, property_list=property_list)
38.826389
107
0.630478
import logging import os import tarfile from typing import List, Optional, Dict from ase.io import read import numpy as np import torch from schnetpack.data import * from schnetpack.data import AtomsDataModuleError, AtomsDataModule __all__ = ["OrganicMaterialsDatabase"] class OrganicMaterialsDatabase(AtomsDataModule): """ Organic Materials Database (OMDB) of bulk organic crystals. Registration to the OMDB is free for academic users. This database contains DFT (PBE) band gap (OMDB-GAP1 database) for 12500 non-magnetic materials. References: .. [#omdb] Bart Olsthoorn, R. Matthias Geilhufe, Stanislav S. Borysov, Alexander V. Balatsky. Band gap prediction for large organic crystal structures with machine learning. https://arxiv.org/abs/1810.12814 """ BandGap = "band_gap" def __init__( self, datapath: str, batch_size: int, num_train: Optional[int] = None, num_val: Optional[int] = None, num_test: Optional[int] = None, split_file: Optional[str] = "split.npz", format: Optional[AtomsDataFormat] = AtomsDataFormat.ASE, load_properties: Optional[List[str]] = None, val_batch_size: Optional[int] = None, test_batch_size: Optional[int] = None, transforms: Optional[List[torch.nn.Module]] = None, train_transforms: Optional[List[torch.nn.Module]] = None, val_transforms: Optional[List[torch.nn.Module]] = None, test_transforms: Optional[List[torch.nn.Module]] = None, num_workers: int = 2, num_val_workers: Optional[int] = None, num_test_workers: Optional[int] = None, property_units: Optional[Dict[str, str]] = None, distance_unit: Optional[str] = None, raw_path: Optional[str] = None, **kwargs ): """ Args: datapath: path to dataset batch_size: (train) batch size num_train: number of training examples num_val: number of validation examples num_test: number of test examples split_file: path to npz file with data partitions format: dataset format load_properties: subset of properties to load val_batch_size: validation batch size. If None, use test_batch_size, then batch_size. test_batch_size: test batch size. If None, use val_batch_size, then batch_size. transforms: Transform applied to each system separately before batching. train_transforms: Overrides transform_fn for training. val_transforms: Overrides transform_fn for validation. test_transforms: Overrides transform_fn for testing. num_workers: Number of data loader workers. num_val_workers: Number of validation data loader workers (overrides num_workers). num_test_workers: Number of test data loader workers (overrides num_workers). property_units: Dictionary from property to corresponding unit as a string (eV, kcal/mol, ...). distance_unit: Unit of the atom positions and cell as a string (Ang, Bohr, ...). raw_path: path to raw tar.gz file with the data """ super().__init__( datapath=datapath, batch_size=batch_size, num_train=num_train, num_val=num_val, num_test=num_test, split_file=split_file, format=format, load_properties=load_properties, val_batch_size=val_batch_size, test_batch_size=test_batch_size, transforms=transforms, train_transforms=train_transforms, val_transforms=val_transforms, test_transforms=test_transforms, num_workers=num_workers, num_val_workers=num_val_workers, num_test_workers=num_test_workers, property_units=property_units, distance_unit=distance_unit, **kwargs ) self.raw_path = raw_path def prepare_data(self): if not os.path.exists(self.datapath): property_unit_dict = {OrganicMaterialsDatabase.BandGap: "eV"} dataset = create_dataset( datapath=self.datapath, format=self.format, distance_unit="Ang", property_unit_dict=property_unit_dict, ) self._convert(dataset) else: dataset = load_dataset(self.datapath, self.format) def _convert(self, dataset): """ Converts .tar.gz to a .db file """ if self.raw_path is None or not os.path.exists(self.raw_path): # TODO: can we download here automatically like QM9? raise AtomsDataModuleError( "The path to the raw dataset is not provided or invalid and the db-file does " "not exist!" ) logging.info("Converting %s to a .db file.." % self.raw_path) tar = tarfile.open(self.raw_path, "r:gz") names = tar.getnames() tar.extractall() tar.close() structures = read("structures.xyz", index=":") Y = np.loadtxt("bandgaps.csv") [os.remove(name) for name in names] atoms_list = [] property_list = [] for i, at in enumerate(structures): atoms_list.append(at) property_list.append({OrganicMaterialsDatabase.BandGap: Y[i]}) dataset.add_systems(atoms_list=atoms_list, property_list=property_list)
456
0
27
bb22e5b12a23cf9898a8b386b4ed12add15908fc
4,879
py
Python
km3pipe/cmd.py
kabartay/km3pipe
491c425486553e8986682d2b0614918dd23cc964
[ "MIT" ]
2
2017-01-19T17:22:49.000Z
2020-04-18T14:00:38.000Z
km3pipe/cmd.py
kabartay/km3pipe
491c425486553e8986682d2b0614918dd23cc964
[ "MIT" ]
null
null
null
km3pipe/cmd.py
kabartay/km3pipe
491c425486553e8986682d2b0614918dd23cc964
[ "MIT" ]
null
null
null
# coding=utf-8 # Filename: cmd.py """ KM3Pipe command line utility. Usage: km3pipe test km3pipe update [GIT_BRANCH] km3pipe detx DET_ID [-m] [-t T0_SET] [-c CALIBR_ID] km3pipe runtable [-n RUNS] [-s REGEX] [--temporary] DET_ID km3pipe runinfo [--temporary] DET_ID RUN km3pipe retrieve DET_ID RUN km3pipe (-h | --help) km3pipe --version Options: -h --help Show this screen. -m Get the MC detector file (flips the sign of DET_ID). -c CALIBR_ID Geometrical calibration ID (eg. A01466417) -t T0_SET Time calibration ID (eg. A01466431) -n EVENTS/RUNS Number of events/runs. -s REGEX Regular expression to filter the runsetup name/id. --temporary Do not request a permanent session, but a temporary one. [default=False] DET_ID Detector ID (eg. D_ARCA001). GIT_BRANCH Git branch to pull (eg. develop). RUN Run number. """ from __future__ import division, absolute_import, print_function import sys import os from datetime import datetime from km3pipe import version from km3pipe.tools import irods_filepath from km3pipe.db import DBManager from km3modules import StatusBar from km3pipe.hardware import Detector __author__ = "Tamas Gal" __copyright__ = "Copyright 2016, Tamas Gal and the KM3NeT collaboration." __credits__ = [] __license__ = "MIT" __maintainer__ = "Tamas Gal and Moritz Lotze" __email__ = "tgal@km3net.de" __status__ = "Development" def runtable(det_id, n=5, sep='\t', regex=None, temporary=False): """Print the run table of the last `n` runs for given detector""" db = DBManager(temporary=temporary) df = db.run_table(det_id) if regex is not None: df = df[df['RUNSETUPNAME'].str.match(regex) | df['RUNSETUPID'].str.match(regex)] if n is not None: df = df.tail(n) df.to_csv(sys.stdout, sep=sep) def retrieve(run_id, det_id): """Retrieve run from iRODS for a given detector (O)ID""" try: det_id = int(det_id) except ValueError: pass path = irods_filepath(det_id, int(run_id)) os.system("iget -Pv {0}".format(path))
30.685535
96
0.589465
# coding=utf-8 # Filename: cmd.py """ KM3Pipe command line utility. Usage: km3pipe test km3pipe update [GIT_BRANCH] km3pipe detx DET_ID [-m] [-t T0_SET] [-c CALIBR_ID] km3pipe runtable [-n RUNS] [-s REGEX] [--temporary] DET_ID km3pipe runinfo [--temporary] DET_ID RUN km3pipe retrieve DET_ID RUN km3pipe (-h | --help) km3pipe --version Options: -h --help Show this screen. -m Get the MC detector file (flips the sign of DET_ID). -c CALIBR_ID Geometrical calibration ID (eg. A01466417) -t T0_SET Time calibration ID (eg. A01466431) -n EVENTS/RUNS Number of events/runs. -s REGEX Regular expression to filter the runsetup name/id. --temporary Do not request a permanent session, but a temporary one. [default=False] DET_ID Detector ID (eg. D_ARCA001). GIT_BRANCH Git branch to pull (eg. develop). RUN Run number. """ from __future__ import division, absolute_import, print_function import sys import os from datetime import datetime from km3pipe import version from km3pipe.tools import irods_filepath from km3pipe.db import DBManager from km3modules import StatusBar from km3pipe.hardware import Detector __author__ = "Tamas Gal" __copyright__ = "Copyright 2016, Tamas Gal and the KM3NeT collaboration." __credits__ = [] __license__ = "MIT" __maintainer__ = "Tamas Gal and Moritz Lotze" __email__ = "tgal@km3net.de" __status__ = "Development" def run_tests(): import pytest import km3pipe pytest.main([os.path.dirname(km3pipe.__file__)]) def runtable(det_id, n=5, sep='\t', regex=None, temporary=False): """Print the run table of the last `n` runs for given detector""" db = DBManager(temporary=temporary) df = db.run_table(det_id) if regex is not None: df = df[df['RUNSETUPNAME'].str.match(regex) | df['RUNSETUPID'].str.match(regex)] if n is not None: df = df.tail(n) df.to_csv(sys.stdout, sep=sep) def runinfo(run_id, det_id, temporary=False): db = DBManager(temporary=temporary) df = db.run_table(det_id) row = df[df['RUN'] == int(run_id)] if len(row) == 0: print("No database entry for run {0} found.".format(run_id)) return next_row = df[df['RUN'] == (int(run_id) + 1)] if len(next_row) != 0: end_time = next_row['DATETIME'].values[0] duration = (next_row['UNIXSTARTTIME'].values[0] - row['UNIXSTARTTIME'].values[0]) / 1000 / 60 else: end_time = duration = float('NaN') print("Run {0} - detector ID: {1}".format(run_id, det_id)) print('-' * 42) print(" Start time: {0}\n" " End time: {1}\n" " Duration [min]: {2:.2f}\n" " Start time defined: {3}\n" " Runsetup ID: {4}\n" " Runsetup name: {5}\n" " T0 Calibration ID: {6}\n" .format(row['DATETIME'].values[0], end_time, duration, bool(row['STARTTIME_DEFINED'].values[0]), row['RUNSETUPID'].values[0], row['RUNSETUPNAME'].values[0], row['T0_CALIBSETID'].values[0])) def update_km3pipe(git_branch=''): if git_branch == '' or git_branch is None: git_branch = 'master' os.system("pip install -U git+http://git.km3net.de/tgal/km3pipe.git@{0}" .format(git_branch)) def retrieve(run_id, det_id): """Retrieve run from iRODS for a given detector (O)ID""" try: det_id = int(det_id) except ValueError: pass path = irods_filepath(det_id, int(run_id)) os.system("iget -Pv {0}".format(path)) def detx(det_id, calibration='', t0set=''): now = datetime.now() filename = "KM3NeT_{0}{1:08d}_{2}.detx" \ .format('-' if det_id < 0 else '', abs(det_id), now.strftime("%d%m%Y")) det = Detector(det_id=det_id, t0set=t0set, calibration=calibration) if det.n_doms > 0: det.write(filename) def main(): from docopt import docopt args = docopt(__doc__, version=version) try: n = int(args['-n']) except TypeError: n = None if args['test']: run_tests() if args['update']: update_km3pipe(args['GIT_BRANCH']) if args['runtable']: runtable(args['DET_ID'], n, regex=args['-s'], temporary=args["--temporary"]) if args['runinfo']: runinfo(args['RUN'], args['DET_ID'], temporary=args["--temporary"]) if args['retrieve']: retrieve(args['RUN'], args['DET_ID']) if args['detx']: t0set = args['-t'] calibration = args['-c'] det_id = int(('-' if args['-m'] else '') + args['DET_ID']) detx(det_id, calibration, t0set)
2,553
0
115
5fc233a9c384203a775a4a15b2f31cc660ce4031
11,803
py
Python
parse_config.py
jdeuschel/DistrShiftsOnFacialData
577c89ca0f9a31be0031f90990f0efe7548550f7
[ "Apache-2.0" ]
null
null
null
parse_config.py
jdeuschel/DistrShiftsOnFacialData
577c89ca0f9a31be0031f90990f0efe7548550f7
[ "Apache-2.0" ]
null
null
null
parse_config.py
jdeuschel/DistrShiftsOnFacialData
577c89ca0f9a31be0031f90990f0efe7548550f7
[ "Apache-2.0" ]
null
null
null
import os import logging from pathlib import Path from functools import reduce, partial from operator import getitem from datetime import datetime # from logger import setup_logging from utils import read_yml, write_yml import collections import json # helper functions to update config dict with custom cli options def _set_by_path(tree, keys, value): """Set a value in a nested object in tree by sequence of keys.""" keys = keys.split(";") _get_by_path(tree, keys[:-1])[keys[-1]] = value def _get_by_path(tree, keys): """Access a nested object in tree by sequence of keys.""" return reduce(getitem, keys, tree)
45.222222
142
0.61908
import os import logging from pathlib import Path from functools import reduce, partial from operator import getitem from datetime import datetime # from logger import setup_logging from utils import read_yml, write_yml import collections import json class Singleton(type): _instances = {} def __call__(cls, *args, **kwargs): if cls not in cls._instances: cls._instances[cls] = super(Singleton, cls).__call__(*args, **kwargs) return cls._instances[cls] def str2bool(v): if v is None: return None if isinstance(v, bool): return v if v.lower() in ("yes", "true", "True", "t", "y", "1"): return True elif v.lower() in ("no", "false", "False", "f", "n", "0"): return False class ConfigParser(metaclass=Singleton): def __init__(self, config, resume=None, modification=None, run_id=None): """ class to parse configuration json file. Handles hyperparameters for training, initializations of modules, checkpoint saving and logging module. :param config: Dict containing configurations, hyperparameters for training. contents of `config.json` file for example. :param resume: String, path to the checkpoint being loaded. :param modification: Dict keychain:value, specifying position values to be replaced from config dict. :param run_id: Unique Identifier for training processes. Used to save checkpoints and training log. Timestamp is being used as default """ # load config file and apply modification self._config = _update_config(config, modification) self.resume = resume # set save_dir where trained model and log will be saved. save_dir = Path(self.config["trainer"]["save_dir"]) exper_name = self.config["name"] if run_id is None: # use timestamp as default run-id run_id = datetime.now().strftime(r"%m%d_%H%M%S") self._save_dir = save_dir / "models" / exper_name / run_id self._log_dir = save_dir / "log" / exper_name / run_id # make directory for saving checkpoints and log. exist_ok = run_id == "" self.save_dir.mkdir(parents=True, exist_ok=exist_ok) self.log_dir.mkdir(parents=True, exist_ok=exist_ok) # save updated config file to the checkpoint dir write_yml(self.config, self.save_dir / "config.yml") # configure logging module self.log_levels = {0: logging.WARNING, 1: logging.INFO, 2: logging.DEBUG} os.environ["MODE"] = "TRAINING" os.environ["MODEL_LOCATION"] = "saved/resnet_pretrained" # todo: change location where to store imagenet pretrained model if self.config["augmentation"]["mixup"]: self.config["loss"] = "mixup" # Prepare Environment variables for cluster if TF Jobs is used if "TF_CONFIG" in os.environ and "HOSTNAME" in os.environ: print("TF_CONFIG is used") tf_config = os.environ["TF_CONFIG"] tf_config_parsed = json.loads(tf_config) try: os.environ["MASTER_ADDR"] = tf_config_parsed["cluster"]["ps"][0].split(".")[0] except: print("MASTER_ADDR not found") os.environ["MASTER_PORT"] = "2225" # os.environ["LOCAL_RANK"] = "0" if "ps" in tf_config_parsed["cluster"] and tf_config_parsed["task"]["type"] == "worker": os.environ["NODE_RANK"] = str(tf_config_parsed["task"]["index"] + 1) # os.environ["LOCAL_RANK"] = "0" # str(tf_config_parsed["task"]["index"] + 1) # os.environ["RANK"] = str(tf_config_parsed["task"]["index"] + 1) else: os.environ["NODE_RANK"] = "0" # os.environ["LOCAL_RANK"] = "0" # os.environ["RANK"] = "0" try: if os.environ["RANK"]: os.environ["NODE_RANK"] = os.environ["RANK"] del os.environ["RANK"] del os.environ["WORLD_SIZE"] except: print("nothing found") # os.environ["MASTER_PORT"] = "2225" @classmethod def from_args(cls, args, options=""): """ Initialize this class from some cli arguments. Used in train, test. """ CustomArgs = collections.namedtuple("CustomArgs", "flags type target") options_standard = [ CustomArgs(["-lr", "--learning_rate"], type=float, target="optimizer;args;lr"), CustomArgs(["-bs", "--batch_size"], type=int, target="data_loader;args;batch_size"), CustomArgs(["-e", "--epochs"], type=int, target="trainer;epochs"), CustomArgs(["-loss", "--loss"], type=str, target="loss"), CustomArgs(["-i", "--model_info"], type=str, target="tags;model_info"), CustomArgs(["-type", "--run_type"], type=str, target="tags;run_type"), CustomArgs(["-m", "--model"], type=str, target="arch;type"), CustomArgs(["-opt", "--optimizer"], type=str, target="optimizer;type"), CustomArgs(["-data", "--data"], type=str, target="data_loader;type"), CustomArgs(["-saving", "--saving"], type=int, target="trainer;save_period"), CustomArgs(["-size", "--size"], type=int, target="input_size"), CustomArgs(["-n_gpu", "--n_gpu"], type=int, target="trainer;n_gpu"), CustomArgs(["-n_nodes", "--n_nodes"], type=int, target="trainer;n_nodes"), CustomArgs(["-auto_lr_find", "--auto_lr_find"], type=str2bool, target="trainer;auto_lr_find"), CustomArgs(["-fast_dev_run", "--fast_dev_run"], type=str2bool, target="trainer;fast_dev_run"), CustomArgs(["-threads", "--threads"], type=int, target="trainer;threads"), CustomArgs(["-ddp_backend", "--ddp_backend"], type=str, target="trainer;ddp_backend"), CustomArgs(["-profiler", "--profiler"], type=str2bool, target="trainer;profiler"), CustomArgs(["-deterministic", "--deterministic"], type=str2bool, target="trainer;deterministic"), CustomArgs(["-benchmark", "--benchmark"], type=str2bool, target="trainer;benchmark"), CustomArgs(["-precision", "--precision"], type=int, target="trainer;precision"), CustomArgs(["-log_gpu", "--log_gpu"], type=str2bool, target="trainer;log_gpu"), CustomArgs(["-resume", "--resume_from_checkpoint"], type=str2bool, target="trainer;resume_from_checkpoint",), CustomArgs(["-limit_train_batches", "--limit_train_batches"], type=float, target="trainer;limit_train_batches"), CustomArgs(["-limit_val_batches", "--limit_val_batches"], type=float, target="trainer;limit_val_batches"), CustomArgs(["-max_steps", "--max_steps"], type=int, target="trainer;max_steps"), CustomArgs(["-gradient_clip_val", "--gradient_clip_val"], type=float, target="trainer;gradient_clip_val"), CustomArgs(["-ddp_sharded", "--ddp_sharded"], type=str2bool, target="trainer;ddp_sharded"), CustomArgs(["-group", "--group"], type=str, target="group"), CustomArgs(["-sequential", "--sequential"], type=str2bool, target="method;sequential"), CustomArgs(["-experiment", "--experiment"], type=str, target="experiment"), CustomArgs(["-mixup", "--mixup"], type=str2bool, target="augmentation;mixup"), CustomArgs(["-mixupalpha", "--alpha"], type=float, target="augmentation;mixup_alpha"), CustomArgs(["-weight_decay", "--weight_decay"], type=float, target="optimizer;args;weight_decay"), ] options = options_standard + options for opt in options: args.add_argument(*opt.flags, default=None, type=opt.type) if not isinstance(args, tuple): args = args.parse_args() if args.device is not None: os.environ["CUDA_VISIBLE_DEVICES"] = args.device if args.resume is not None: resume = Path(args.resume) cfg_fname = resume.parent / "config.yml" else: msg_no_cfg = "Configuration file need to be specified. Add '-c config.yml', for example." assert args.config is not None, msg_no_cfg resume = None cfg_fname = Path(args.config) config = read_yml(cfg_fname) if args.config and resume: # update new config for fine-tuning config.update(read_yml(args.config)) # parse custom cli options into dictionary modification = {opt.target: getattr(args, _get_opt_name(opt.flags)) for opt in options} return cls(config, resume, modification) def init_obj(self, name, module, *args, **kwargs): """ Finds a function handle with the name given as 'type' in config, and returns the instance initialized with corresponding arguments given. `object = config.init_obj('name', module, a, b=1)` is equivalent to `object = module.name(a, b=1)` """ module_name = self[name]["type"] module_args = dict(self[name]["args"]) assert all([k not in module_args for k in kwargs]), "Overwriting kwargs given in config file is not allowed" module_args.update(kwargs) if name == "lr_scheduler" and module_name is None: return None return getattr(module, module_name)(*args, **module_args) def init_ftn(self, name, module, *args, **kwargs): """ Finds a function handle with the name given as 'type' in config, and returns the function with given arguments fixed with functools.partial. `function = config.init_ftn('name', module, a, b=1)` is equivalent to `function = lambda *args, **kwargs: module.name(a, *args, b=1, **kwargs)`. """ module_name = self[name]["type"] module_args = dict(self[name]["args"]) assert all([k not in module_args for k in kwargs]), "Overwriting kwargs given in config file is not allowed" module_args.update(kwargs) return partial(getattr(module, module_name), *args, **module_args) def __getitem__(self, name): """Access items like ordinary dict.""" return self.config[name] def get_logger(self, name, verbosity=2): msg_verbosity = "verbosity option {} is invalid. Valid options are {}.".format(verbosity, self.log_levels.keys()) assert verbosity in self.log_levels, msg_verbosity logger = logging.getLogger(name) logger.setLevel(self.log_levels[verbosity]) logger.handlers = [] formatter = logging.Formatter("%(message)s") consoleHandler = logging.StreamHandler() consoleHandler.setFormatter(formatter) return logger # setting read-only attributes @property def config(self): return self._config @property def save_dir(self): return self._save_dir @property def log_dir(self): return self._log_dir # helper functions to update config dict with custom cli options def _update_config(config, modification): if modification is None: return config for k, v in modification.items(): if v is not None: _set_by_path(config, k, v) return config def _get_opt_name(flags): for flg in flags: if flg.startswith("--"): return flg.replace("--", "") return flags[0].replace("--", "") def _set_by_path(tree, keys, value): """Set a value in a nested object in tree by sequence of keys.""" keys = keys.split(";") _get_by_path(tree, keys[:-1])[keys[-1]] = value def _get_by_path(tree, keys): """Access a nested object in tree by sequence of keys.""" return reduce(getitem, keys, tree)
1,314
9,733
114
e9fad6bdb4159e681b3eac8d471935bffe95ee70
20,457
py
Python
alf/utils/data_buffer.py
Haichao-Zhang/alf_randperm_reproduce
d5223b7534ab20ca725aac940ad274ef806d1d3e
[ "Apache-2.0" ]
null
null
null
alf/utils/data_buffer.py
Haichao-Zhang/alf_randperm_reproduce
d5223b7534ab20ca725aac940ad274ef806d1d3e
[ "Apache-2.0" ]
null
null
null
alf/utils/data_buffer.py
Haichao-Zhang/alf_randperm_reproduce
d5223b7534ab20ca725aac940ad274ef806d1d3e
[ "Apache-2.0" ]
null
null
null
# Copyright (c) 2019 Horizon Robotics. 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. """Classes for storing data for sampling.""" import functools import gin from multiprocessing import Event, RLock import time import torch import torch.nn as nn import alf from alf.nest import get_nest_batch_size from alf.tensor_specs import TensorSpec from alf.nest.utils import convert_device def atomic(func): """Make class member function atomic by checking ``class._lock``. Can only be applied on class methods, whose containing class must have ``_lock`` set to ``None`` or a ``multiprocessing.Lock`` object. Args: func (callable): the function to be wrapped. Returns: the wrapped function """ return atomic_deco(func) class RingBuffer(nn.Module): """Batched Ring Buffer. Multiprocessing safe, optionally via: ``allow_multiprocess`` flag, blocking modes to ``enqueue`` and ``dequeue``, a stop event to terminate blocked processes, and putting buffer into shared memory. This is the underlying implementation of ``ReplayBuffer`` and ``Queue``. Different from ``tf_agents.replay_buffers.tf_uniform_replay_buffer``, this buffer allows users to specify the environment id when adding batch. Thus, multiple actors can store experience in the same buffer. Once stop event is set, all blocking ``enqueue`` and ``dequeue`` calls that happen afterwards will be skipped, unless the operation already started. Terminology: we use ``pos`` as in ``_current_pos`` to refer to the always increasing position of an element in the infinitly long buffer, and ``idx`` as the actual index of the element in the underlying store (``_buffer``). That means ``idx == pos % _max_length`` is always true, and one should use ``_buffer[idx]`` to retrieve the stored data. """ def __init__(self, data_spec, num_environments, max_length=1024, device="cpu", allow_multiprocess=False, name="RingBuffer"): """ Args: data_spec (nested TensorSpec): spec describing a single item that can be stored in this buffer. num_environments (int): number of environments or total batch size. max_length (int): The maximum number of items that can be stored for a single environment. device (str): A torch device to place the Variables and ops. allow_multiprocess (bool): if ``True``, allows multiple processes to write and read the buffer asynchronously. name (str): name of the replay buffer. """ super().__init__() self._name = name self._max_length = max_length self._num_envs = num_environments self._device = device self._allow_multiprocess = allow_multiprocess # allows outside to stop enqueue and dequeue processes from waiting self._stop = Event() if allow_multiprocess: self._lock = RLock() # re-entrant lock # notify a finished dequeue event, so blocked enqueues may start self._dequeued = Event() self._dequeued.set() # notify a finished enqueue event, so blocked dequeues may start self._enqueued = Event() self._enqueued.clear() else: self._lock = None self._dequeued = None self._enqueued = None buffer_id = [0] with alf.device(self._device): self.register_buffer( "_current_size", torch.zeros(num_environments, dtype=torch.int64)) # Current *ending* positions of data in the buffer without modulo. # The next experience will be stored at this position after modulo. # These pos always increases. To get the index in the RingBuffer, # use ``circular()``, e.g. ``last_idx = self.circular(pos - 1)``. self.register_buffer( "_current_pos", torch.zeros( num_environments, dtype=torch.int64)) self._buffer = alf.nest.map_structure(_create_buffer, data_spec) self._flattened_buffer = alf.nest.map_structure( lambda x: x.view(-1, *x.shape[2:]), self._buffer) if allow_multiprocess: self.share_memory() @property def device(self): """The device where the data is stored in.""" return self._device def circular(self, pos): """Mod pos by _max_length to get the actual index in the _buffer.""" return pos % self._max_length def has_space(self, env_ids): """Check free space for one batch of data for env_ids. Args: env_ids (Tensor): Assumed not ``None``, properly checked by ``check_convert_env_ids()``. Returns: bool """ current_size = self._current_size[env_ids] max_size = current_size.max() return max_size < self._max_length def enqueue(self, batch, env_ids=None, blocking=False): """Add a batch of items to the buffer. Note, when ``blocking == False``, it always succeeds, overwriting oldest data if there is no free slot. Args: batch (Tensor): of shape ``[batch_size] + tensor_spec.shape`` env_ids (Tensor): If ``None``, ``batch_size`` must be ``num_environments``. If not ``None``, its shape should be ``[batch_size]``. We assume there are no duplicate ids in ``env_id``. ``batch[i]`` is generated by environment ``env_ids[i]``. blocking (bool): If ``True``, blocks if there is no free slot to add data. If ``False``, enqueue can overwrite oldest data. Returns: True on success, False only in blocking mode when queue is stopped. """ if blocking: assert self._allow_multiprocess, ( "Set allow_multiprocess to enable blocking mode.") env_ids = self.check_convert_env_ids(env_ids) while not self._stop.is_set(): with self._lock: if self.has_space(env_ids): self._enqueue(batch, env_ids) return True # The wait here is outside the lock, so multiple dequeue and # enqueue could theoretically happen before the wait. The # wait only acts as a more responsive sleep, and the return # value is not used. We anyways need to check has_space after # the wait timed out. self._dequeued.wait(timeout=0.2) return False else: self._enqueue(batch, env_ids) return True @atomic def _enqueue(self, batch, env_ids=None): """Add a batch of items to the buffer (atomic). Args: batch (Tensor): shape should be ``[batch_size] + tensor_spec.shape``. env_ids (Tensor): If ``None``, ``batch_size`` must be ``num_environments``. If not ``None``, its shape should be ``[batch_size]``. We assume there are no duplicate ids in ``env_id``. ``batch[i]`` is generated by environment ``env_ids[i]``. """ batch_size = alf.nest.get_nest_batch_size(batch) with alf.device(self._device): batch = convert_device(batch) env_ids = self.check_convert_env_ids(env_ids) assert batch_size == env_ids.shape[0], ( "batch and env_ids do not have same length %s vs. %s" % (batch_size, env_ids.shape[0])) # Make sure that there is no duplicate in `env_id` # torch.unique(env_ids, return_counts=True)[1] is the counts for each unique item assert torch.unique( env_ids, return_counts=True)[1].max() == 1, ( "There are duplicated ids in env_ids %s" % env_ids) current_pos = self._current_pos[env_ids] indices = env_ids * self._max_length + self.circular(current_pos) alf.nest.map_structure( lambda buf, bat: buf.__setitem__(indices, bat.detach()), self._flattened_buffer, batch) self._current_pos[env_ids] = current_pos + 1 current_size = self._current_size[env_ids] self._current_size[env_ids] = torch.clamp( current_size + 1, max=self._max_length) # set flags if they exist to unblock potential consumers if self._enqueued: self._enqueued.set() self._dequeued.clear() def has_data(self, env_ids, n=1): """Check ``n`` steps of data available for ``env_ids``. Args: env_ids (Tensor): Assumed not ``None``, properly checked by ``check_convert_env_ids()``. n (int): Number of time steps to check. Returns: bool """ current_size = self._current_size[env_ids] min_size = current_size.min() return min_size >= n def dequeue(self, env_ids=None, n=1, blocking=False): """Return earliest ``n`` steps and mark them removed in the buffer. Args: env_ids (Tensor): If None, ``batch_size`` must be num_environments. If not None, dequeue from these environments. We assume there is no duplicate ids in ``env_id``. ``result[i]`` will be from environment ``env_ids[i]``. n (int): Number of steps to dequeue. blocking (bool): If ``True``, blocks if there is not enough data to dequeue. Returns: nested Tensors or None when blocking dequeue gets terminated by stop event. The shape of the Tensors is ``[batch_size, n, ...]``. Raises: AssertionError: when not enough data is present, in non-blocking mode. """ assert n <= self._max_length if blocking: assert self._allow_multiprocess, [ "Set allow_multiprocess", "to enable blocking mode." ] env_ids = self.check_convert_env_ids(env_ids) while not self._stop.is_set(): with self._lock: if self.has_data(env_ids, n): return self._dequeue(env_ids=env_ids, n=n) # The wait here is outside the lock, so multiple dequeue and # enqueue could theoretically happen before the wait. The # wait only acts as a more responsive sleep, and the return # value is not used. We anyways need to check has_data after # the wait timed out. self._enqueued.wait(timeout=0.2) return None else: return self._dequeue(env_ids=env_ids, n=n) @atomic def _dequeue(self, env_ids=None, n=1): """Return earliest ``n`` steps and mark them removed in the buffer. Args: env_ids (Tensor): If None, ``batch_size`` must be num_environments. If not None, dequeue from these environments. We assume there is no duplicate ids in ``env_id``. ``result[i]`` will be from environment env_ids[i]. n (int): Number of steps to dequeue. Returns: nested Tensors of shape ``[batch_size, n, ...]``. Raises: AssertionError: when not enough data is present. """ with alf.device(self._device): env_ids = self.check_convert_env_ids(env_ids) current_size = self._current_size[env_ids] min_size = current_size.min() assert min_size >= n, ( "Not all environments have enough data. The smallest data " "size is: %s Try storing more data before calling dequeue" % min_size) batch_size = env_ids.shape[0] pos = self._current_pos[env_ids] - current_size # mod done later b_indices = env_ids.reshape(batch_size, 1).expand(-1, n) t_range = torch.arange(n).reshape(1, -1) t_indices = self.circular(pos.reshape(batch_size, 1) + t_range) result = alf.nest.map_structure( lambda b: b[(b_indices, t_indices)], self._buffer) self._current_size[env_ids] = current_size - n # set flags if they exist to unblock potential consumers if self._dequeued: self._dequeued.set() self._enqueued.clear() return convert_device(result) @atomic def remove_up_to(self, n, env_ids=None): """Mark as removed earliest up to ``n`` steps. Args: n (int): max number of steps to mark removed from buffer. """ with alf.device(self._device): env_ids = self.check_convert_env_ids(env_ids) n = torch.min( torch.as_tensor([n] * self._num_envs), self._current_size) self._current_size[env_ids] = self._current_size[env_ids] - n @atomic def clear(self, env_ids=None): """Clear the buffer. Args: env_ids (Tensor): optional list of environment ids to clear """ with alf.device(self._device): env_ids = self.check_convert_env_ids(env_ids) self._current_size.scatter_(0, env_ids, 0) self._current_pos.scatter_(0, env_ids, 0) if self._dequeued: self._dequeued.set() self._enqueued.clear() def stop(self): """Stop waiting processes from being blocked. Only checked in blocking mode of dequeue and enqueue. All blocking enqueue and dequeue calls that happen afterwards will be skipped (return ``None`` for dequeue or ``False`` for enqueue), unless the operation already started. """ self._stop.set() def revive(self): """Clears the stop Event so blocking mode will start working again. Only checked in blocking mode of dequeue and enqueue. """ self._stop.clear() @property def get_earliest_position(self, env_ids): """The earliest position that is still in the replay buffer. Args: env_ids (Tensor): int64 Tensor of environment ids Returns: Tensor with the same shape as ``env_ids``, whose each entry is the earliest position that is still in the replay buffer for corresponding environment. """ return self._current_pos[env_ids] - self._current_size[env_ids] class DataBuffer(RingBuffer): """A simple circular buffer supporting random sampling. This buffer doesn't preserve temporality as data from multiple environments will be arbitrarily stored. Not multiprocessing safe. """ def __init__(self, data_spec: TensorSpec, capacity, device='cpu', name="DataBuffer"): """ Args: data_spec (nested TensorSpec): spec for the data item (without batch dimension) to be stored. capacity (int): capacity of the buffer. device (str): which device to store the data name (str): name of the buffer """ super().__init__( data_spec=data_spec, num_environments=1, max_length=capacity, device=device, allow_multiprocess=False, name=name) self._capacity = torch.as_tensor( self._max_length, dtype=torch.int64, device=device) self._derived_buffer = alf.nest.map_structure(lambda buf: buf[0], self._buffer) def add_batch(self, batch): r"""Add a batch of items to the buffer. Add batch_size items along the length of the underlying RingBuffer, whereas RingBuffer.enqueue only adds data of length 1. Truncates the data if ``batch_size > capacity``. Args: batch (Tensor): of shape ``[batch_size] + tensor_spec.shape`` """ batch_size = alf.nest.get_nest_batch_size(batch) with alf.device(self._device): batch = convert_device(batch) n = torch.clamp(self._capacity, max=batch_size) current_pos = self.current_pos current_size = self.current_size indices = self.circular(torch.arange(current_pos, current_pos + n)) alf.nest.map_structure( lambda buf, bat: buf.__setitem__(indices, bat[-n:].detach()), self._derived_buffer, batch) current_pos.copy_(current_pos + n) current_size.copy_(torch.min(current_size + n, self._capacity)) def get_batch(self, batch_size): r"""Get batsh_size random samples in the buffer. Args: batch_size (int): batch size Returns: Tensor of shape ``[batch_size] + tensor_spec.shape`` """ with alf.device(self._device): indices = torch.randint( low=0, high=self.current_size, size=(batch_size, ), dtype=torch.int64) result = self.get_batch_by_indices(indices) return convert_device(result) def get_batch_by_indices(self, indices): r"""Get the samples by indices index=0 corresponds to the earliest added sample in the DataBuffer. Args: indices (Tensor): indices of the samples Returns: Tensor: Tensor of shape ``[batch_size] + tensor_spec.shape``, where ``batch_size`` is ``indices.shape[0]`` """ with alf.device(self._device): indices = convert_device(indices) indices = self.circular(indices + self.current_pos - self.current_size) result = alf.nest.map_structure(lambda buf: buf[indices], self._derived_buffer) return convert_device(result) @property @property
39.114723
93
0.588698
# Copyright (c) 2019 Horizon Robotics. 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. """Classes for storing data for sampling.""" import functools import gin from multiprocessing import Event, RLock import time import torch import torch.nn as nn import alf from alf.nest import get_nest_batch_size from alf.tensor_specs import TensorSpec from alf.nest.utils import convert_device def atomic(func): """Make class member function atomic by checking ``class._lock``. Can only be applied on class methods, whose containing class must have ``_lock`` set to ``None`` or a ``multiprocessing.Lock`` object. Args: func (callable): the function to be wrapped. Returns: the wrapped function """ def atomic_deco(func): @functools.wraps(func) def atomic_wrapper(self, *args, **kwargs): lock = getattr(self, '_lock') if lock: with lock: return func(self, *args, **kwargs) else: return func(self, *args, **kwargs) return atomic_wrapper return atomic_deco(func) class RingBuffer(nn.Module): """Batched Ring Buffer. Multiprocessing safe, optionally via: ``allow_multiprocess`` flag, blocking modes to ``enqueue`` and ``dequeue``, a stop event to terminate blocked processes, and putting buffer into shared memory. This is the underlying implementation of ``ReplayBuffer`` and ``Queue``. Different from ``tf_agents.replay_buffers.tf_uniform_replay_buffer``, this buffer allows users to specify the environment id when adding batch. Thus, multiple actors can store experience in the same buffer. Once stop event is set, all blocking ``enqueue`` and ``dequeue`` calls that happen afterwards will be skipped, unless the operation already started. Terminology: we use ``pos`` as in ``_current_pos`` to refer to the always increasing position of an element in the infinitly long buffer, and ``idx`` as the actual index of the element in the underlying store (``_buffer``). That means ``idx == pos % _max_length`` is always true, and one should use ``_buffer[idx]`` to retrieve the stored data. """ def __init__(self, data_spec, num_environments, max_length=1024, device="cpu", allow_multiprocess=False, name="RingBuffer"): """ Args: data_spec (nested TensorSpec): spec describing a single item that can be stored in this buffer. num_environments (int): number of environments or total batch size. max_length (int): The maximum number of items that can be stored for a single environment. device (str): A torch device to place the Variables and ops. allow_multiprocess (bool): if ``True``, allows multiple processes to write and read the buffer asynchronously. name (str): name of the replay buffer. """ super().__init__() self._name = name self._max_length = max_length self._num_envs = num_environments self._device = device self._allow_multiprocess = allow_multiprocess # allows outside to stop enqueue and dequeue processes from waiting self._stop = Event() if allow_multiprocess: self._lock = RLock() # re-entrant lock # notify a finished dequeue event, so blocked enqueues may start self._dequeued = Event() self._dequeued.set() # notify a finished enqueue event, so blocked dequeues may start self._enqueued = Event() self._enqueued.clear() else: self._lock = None self._dequeued = None self._enqueued = None buffer_id = [0] def _create_buffer(tensor_spec): buf = tensor_spec.zeros((num_environments, max_length)) self.register_buffer("_buffer%s" % buffer_id[0], buf) buffer_id[0] += 1 return buf with alf.device(self._device): self.register_buffer( "_current_size", torch.zeros(num_environments, dtype=torch.int64)) # Current *ending* positions of data in the buffer without modulo. # The next experience will be stored at this position after modulo. # These pos always increases. To get the index in the RingBuffer, # use ``circular()``, e.g. ``last_idx = self.circular(pos - 1)``. self.register_buffer( "_current_pos", torch.zeros( num_environments, dtype=torch.int64)) self._buffer = alf.nest.map_structure(_create_buffer, data_spec) self._flattened_buffer = alf.nest.map_structure( lambda x: x.view(-1, *x.shape[2:]), self._buffer) if allow_multiprocess: self.share_memory() @property def device(self): """The device where the data is stored in.""" return self._device def circular(self, pos): """Mod pos by _max_length to get the actual index in the _buffer.""" return pos % self._max_length def check_convert_env_ids(self, env_ids): with alf.device(self._device): if env_ids is None: env_ids = torch.arange(self._num_envs) else: env_ids = env_ids.to(torch.int64) env_ids = convert_device(env_ids) assert len(env_ids. shape) == 1, "env_ids {}, should be a 1D tensor".format( env_ids.shape) return env_ids def has_space(self, env_ids): """Check free space for one batch of data for env_ids. Args: env_ids (Tensor): Assumed not ``None``, properly checked by ``check_convert_env_ids()``. Returns: bool """ current_size = self._current_size[env_ids] max_size = current_size.max() return max_size < self._max_length def enqueue(self, batch, env_ids=None, blocking=False): """Add a batch of items to the buffer. Note, when ``blocking == False``, it always succeeds, overwriting oldest data if there is no free slot. Args: batch (Tensor): of shape ``[batch_size] + tensor_spec.shape`` env_ids (Tensor): If ``None``, ``batch_size`` must be ``num_environments``. If not ``None``, its shape should be ``[batch_size]``. We assume there are no duplicate ids in ``env_id``. ``batch[i]`` is generated by environment ``env_ids[i]``. blocking (bool): If ``True``, blocks if there is no free slot to add data. If ``False``, enqueue can overwrite oldest data. Returns: True on success, False only in blocking mode when queue is stopped. """ if blocking: assert self._allow_multiprocess, ( "Set allow_multiprocess to enable blocking mode.") env_ids = self.check_convert_env_ids(env_ids) while not self._stop.is_set(): with self._lock: if self.has_space(env_ids): self._enqueue(batch, env_ids) return True # The wait here is outside the lock, so multiple dequeue and # enqueue could theoretically happen before the wait. The # wait only acts as a more responsive sleep, and the return # value is not used. We anyways need to check has_space after # the wait timed out. self._dequeued.wait(timeout=0.2) return False else: self._enqueue(batch, env_ids) return True @atomic def _enqueue(self, batch, env_ids=None): """Add a batch of items to the buffer (atomic). Args: batch (Tensor): shape should be ``[batch_size] + tensor_spec.shape``. env_ids (Tensor): If ``None``, ``batch_size`` must be ``num_environments``. If not ``None``, its shape should be ``[batch_size]``. We assume there are no duplicate ids in ``env_id``. ``batch[i]`` is generated by environment ``env_ids[i]``. """ batch_size = alf.nest.get_nest_batch_size(batch) with alf.device(self._device): batch = convert_device(batch) env_ids = self.check_convert_env_ids(env_ids) assert batch_size == env_ids.shape[0], ( "batch and env_ids do not have same length %s vs. %s" % (batch_size, env_ids.shape[0])) # Make sure that there is no duplicate in `env_id` # torch.unique(env_ids, return_counts=True)[1] is the counts for each unique item assert torch.unique( env_ids, return_counts=True)[1].max() == 1, ( "There are duplicated ids in env_ids %s" % env_ids) current_pos = self._current_pos[env_ids] indices = env_ids * self._max_length + self.circular(current_pos) alf.nest.map_structure( lambda buf, bat: buf.__setitem__(indices, bat.detach()), self._flattened_buffer, batch) self._current_pos[env_ids] = current_pos + 1 current_size = self._current_size[env_ids] self._current_size[env_ids] = torch.clamp( current_size + 1, max=self._max_length) # set flags if they exist to unblock potential consumers if self._enqueued: self._enqueued.set() self._dequeued.clear() def has_data(self, env_ids, n=1): """Check ``n`` steps of data available for ``env_ids``. Args: env_ids (Tensor): Assumed not ``None``, properly checked by ``check_convert_env_ids()``. n (int): Number of time steps to check. Returns: bool """ current_size = self._current_size[env_ids] min_size = current_size.min() return min_size >= n def dequeue(self, env_ids=None, n=1, blocking=False): """Return earliest ``n`` steps and mark them removed in the buffer. Args: env_ids (Tensor): If None, ``batch_size`` must be num_environments. If not None, dequeue from these environments. We assume there is no duplicate ids in ``env_id``. ``result[i]`` will be from environment ``env_ids[i]``. n (int): Number of steps to dequeue. blocking (bool): If ``True``, blocks if there is not enough data to dequeue. Returns: nested Tensors or None when blocking dequeue gets terminated by stop event. The shape of the Tensors is ``[batch_size, n, ...]``. Raises: AssertionError: when not enough data is present, in non-blocking mode. """ assert n <= self._max_length if blocking: assert self._allow_multiprocess, [ "Set allow_multiprocess", "to enable blocking mode." ] env_ids = self.check_convert_env_ids(env_ids) while not self._stop.is_set(): with self._lock: if self.has_data(env_ids, n): return self._dequeue(env_ids=env_ids, n=n) # The wait here is outside the lock, so multiple dequeue and # enqueue could theoretically happen before the wait. The # wait only acts as a more responsive sleep, and the return # value is not used. We anyways need to check has_data after # the wait timed out. self._enqueued.wait(timeout=0.2) return None else: return self._dequeue(env_ids=env_ids, n=n) @atomic def _dequeue(self, env_ids=None, n=1): """Return earliest ``n`` steps and mark them removed in the buffer. Args: env_ids (Tensor): If None, ``batch_size`` must be num_environments. If not None, dequeue from these environments. We assume there is no duplicate ids in ``env_id``. ``result[i]`` will be from environment env_ids[i]. n (int): Number of steps to dequeue. Returns: nested Tensors of shape ``[batch_size, n, ...]``. Raises: AssertionError: when not enough data is present. """ with alf.device(self._device): env_ids = self.check_convert_env_ids(env_ids) current_size = self._current_size[env_ids] min_size = current_size.min() assert min_size >= n, ( "Not all environments have enough data. The smallest data " "size is: %s Try storing more data before calling dequeue" % min_size) batch_size = env_ids.shape[0] pos = self._current_pos[env_ids] - current_size # mod done later b_indices = env_ids.reshape(batch_size, 1).expand(-1, n) t_range = torch.arange(n).reshape(1, -1) t_indices = self.circular(pos.reshape(batch_size, 1) + t_range) result = alf.nest.map_structure( lambda b: b[(b_indices, t_indices)], self._buffer) self._current_size[env_ids] = current_size - n # set flags if they exist to unblock potential consumers if self._dequeued: self._dequeued.set() self._enqueued.clear() return convert_device(result) @atomic def remove_up_to(self, n, env_ids=None): """Mark as removed earliest up to ``n`` steps. Args: n (int): max number of steps to mark removed from buffer. """ with alf.device(self._device): env_ids = self.check_convert_env_ids(env_ids) n = torch.min( torch.as_tensor([n] * self._num_envs), self._current_size) self._current_size[env_ids] = self._current_size[env_ids] - n @atomic def clear(self, env_ids=None): """Clear the buffer. Args: env_ids (Tensor): optional list of environment ids to clear """ with alf.device(self._device): env_ids = self.check_convert_env_ids(env_ids) self._current_size.scatter_(0, env_ids, 0) self._current_pos.scatter_(0, env_ids, 0) if self._dequeued: self._dequeued.set() self._enqueued.clear() def stop(self): """Stop waiting processes from being blocked. Only checked in blocking mode of dequeue and enqueue. All blocking enqueue and dequeue calls that happen afterwards will be skipped (return ``None`` for dequeue or ``False`` for enqueue), unless the operation already started. """ self._stop.set() def revive(self): """Clears the stop Event so blocking mode will start working again. Only checked in blocking mode of dequeue and enqueue. """ self._stop.clear() @property def num_environments(self): return self._num_envs def get_earliest_position(self, env_ids): """The earliest position that is still in the replay buffer. Args: env_ids (Tensor): int64 Tensor of environment ids Returns: Tensor with the same shape as ``env_ids``, whose each entry is the earliest position that is still in the replay buffer for corresponding environment. """ return self._current_pos[env_ids] - self._current_size[env_ids] class DataBuffer(RingBuffer): """A simple circular buffer supporting random sampling. This buffer doesn't preserve temporality as data from multiple environments will be arbitrarily stored. Not multiprocessing safe. """ def __init__(self, data_spec: TensorSpec, capacity, device='cpu', name="DataBuffer"): """ Args: data_spec (nested TensorSpec): spec for the data item (without batch dimension) to be stored. capacity (int): capacity of the buffer. device (str): which device to store the data name (str): name of the buffer """ super().__init__( data_spec=data_spec, num_environments=1, max_length=capacity, device=device, allow_multiprocess=False, name=name) self._capacity = torch.as_tensor( self._max_length, dtype=torch.int64, device=device) self._derived_buffer = alf.nest.map_structure(lambda buf: buf[0], self._buffer) def add_batch(self, batch): r"""Add a batch of items to the buffer. Add batch_size items along the length of the underlying RingBuffer, whereas RingBuffer.enqueue only adds data of length 1. Truncates the data if ``batch_size > capacity``. Args: batch (Tensor): of shape ``[batch_size] + tensor_spec.shape`` """ batch_size = alf.nest.get_nest_batch_size(batch) with alf.device(self._device): batch = convert_device(batch) n = torch.clamp(self._capacity, max=batch_size) current_pos = self.current_pos current_size = self.current_size indices = self.circular(torch.arange(current_pos, current_pos + n)) alf.nest.map_structure( lambda buf, bat: buf.__setitem__(indices, bat[-n:].detach()), self._derived_buffer, batch) current_pos.copy_(current_pos + n) current_size.copy_(torch.min(current_size + n, self._capacity)) def get_batch(self, batch_size): r"""Get batsh_size random samples in the buffer. Args: batch_size (int): batch size Returns: Tensor of shape ``[batch_size] + tensor_spec.shape`` """ with alf.device(self._device): indices = torch.randint( low=0, high=self.current_size, size=(batch_size, ), dtype=torch.int64) result = self.get_batch_by_indices(indices) return convert_device(result) def get_batch_by_indices(self, indices): r"""Get the samples by indices index=0 corresponds to the earliest added sample in the DataBuffer. Args: indices (Tensor): indices of the samples Returns: Tensor: Tensor of shape ``[batch_size] + tensor_spec.shape``, where ``batch_size`` is ``indices.shape[0]`` """ with alf.device(self._device): indices = convert_device(indices) indices = self.circular(indices + self.current_pos - self.current_size) result = alf.nest.map_structure(lambda buf: buf[indices], self._derived_buffer) return convert_device(result) def is_full(self): return (self.current_size == self._capacity).cpu().numpy() @property def current_size(self): return self._current_size[0] @property def current_pos(self): return self._current_pos[0] def get_all(self): return convert_device( alf.nest.map_structure(lambda buf: buf, self._derived_buffer))
1,246
0
217
7e08175ea5c98010a48c0c4126af4cb1ccc72874
852
py
Python
bytenet/utils.py
tindzk/bsnlp
5b3e7ca746506e426b399490f9da6a31aee83f9e
[ "MIT" ]
1
2017-03-31T08:50:30.000Z
2017-03-31T08:50:30.000Z
bytenet/utils.py
tindzk/bsnlp
5b3e7ca746506e426b399490f9da6a31aee83f9e
[ "MIT" ]
null
null
null
bytenet/utils.py
tindzk/bsnlp
5b3e7ca746506e426b399490f9da6a31aee83f9e
[ "MIT" ]
null
null
null
import json import codecs import itertools import numpy as np # If length -1, no validation data
28.4
71
0.639671
import json import codecs import itertools import numpy as np # If length -1, no validation data def loadDataSet(file, length = -1): with codecs.open(file, encoding = 'utf-8') as f: arr = json.load(f) if length == -1: return arr, [] else: assert(length * 2 <= len(arr)) return arr[0:length], arr[-length:] def text_from_string(text): return [ord(c) for c in text] def _load_generator_data(text, sample_size): mod_size = len(text) - len(text) % sample_size return text[0:mod_size] def load_generator_data(texts, sample_size): return np.array( # Shorten each text to a multiple of sample_size list(itertools.chain.from_iterable( [_load_generator_data(text, sample_size) for text in texts] )), dtype='int32' ).reshape(-1, sample_size)
663
0
91
d5e00b75ff7eee48d6500ffb6e36796e8a82f344
8,836
py
Python
sciencebeam_gym/tools/calculate_class_weights.py
elifesciences/sciencebeam-gym
3ad654e08775e0c0cdd256753e14093bb5a42d44
[ "MIT" ]
25
2017-07-25T12:44:55.000Z
2020-09-30T22:16:50.000Z
sciencebeam_gym/tools/calculate_class_weights.py
elifesciences/sciencebeam-gym
3ad654e08775e0c0cdd256753e14093bb5a42d44
[ "MIT" ]
192
2017-11-29T08:57:03.000Z
2022-03-29T18:44:41.000Z
sciencebeam_gym/tools/calculate_class_weights.py
elifesciences/sciencebeam-gym
3ad654e08775e0c0cdd256753e14093bb5a42d44
[ "MIT" ]
6
2019-02-01T18:49:33.000Z
2020-07-26T08:18:46.000Z
from __future__ import division from __future__ import print_function import argparse import logging import json import numpy as np import tensorflow as tf from tensorflow.python.lib.io import file_io # pylint: disable=E0611 from tqdm import tqdm from sciencebeam_gym.preprocess.color_map import ( parse_color_map_from_file ) from sciencebeam_gym.utils.tfrecord import ( iter_read_tfrecord_file_as_dict_list ) from sciencebeam_gym.model_utils.channels import ( color_equals_mask_as_float, calculate_color_masks ) def calculate_median_class_weight(class_frequencies): """ Perform median frequency balancing on the image files, given by the formula: f = Median_freq_c / total_freq_c where median_freq_c is the median frequency of the class for all pixels of C that appeared in images and total_freq_c is the total number of pixels of c in the total pixels of the images where c appeared. """ non_zero_frequencies = [f for f in class_frequencies if f != 0.0] if not non_zero_frequencies: return 0.0 get_logger().debug('non_zero_frequencies: %s', non_zero_frequencies) total_freq_c = sum(non_zero_frequencies) get_logger().debug('total_freq_c: %s', total_freq_c) median_freq_c = np.median(non_zero_frequencies) get_logger().debug('median_freq_c: %s', median_freq_c) return median_freq_c / total_freq_c if __name__ == '__main__': logging.basicConfig(level='INFO') main()
31.44484
99
0.69081
from __future__ import division from __future__ import print_function import argparse import logging import json import numpy as np import tensorflow as tf from tensorflow.python.lib.io import file_io # pylint: disable=E0611 from tqdm import tqdm from sciencebeam_gym.preprocess.color_map import ( parse_color_map_from_file ) from sciencebeam_gym.utils.tfrecord import ( iter_read_tfrecord_file_as_dict_list ) from sciencebeam_gym.model_utils.channels import ( color_equals_mask_as_float, calculate_color_masks ) def get_logger(): return logging.getLogger(__name__) def color_frequency(image, color): return tf.reduce_sum(color_equals_mask_as_float(image, color)) def get_shape(x): try: return x.shape except AttributeError: return tf.constant(x).shape def calculate_sample_frequencies(image, colors, use_unknown_class=False): color_masks = calculate_color_masks(image, colors, use_unknown_class) return [ tf.reduce_sum(color_mask) for color_mask in color_masks ] def iter_calculate_sample_frequencies( images, colors, image_shape=None, image_format=None, use_unknown_class=False): with tf.Graph().as_default(): if image_format == 'png': image_tensor = tf.placeholder(tf.string, shape=[], name='image') decoded_image_tensor = tf.image.decode_png(image_tensor, channels=3) else: if image_shape is None: image_shape = (None, None, 3) image_tensor = tf.placeholder(tf.uint8, shape=image_shape, name='image') decoded_image_tensor = image_tensor get_logger().debug('decoded_image_tensor: %s', decoded_image_tensor) frequency_tensors = calculate_sample_frequencies( decoded_image_tensor, colors, use_unknown_class=use_unknown_class ) with tf.Session() as session: for image in images: frequencies = session.run(frequency_tensors, { image_tensor: image }) get_logger().debug('frequencies: %s', frequencies) yield frequencies def tf_calculate_efnet_weights_for_frequency_by_label( frequency_by_label, return_zero_for_zero_frequency=True): total_frequency = tf.reduce_sum(frequency_by_label) class_weights = 1.0 / tf.log(1.02 + frequency_by_label / total_frequency) return ( class_weights * tf.cast(tf.minimum(frequency_by_label, 1), class_weights.dtype) if return_zero_for_zero_frequency else class_weights ) def calculate_efnet_weights_for_frequency_by_label(frequency_by_label): total_frequency = sum(frequency_by_label) return [ 1 / np.log(1.02 + (frequency / total_frequency)) if frequency > 0 else 0.0 for frequency in frequency_by_label ] def sum_frequencies_by_label(frequencies_by_label): return [sum(x) for x in frequencies_by_label] def calculate_efnet_weights_for_frequencies_by_label(frequencies_by_label): return calculate_efnet_weights_for_frequency_by_label( sum_frequencies_by_label(frequencies_by_label) ) def calculate_median_class_weight(class_frequencies): """ Perform median frequency balancing on the image files, given by the formula: f = Median_freq_c / total_freq_c where median_freq_c is the median frequency of the class for all pixels of C that appeared in images and total_freq_c is the total number of pixels of c in the total pixels of the images where c appeared. """ non_zero_frequencies = [f for f in class_frequencies if f != 0.0] if not non_zero_frequencies: return 0.0 get_logger().debug('non_zero_frequencies: %s', non_zero_frequencies) total_freq_c = sum(non_zero_frequencies) get_logger().debug('total_freq_c: %s', total_freq_c) median_freq_c = np.median(non_zero_frequencies) get_logger().debug('median_freq_c: %s', median_freq_c) return median_freq_c / total_freq_c def calculate_median_weights_for_frequencies(frequencies): median_frequencies_balanced = [ calculate_median_class_weight(f) for f in frequencies ] total = sum(median_frequencies_balanced) return [ f / total for f in median_frequencies_balanced ] def parse_color_map(color_map_filename): with file_io.FileIO(color_map_filename, 'r') as config_f: return parse_color_map_from_file( config_f ) def transpose(m): return zip(*m) def iter_images_for_tfrecord_paths(tfrecord_paths, image_key, progress=False): for tfrecord_path in tfrecord_paths: get_logger().info('tfrecord_path: %s', tfrecord_path) filenames = file_io.get_matching_files(tfrecord_path) with tqdm(list(filenames), leave=False, disable=not progress) as pbar: for tfrecord_filename in pbar: pbar.set_description('%-40s' % tfrecord_filename) get_logger().debug('tfrecord_filename: %s', tfrecord_filename) for d in iter_read_tfrecord_file_as_dict_list(tfrecord_filename, keys={image_key}): yield d[image_key] def calculate_median_class_weights_for_tfrecord_paths_and_colors( tfrecord_paths, image_key, colors, use_unknown_class=False, progress=False): get_logger().debug('colors: %s', colors) get_logger().info('loading tfrecords: %s', tfrecord_paths) images = iter_images_for_tfrecord_paths(tfrecord_paths, image_key, progress=progress) if progress: images = list(images) images = tqdm(images, 'analysing images', leave=False) frequency_list = list(iter_calculate_sample_frequencies( images, colors, image_format='png', use_unknown_class=use_unknown_class )) get_logger().debug('frequency_list: %s', frequency_list) frequencies = transpose(frequency_list) get_logger().debug('frequencies: %s', frequencies) class_weights = calculate_median_weights_for_frequencies(frequencies) return class_weights def calculate_median_class_weights_for_tfrecord_paths_and_color_map( tfrecord_paths, image_key, color_map, channels=None, use_unknown_class=False, unknown_class_label='unknown', progress=False): if not channels: channels = sorted(color_map.keys()) colors = [color_map[k] for k in channels] class_weights = calculate_median_class_weights_for_tfrecord_paths_and_colors( tfrecord_paths, image_key, colors, progress=progress, use_unknown_class=use_unknown_class ) if use_unknown_class: channels += [unknown_class_label] return dict(zip(channels, class_weights)) def str_to_bool(s): return s.lower() in ('yes', 'true', '1') def str_to_list(s): s = s.strip() if not s: return [] return [x.strip() for x in s.split(',')] def get_args_parser(): parser = argparse.ArgumentParser() parser.add_argument( '--tfrecord-paths', required=True, type=str, action='append', help='The paths to the tf-records files to analyse.' ) parser.add_argument( '--image-key', required=False, type=str, help='The name of the image key to do the class weights on.' ) parser.add_argument( '--color-map', required=True, type=str, help='The color-map filename.' ) parser.add_argument( '--channels', type=str_to_list, help='The channels to use (subset of color map), otherwise all of the labels will be used' ) parser.add_argument( '--use-unknown-class', type=str_to_bool, default=True, help='Use unknown class channel' ) parser.add_argument( '--out', required=False, type=str, help='The filename the output file (json), otherwise the output will be written to stdout.' ) return parser def parse_args(argv=None): parser = get_args_parser() parsed_args = parser.parse_args(argv) return parsed_args def main(argv=None): args = parse_args(argv) color_map = parse_color_map(args.color_map) class_weights_map = calculate_median_class_weights_for_tfrecord_paths_and_color_map( args.tfrecord_paths, args.image_key, color_map, channels=args.channels, use_unknown_class=args.use_unknown_class, progress=True ) get_logger().info('class_weights: %s', class_weights_map) json_str = json.dumps(class_weights_map, indent=2) if args.out: with file_io.FileIO(args.out, 'wb') as out_f: out_f.write(json_str) else: print(json_str) if __name__ == '__main__': logging.basicConfig(level='INFO') main()
6,873
0
460
02261c29290fe4010d7d7e887e89a38b7ba6e5d7
7,129
py
Python
hring/src/Script/eval_test.py
anderson1008/Noculator
411964ce333c3bd587840554efef6e61c0b9b4d5
[ "MIT" ]
null
null
null
hring/src/Script/eval_test.py
anderson1008/Noculator
411964ce333c3bd587840554efef6e61c0b9b4d5
[ "MIT" ]
null
null
null
hring/src/Script/eval_test.py
anderson1008/Noculator
411964ce333c3bd587840554efef6e61c0b9b4d5
[ "MIT" ]
null
null
null
#!/usr/bin/python import sys import os import re import fnmatch import string import my_print import matplotlib.pyplot as plt import get work_dir = "/Users/Anderson/GoogleDrive/NOCulator/hring/src/bin" #work_dir = "//Users/Anderson/Desktop/SweepAll_8x8/results/homo/8x8/design/17" input_file = "bs_homo_8x8_2.out" # MAP 1 & 2 #ipc_alone = [1.90, 2.78, 2.52, 1.83, 1.90, 2.78, 2.52, 1.83, 1.90, 2.78, 2.52, 1.83, 1.90, 2.78, 2.52, 1.83] #ipc_alone = [1.90, 1.90, 2.78, 2.78, 1.90, 1.90, 2.78, 2.78, 2.52, 2.52, 1.83, 1.83, 2.52, 2.52, 1.83, 1.83] # map 3 & 4 #ipc_alone = [2.78, 2.19, 2.52, 1.36, 2.78, 2.19, 2.52, 1.36, 2.78, 2.19, 2.52, 1.36, 2.78, 2.19, 2.52, 1.36] #ipc_alone = [2.78, 2.78, 2.19, 2.19, 2.78, 2.78, 2.19, 2.19, 2.52, 2.52, 1.36, 1.36, 2.52, 2.52, 1.36, 1.36] #map 5 & 6 #ipc_alone = [2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24 ,2.36 ,1.88 ,1.32 ,2.24 ,2.36 ,1.88 ,1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32 ,2.24, 2.36 ,1.88 ,1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88 ,1.32] #ipc_alone = [2.24, 2.24, 2.24, 2.24, 2.36, 2.36, 2.36, 2.36, 2.24, 2.24, 2.24, 2.24, 2.36, 2.36, 2.36, 2.36, 2.24, 2.24, 2.24, 2.24, 2.36, 2.36, 2.36, 2.36, 2.24, 2.24, 2.24, 2.24, 2.36, 2.36, 2.36, 2.36, 1.88, 1.88, 1.88, 1.88, 1.32, 1.32, 1.32, 1.32, 1.88, 1.88, 1.88, 1.88, 1.32, 1.32, 1.32, 1.32, 1.88, 1.88, 1.88, 1.88, 1.32, 1.32, 1.32, 1.32, 1.88, 1.88, 1.88, 1.88, 1.32, 1.32, 1.32, 1.32] ipc_alone = [2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32] #ipc_alone = [2.52, 2.52, 1.33, 1.33, 2.52, 2.52, 1.33, 1.33, 1.83, 1.83, 2.78, 2.78, 1.83, 1.83, 2.78, 2.78] # heter_app 1 #input_file = "nas_4_0.08.out" # compute mpki # compute the application avg of some metric for each type of application # compute weighted speedup #compute harmonic speedup #compute the actual slowdown #compute unfairness #work_dir = str(input('Please input your work dir: ')) #input_file = str(input('Please input the file name (*.out): ' )) test_file_name = work_dir + "/" + input_file stat_shared = get_stat (test_file_name) act_t_shared = get_active_cycles(stat_shared) insns_shared = get_insns_persrc(stat_shared) ipc_shared = cmp_ipc (insns_shared, act_t_shared) mpki=cmp_mpki(stat_shared) print "Avg app mpki" print cmp_app_avg(mpki) #est_sd = get_est_sd(stat_shared) #l1_miss = get_est_L1miss(stat_shared) #plt.figure(1) #plt.subplot(2,1,1) #my_print.print_period(est_sd) #plt.subplot(2,1,2) #my_print.print_period(l1_miss) #plt.show() # enable to show the plot #print est_sd ws = cmp_ws (ipc_alone, ipc_shared) hs = cmp_hs (ipc_alone, ipc_shared) uf = cmp_uf (ipc_alone, ipc_shared) print "Weighted Speedup = " + str("%.3f" % ws) print "Harmonic Speedup = " + str("%.3f" % hs) print "Unfairness = " + str("%.3f" % uf)
35.292079
399
0.612007
#!/usr/bin/python import sys import os import re import fnmatch import string import my_print import matplotlib.pyplot as plt import get work_dir = "/Users/Anderson/GoogleDrive/NOCulator/hring/src/bin" #work_dir = "//Users/Anderson/Desktop/SweepAll_8x8/results/homo/8x8/design/17" input_file = "bs_homo_8x8_2.out" # MAP 1 & 2 #ipc_alone = [1.90, 2.78, 2.52, 1.83, 1.90, 2.78, 2.52, 1.83, 1.90, 2.78, 2.52, 1.83, 1.90, 2.78, 2.52, 1.83] #ipc_alone = [1.90, 1.90, 2.78, 2.78, 1.90, 1.90, 2.78, 2.78, 2.52, 2.52, 1.83, 1.83, 2.52, 2.52, 1.83, 1.83] # map 3 & 4 #ipc_alone = [2.78, 2.19, 2.52, 1.36, 2.78, 2.19, 2.52, 1.36, 2.78, 2.19, 2.52, 1.36, 2.78, 2.19, 2.52, 1.36] #ipc_alone = [2.78, 2.78, 2.19, 2.19, 2.78, 2.78, 2.19, 2.19, 2.52, 2.52, 1.36, 1.36, 2.52, 2.52, 1.36, 1.36] #map 5 & 6 #ipc_alone = [2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24 ,2.36 ,1.88 ,1.32 ,2.24 ,2.36 ,1.88 ,1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32 ,2.24, 2.36 ,1.88 ,1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88 ,1.32] #ipc_alone = [2.24, 2.24, 2.24, 2.24, 2.36, 2.36, 2.36, 2.36, 2.24, 2.24, 2.24, 2.24, 2.36, 2.36, 2.36, 2.36, 2.24, 2.24, 2.24, 2.24, 2.36, 2.36, 2.36, 2.36, 2.24, 2.24, 2.24, 2.24, 2.36, 2.36, 2.36, 2.36, 1.88, 1.88, 1.88, 1.88, 1.32, 1.32, 1.32, 1.32, 1.88, 1.88, 1.88, 1.88, 1.32, 1.32, 1.32, 1.32, 1.88, 1.88, 1.88, 1.88, 1.32, 1.32, 1.32, 1.32, 1.88, 1.88, 1.88, 1.88, 1.32, 1.32, 1.32, 1.32] ipc_alone = [2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32, 2.24, 2.36, 1.88, 1.32] #ipc_alone = [2.52, 2.52, 1.33, 1.33, 2.52, 2.52, 1.33, 1.33, 1.83, 1.83, 2.78, 2.78, 1.83, 1.83, 2.78, 2.78] # heter_app 1 #input_file = "nas_4_0.08.out" def get_stat (file_name): result_file = open (file_name, 'r') result = result_file.read() result_file.close() return result def get_active_cycles (stat): searchObj = re.search(r'(?:"active_cycles":\[(.*?)])',stat) splitObj = re.split('\W+',searchObj.group(1)) active_cycles = splitObj return active_cycles def get_insns_persrc (stat): searchObj = re.search(r'(?:"insns_persrc":\[(.*?)])',stat) splitObj = re.split('\W+',searchObj.group(1)) insns_persrc = splitObj return insns_persrc def get_est_sd (stat): est_sd = [] searchObj = re.search(r'(?:"estimated_slowdown":\[(.*)],\n"L1miss_persrc_period")',stat,re.DOTALL) searchList = re.finditer(r'(?:\{(.*)\},*)',searchObj.group(1)) for item in searchList: splitObj = re.split(',',item.group(1)) sd_per_core = [] for i in splitObj: if i is '' or i is '0': continue sd_per_core.append(float(i)); est_sd = est_sd + [sd_per_core] return est_sd def get_est_L1miss (stat): l1miss = [] searchObj = re.search(r'(?:"L1miss_persrc_period":\[(.*)],\n"noc_stc")',stat,re.DOTALL) searchList = re.finditer(r'(?:\{(.*)\},*)',searchObj.group(1)) for item in searchList: splitObj = re.split(',',item.group(1)) l1miss_per_period = [] for i in splitObj: if i is '' or i is '0': continue l1miss_per_period.append(float(i)); l1miss = l1miss + [l1miss_per_period] return l1miss def cmp_ipc (insns_persrc, active_cycle): ipc = [] for i,j in zip (insns_persrc, active_cycle): ipc = ipc + [ round (float (i) / float(j),3)] #print ipc return ipc # compute mpki def cmp_mpki (stat): insn_persrc = get_insns_persrc(stat) l1_miss_persrc = get.get_l1miss(stat_shared) #print l1_miss_persrc #print insn_persrc mpki = [] for i,j in zip (insn_persrc, l1_miss_persrc): mpki = mpki + [round(float(j)/float(i)*1000,3)] #print "MPKI:" #print mpki return mpki # compute the application avg of some metric for each type of application def cmp_app_avg (metric): # assuming 4 applications num_element = len(metric) loop_index = 0 avg = [0]*4 while (loop_index < num_element / 4): avg [0] = avg [0] + float(metric [loop_index*4]) avg [1] = avg [1] + float(metric [loop_index*4+1]) avg [2] = avg [2] + float(metric [loop_index*4+2]) avg [3] = avg [3] + float(metric [loop_index*4+3]) loop_index = loop_index + 1 avg[0] = round(avg[0]/(num_element/4),3) avg[1] = round(avg[1]/(num_element/4),3) avg[2] = round(avg[2]/(num_element/4),3) avg[3] = round(avg[3]/(num_element/4),3) return avg # compute weighted speedup def cmp_ws (ipc_alone, ipc_share): if len(ipc_alone) != len(ipc_share): raise Exception ("not enough ipc element") ws = 0 for i,j in zip (ipc_alone, ipc_share): if i == 0: raise Exception ("ipc_alone is 0") ws = ws + j/i return ws #compute harmonic speedup def cmp_hs (ipc_alone, ipc_share): if len(ipc_alone) != len(ipc_share): raise Exception ("not enough ipc element") temp = 0 for i,j in zip (ipc_alone, ipc_share): if j == 0: raise Exception ("ipc_share is 0") temp = temp + i/j if temp == 0: raise Exception ("temp in cmp_hs() is 0") hs = len (ipc_share) / temp return hs #compute the actual slowdown def cmp_real_sd (ipc_alone, ipc_share): slowdown = [] for i,j in zip (ipc_alone, ipc_share): slowdown = slowdown + [round(i/j,3)] print "Each app slowdown:" print slowdown return slowdown #compute unfairness def cmp_uf (ipc_alone, ipc_share): if len(ipc_alone) != len(ipc_share): raise Exception ("not enough ipc element") slowdown = cmp_real_sd(ipc_alone, ipc_share) #unfairness = max (slowdown) - min (slowdown) print "Avg app slowdown" print cmp_app_avg(slowdown) unfairness = max (slowdown) return unfairness #work_dir = str(input('Please input your work dir: ')) #input_file = str(input('Please input the file name (*.out): ' )) test_file_name = work_dir + "/" + input_file stat_shared = get_stat (test_file_name) act_t_shared = get_active_cycles(stat_shared) insns_shared = get_insns_persrc(stat_shared) ipc_shared = cmp_ipc (insns_shared, act_t_shared) mpki=cmp_mpki(stat_shared) print "Avg app mpki" print cmp_app_avg(mpki) #est_sd = get_est_sd(stat_shared) #l1_miss = get_est_L1miss(stat_shared) #plt.figure(1) #plt.subplot(2,1,1) #my_print.print_period(est_sd) #plt.subplot(2,1,2) #my_print.print_period(l1_miss) #plt.show() # enable to show the plot #print est_sd ws = cmp_ws (ipc_alone, ipc_shared) hs = cmp_hs (ipc_alone, ipc_shared) uf = cmp_uf (ipc_alone, ipc_shared) print "Weighted Speedup = " + str("%.3f" % ws) print "Harmonic Speedup = " + str("%.3f" % hs) print "Unfairness = " + str("%.3f" % uf)
3,485
0
288
6c8f3c447a3418d5e3deacb73b0d781480bd55fa
1,291
py
Python
slybot/slybot/linkextractor/ecsv.py
hackrush01/portia
c7414034361fecada76e1693666674c274b0421a
[ "BSD-3-Clause" ]
6,390
2015-01-01T17:05:13.000Z
2022-03-31T08:20:12.000Z
slybot/slybot/linkextractor/ecsv.py
hackrush01/portia
c7414034361fecada76e1693666674c274b0421a
[ "BSD-3-Clause" ]
442
2015-01-04T17:32:20.000Z
2022-03-15T21:21:23.000Z
slybot/slybot/linkextractor/ecsv.py
hackrush01/portia
c7414034361fecada76e1693666674c274b0421a
[ "BSD-3-Clause" ]
1,288
2015-01-09T05:54:20.000Z
2022-03-31T03:21:51.000Z
from __future__ import absolute_import import csv from six import string_types, StringIO, PY2 from scrapy.link import Link from .base import BaseLinkExtractor # see http://docs.python.org/2/library/csv.html#csv-fmt-params _FORMAT_PARAMETERS = ( ('delimiter', ','), ('quotechar', '"'), ('doublequote', True), ('escapechar', None), ('lineterminator', '\r\n'), ('skipinitialspace', False), ('strict', False), )
32.275
69
0.605732
from __future__ import absolute_import import csv from six import string_types, StringIO, PY2 from scrapy.link import Link from .base import BaseLinkExtractor # see http://docs.python.org/2/library/csv.html#csv-fmt-params _FORMAT_PARAMETERS = ( ('delimiter', ','), ('quotechar', '"'), ('doublequote', True), ('escapechar', None), ('lineterminator', '\r\n'), ('skipinitialspace', False), ('strict', False), ) class CsvLinkExtractor(BaseLinkExtractor): def __init__(self, column=0, **kwargs): self.fmtparams = dict((key, kwargs.pop(key, default)) for key, default in _FORMAT_PARAMETERS) if PY2: for key, val in self.fmtparams.items(): if isinstance(val, unicode): self.fmtparams[key] = val.encode() super(CsvLinkExtractor, self).__init__(**kwargs) self.allowed_schemes = [x for x in self.allowed_schemes if x and isinstance(x, string_types)] self.column = column def _extract_links(self, response): buff = StringIO(response.text) reader = csv.reader(buff, **self.fmtparams) for row in reader: if len(row) > self.column: yield Link(row[self.column])
754
21
76
b9fa5361dc7fe07bf7df8f28be4364d5c13ef73e
4,251
py
Python
tests/unit2/test_sprite_list.py
mlr07/arcade
70a7046f094a05be1bf0935edeff0ccfb391e01c
[ "MIT" ]
null
null
null
tests/unit2/test_sprite_list.py
mlr07/arcade
70a7046f094a05be1bf0935edeff0ccfb391e01c
[ "MIT" ]
null
null
null
tests/unit2/test_sprite_list.py
mlr07/arcade
70a7046f094a05be1bf0935edeff0ccfb391e01c
[ "MIT" ]
null
null
null
from array import array import struct import pytest import arcade def test_setitem(ctx): """Testing __setitem__""" num_sprites = 10 spritelist = make_named_sprites(num_sprites) # Assign the same item to the same slot for i in range(num_sprites): spritelist[i] = spritelist[i] assert spritelist[i] == spritelist[i] # Try to duplicate a sprite with pytest.raises(Exception): spritelist[0] = spritelist[1] # Assign new sprite spritelist[0] = arcade.SpriteSolidColor(16, 16, arcade.color.RED) spritelist.insert(0, arcade.SpriteSolidColor(16, 16, arcade.color.BLUE)) spritelist.draw() def test_spritelist_lazy(): """Test lazy creation of spritelist""" spritelist = arcade.SpriteList(lazy=True, use_spatial_hash=True) assert spritelist._sprite_pos_buf == None assert spritelist._geometry == None for x in range(100): spritelist.append( arcade.Sprite(":resources:images/items/coinGold.png", center_x=x * 64) ) assert len(spritelist) == 100 assert spritelist.spatial_hash
29.93662
108
0.673253
from array import array import struct import pytest import arcade def make_named_sprites(amount): spritelist = arcade.SpriteList() sprites = [] for i in range(amount): c = i + 1 sprite = arcade.SpriteSolidColor(16, 16, (c, c, c, 1)) sprite.name = i sprites.append(sprite) spritelist.extend(sprites) return spritelist def test_it_can_extend_a_spritelist(): spritelist = arcade.SpriteList() sprites = [] for i in range(10): sprites.append(arcade.Sprite()) spritelist.extend(sprites) assert len(spritelist) == 10 def test_it_can_insert_in_a_spritelist(): spritelist = make_named_sprites(2) sprite = arcade.Sprite() sprite.name = 2 spritelist.insert(1, sprite) assert [s.name for s in spritelist] == [0, 2, 1] # New slot was added in position 2 assert [spritelist.sprite_slot[s] for s in spritelist] == [0, 2, 1] # Index buffer should refer to the slots in the same order assert list(spritelist._sprite_index_data[:3]) == [0, 2, 1] def test_it_can_reverse_a_spritelist(): spritelist = make_named_sprites(3) spritelist.reverse() assert [s.name for s in spritelist] == [2, 1, 0] # The slot indices doesn't change, but the position in the spritelist do assert [spritelist.sprite_slot[s] for s in spritelist] == [2, 1, 0] assert list(spritelist._sprite_index_data[:3]) == [2, 1, 0] def test_it_can_pop_at_a_given_index(): spritelist = make_named_sprites(3) assert spritelist.pop(1).name == 1 assert [s.name for s in spritelist] == [0, 2] # Indices will not change internally assert [spritelist.sprite_slot[s] for s in spritelist] == [0, 2] def test_setitem(ctx): """Testing __setitem__""" num_sprites = 10 spritelist = make_named_sprites(num_sprites) # Assign the same item to the same slot for i in range(num_sprites): spritelist[i] = spritelist[i] assert spritelist[i] == spritelist[i] # Try to duplicate a sprite with pytest.raises(Exception): spritelist[0] = spritelist[1] # Assign new sprite spritelist[0] = arcade.SpriteSolidColor(16, 16, arcade.color.RED) spritelist.insert(0, arcade.SpriteSolidColor(16, 16, arcade.color.BLUE)) spritelist.draw() def test_can_shuffle(ctx): num_sprites = 10 spritelist = make_named_sprites(num_sprites) # Shuffle multiple times for _ in range(100): spritelist.shuffle() spritelist.draw() # Ensure the index buffer is referring to the correct slots # Raw buffer from OpenGL index_data = struct.unpack(f"{num_sprites}i", spritelist._sprite_index_buf.read()[:num_sprites * 4]) for i, sprite in enumerate(spritelist): # Check if slots are updated slot = spritelist.sprite_slot[sprite] assert slot == spritelist._sprite_index_data[i] assert slot == index_data[i] def test_spritelist_lazy(): """Test lazy creation of spritelist""" spritelist = arcade.SpriteList(lazy=True, use_spatial_hash=True) assert spritelist._sprite_pos_buf == None assert spritelist._geometry == None for x in range(100): spritelist.append( arcade.Sprite(":resources:images/items/coinGold.png", center_x=x * 64) ) assert len(spritelist) == 100 assert spritelist.spatial_hash def test_sort(ctx): s1 = arcade.SpriteSolidColor(10, 10, arcade.color.WHITE) s1.set_position(100, 100) s2 = arcade.SpriteSolidColor(10, 10, arcade.color.WHITE) s2.set_position(110, 100) s3 = arcade.SpriteSolidColor(10, 10, arcade.color.WHITE) s3.set_position(120, 100) sprites_v1 = [s1, s2, s3] sprites_v2 = [s3, s2, s1] spritelist = arcade.SpriteList() spritelist.extend(sprites_v1) spritelist.draw() assert spritelist.sprite_list == sprites_v1 spritelist.sort(key=lambda x: x.position[0], reverse=True) assert spritelist.sprite_list == sprites_v2 assert spritelist._sprite_index_data[0:3] == array("f", [2, 1, 0]) spritelist.sort(key=lambda x: x.position[0]) assert spritelist.sprite_list == sprites_v1 assert spritelist._sprite_index_data[0:3] == array("f", [0, 1, 2])
2,987
0
161
ec6c9ce6553ffbcbcafb4ba7323398e1655d6082
5,835
py
Python
chibi_gob_mx_elasticsearch/cli.py
dem4ply/chibi_gob_mx_elasticsearch
7b4a5b35ad79817db0f5d5cc6705f085b4708a1d
[ "WTFPL" ]
null
null
null
chibi_gob_mx_elasticsearch/cli.py
dem4ply/chibi_gob_mx_elasticsearch
7b4a5b35ad79817db0f5d5cc6705f085b4708a1d
[ "WTFPL" ]
null
null
null
chibi_gob_mx_elasticsearch/cli.py
dem4ply/chibi_gob_mx_elasticsearch
7b4a5b35ad79817db0f5d5cc6705f085b4708a1d
[ "WTFPL" ]
null
null
null
# -*- coding: utf-8 -*- """Console script for chibi_gob_mx_elasticsearch.""" import random import argparse import sys import argparse import sys from chibi.config import basic_config from chibi.file import Chibi_path from chibi.config import configuration from chibi_gob_mx.open_data import Open_data from chibi_gob_mx.open_data.data_set import Data_set as Data_set_site from chibi_gob_mx_elasticsearch.models import Dataset, Resource from elasticsearch_dsl import Q import logging import time logger = logging.getLogger( 'chibi_gob_mx_elasticsearch.cli' ) parser = argparse.ArgumentParser( description=( "descargar datos de articulos de " "https://datos.gob.mx hacia elasticsearhc" ), fromfile_prefix_chars='@' ) parser.add_argument( "--log_level", dest="log_level", default="INFO", help="nivel de log", ) parser.add_argument( "--reversed", '-r', dest="reversed", action="store_true", help="escanea en alrevez", ) parser.add_argument( "--random", dest="random", action="store_true", help="escanea aleatoriamente", ) parser.add_argument( "--resources", dest="do_resources", action="store_true", help="formateara los resources de los dataset", ) parser.add_argument( "--scan_no_ok", dest="scan_no_ok", action="store_true", help="reescanea los que no se encontraron", ) parser.add_argument( "--config_site", type=Chibi_path, dest="config_site", help="python, yaml o json archivo de config" ) if __name__ == "__main__": sys.exit(main()) # pragma: no cover
34.94012
79
0.53916
# -*- coding: utf-8 -*- """Console script for chibi_gob_mx_elasticsearch.""" import random import argparse import sys import argparse import sys from chibi.config import basic_config from chibi.file import Chibi_path from chibi.config import configuration from chibi_gob_mx.open_data import Open_data from chibi_gob_mx.open_data.data_set import Data_set as Data_set_site from chibi_gob_mx_elasticsearch.models import Dataset, Resource from elasticsearch_dsl import Q import logging import time logger = logging.getLogger( 'chibi_gob_mx_elasticsearch.cli' ) parser = argparse.ArgumentParser( description=( "descargar datos de articulos de " "https://datos.gob.mx hacia elasticsearhc" ), fromfile_prefix_chars='@' ) parser.add_argument( "--log_level", dest="log_level", default="INFO", help="nivel de log", ) parser.add_argument( "--reversed", '-r', dest="reversed", action="store_true", help="escanea en alrevez", ) parser.add_argument( "--random", dest="random", action="store_true", help="escanea aleatoriamente", ) parser.add_argument( "--resources", dest="do_resources", action="store_true", help="formateara los resources de los dataset", ) parser.add_argument( "--scan_no_ok", dest="scan_no_ok", action="store_true", help="reescanea los que no se encontraron", ) parser.add_argument( "--config_site", type=Chibi_path, dest="config_site", help="python, yaml o json archivo de config" ) def prepare(): #Dataset._index.delete() wait = False if not Dataset._index.exists(): wait = True logger.info( 'creando el indice para dataset' ) Dataset.init() if not Resource._index.exists(): wait = True logger.info( 'creando el indice para resources' ) Resource.init() if wait: time.sleep( 10 ) def main(): args = parser.parse_args() basic_config( args.log_level ) if args.config_site: load_config( args.config_site ) prepare() data = Open_data() if args.do_resources: resources_count = 0 for dataset in Dataset.search().scan(): resources_count += len( dataset.resources ) for resource in dataset.resources: if not Resource.url_is_scaned( resource.download_link ): model = Resource( title=resource.title, description=resource.description, url=resource.download_link, tags=dataset.tags, metadata=dataset.metadata ) model.save() logger.info( f"count dataset: {Dataset.search().count()}" ) logger.info( f"count resources: {Resource.search().count()}" ) logger.info( f"total resources: {resources_count}" ) elif args.scan_no_ok: configuration.loggers.elasticsearch.level = 'INFO' no_ok = ~Q( 'term', status='ok' ) for model in Dataset.search().filter( no_ok ).scan(): try: if model.status == 'no_ok': dataset = Data_set_site( model.url ) model.resources = dataset.info.resources model.metadata = dataset.metadata model.update( metadata=dataset.metadata, **dataset.info, status='missing activity' ) elif model.status == 'missing activity': model.activity = dataset.info.activity.info model.update( activity=dataset.activity.info, status='ok' ) else: logger.warning( 'intentando procesar un status ' 'desconocido "{model.status}"' ) except KeyboardInterrupt: raise except: pass else: if args.random: pages = list( data.pages ) random.shuffle( pages ) for page in pages: for dataset in page.datasets: if not Dataset.url_is_scaned( dataset.url ): try: model = Dataset( url=dataset.url, metadata=dataset.metadata, activity=dataset.activity.info, **dataset.info, status='ok' ) model.save() logger.info( f'guardado {dataset.url}' ) except Exception as e: model = Dataset( url=dataset.url, status='no_ok' ) model.save() logger.exception( f'saltando {dataset.url}' ) else: logger.error( f'encontrado {dataset.url}' ) else: for dataset in data: model = Dataset.url_is_scaned( dataset.url ) if not model: try: model = Dataset( url=dataset.url, metadata=dataset.metadata, activity=dataset.activity.info, **dataset.info, status='ok' ) model.save() except Exception as e: model = Dataset( url=dataset.url, status='no_ok' ) model.save() logger.error( f'saltando {dataset.url}' ) else: logger.error( f'encontrado {dataset.url}' ) continue model.resources = dataset.info.resources model.save() return 0 if __name__ == "__main__": sys.exit(main()) # pragma: no cover
4,244
0
46
64baa5dcca37c50df6335c3f376ec65a202444ae
2,116
py
Python
tests/test_buyback_two_hop.py
speraxdev/USDs
8ff2dfaf2173fadacf49619473d681707fc8507c
[ "MIT" ]
null
null
null
tests/test_buyback_two_hop.py
speraxdev/USDs
8ff2dfaf2173fadacf49619473d681707fc8507c
[ "MIT" ]
null
null
null
tests/test_buyback_two_hop.py
speraxdev/USDs
8ff2dfaf2173fadacf49619473d681707fc8507c
[ "MIT" ]
null
null
null
import pytest from brownie import Wei, Contract, reverts, interface from brownie.test import given, strategy import time
21.814433
72
0.5931
import pytest from brownie import Wei, Contract, reverts, interface from brownie.test import given, strategy import time def test_swap(sperax, owner_l2, weth): ( spa, usds_proxy, core_proxy, vault_proxy, oracle_proxy, strategies, buybacks, bancor ) = sperax ( two_hops_buyback, three_hops_buyback ) = buybacks amount = 10000 balance1 = usds_proxy.balanceOf(vault_proxy.address) weth_erc20 = interface.IERC20(weth.address) weth_erc20.approve(vault_proxy.address, amount, {'from': owner_l2}) weth_erc20.transfer(vault_proxy.address, amount, {'from': owner_l2}) weth_erc20.transfer( two_hops_buyback.address, amount, {'from': vault_proxy} ) two_hops_buyback.swap( weth_erc20.address, amount, {'from': vault_proxy} ) time.sleep(10) balance2 = usds_proxy.balanceOf(vault_proxy.address) transferedBalance = balance2 - balance1 assert transferedBalance > 0 def test_swap_unsuccesful_call_not_vault(sperax, owner_l2, weth): ( spa, usds_proxy, core_proxy, vault_proxy, oracle_proxy, strategies, buybacks, bancor ) = sperax ( two_hops_buyback, three_hops_buyback ) = buybacks amount = 10000 weth_erc20 = interface.IERC20(weth.address) with reverts("Caller is not the Vault"): two_hops_buyback.swap( weth_erc20.address, amount, {'from': owner_l2} ) def test_swap_unsuccesful_call_token_not_supported(sperax): ( spa, usds_proxy, core_proxy, vault_proxy, oracle_proxy, strategies, buybacks, bancor ) = sperax ( two_hops_buyback, three_hops_buyback ) = buybacks amount = 10000 with reverts("inputToken not supported"): two_hops_buyback.swap( spa.address, amount, {'from': vault_proxy} )
1,924
0
69
c1cf043a5b16063a92106928d163cd1776b47fcb
4,657
py
Python
datasets/dataset_utils.py
suddhu/MinkLoc3D
11a2d2d3a96e74133b4aff635d456e22133babcd
[ "MIT" ]
null
null
null
datasets/dataset_utils.py
suddhu/MinkLoc3D
11a2d2d3a96e74133b4aff635d456e22133babcd
[ "MIT" ]
null
null
null
datasets/dataset_utils.py
suddhu/MinkLoc3D
11a2d2d3a96e74133b4aff635d456e22133babcd
[ "MIT" ]
null
null
null
# Author: Jacek Komorowski # Warsaw University of Technology import numpy as np import torch from torch.utils.data import DataLoader import MinkowskiEngine as ME from datasets.tactileDataset import tactileDataset from datasets.augmentation import TrainCloudTransform, TrainCloudSetTransform from datasets.samplers import BatchSampler from MinkLoc3D.utils import MinkLocParams def make_dataloaders(params: MinkLocParams): """ Create training and validation dataloaders that return groups of k=2 similar elements :param train_params: :param model_params: :return: """ datasets = make_datasets(params) dataloaders = {} train_sampler = BatchSampler(datasets['train'], batch_size=params.batch_size, batch_size_limit=params.batch_size_limit, batch_expansion_rate=params.batch_expansion_rate, max_batches = params.max_batches) # Collate function collates items into a batch and applies a 'set transform' on the entire batch train_collate_fn = make_collate_fn(datasets['train'], params.model_params.mink_quantization_size) dataloaders['train'] = DataLoader(datasets['train'], batch_sampler=train_sampler, collate_fn=train_collate_fn, num_workers=params.num_workers, pin_memory=True) if 'val' in datasets: val_sampler = BatchSampler(datasets['val'], batch_size=params.val_batch_size, max_batches = params.max_batches) # Collate function collates items into a batch and applies a 'set transform' on the entire batch # Currently validation dataset has empty set_transform function, but it may change in the future val_collate_fn = make_collate_fn(datasets['val'], params.model_params.mink_quantization_size) dataloaders['val'] = DataLoader(datasets['val'], batch_sampler=val_sampler, collate_fn=val_collate_fn, num_workers=params.num_workers, pin_memory=True) return dataloaders
46.108911
142
0.708825
# Author: Jacek Komorowski # Warsaw University of Technology import numpy as np import torch from torch.utils.data import DataLoader import MinkowskiEngine as ME from datasets.tactileDataset import tactileDataset from datasets.augmentation import TrainCloudTransform, TrainCloudSetTransform from datasets.samplers import BatchSampler from MinkLoc3D.utils import MinkLocParams def make_datasets(params: MinkLocParams): # Create training and validation datasets datasets = {} train_transform = TrainCloudTransform(params.aug_mode) train_set_transform = TrainCloudSetTransform(params.aug_mode) datasets['train'] = tactileDataset(params.dataset_folder, params.train_file, transform=train_transform, set_transform=train_set_transform) if params.val_file is not None: datasets['val'] = tactileDataset(params.val_folder, params.val_file, transform=None, set_transform=None) return datasets def make_collate_fn(dataset: tactileDataset, mink_quantization_size=None): # set_transform: the transform to be applied to all batch elements def collate_fn(data_list): # Constructs a batch object len(data_list) = batch_size labels = [e['ndx'] for e in data_list] # Compute positives and negatives mask # positives: checks if each label is in the set of positives of the rest positives_mask = [[in_sorted_array(e, dataset.queries[label].positives) for e in labels] for label in labels] negatives_mask = [[in_sorted_array(e, dataset.queries[label].negatives) for e in labels] for label in labels] # print("{}".format(dataset.queries[labels[0]].object)) positives_mask = torch.tensor(positives_mask) negatives_mask = torch.tensor(negatives_mask) # Returns (batch_size, n_points, 3) tensor and positives_mask and # negatives_mask which are batch_size x batch_size boolean tensors result = {'positives_mask': positives_mask, 'negatives_mask': negatives_mask} clouds = [e['cloud'] for e in data_list] clouds = torch.stack(clouds, dim=0) # Produces (batch_size, n_points, 3) tensor if dataset.set_transform is not None: # Apply the same transformation on all dataset elements clouds = dataset.set_transform(clouds) coords = [ME.utils.sparse_quantize(coordinates=e, quantization_size=mink_quantization_size) for e in clouds] coords = ME.utils.batched_coordinates(coords) # Assign a dummy feature equal to 1 to each point # Coords must be on CPU, features can be on GPU - see MinkowskiEngine documentation feats = torch.ones((coords.shape[0], 1), dtype=torch.float32) result['coords'] = coords result['features'] = feats return result return collate_fn def make_dataloaders(params: MinkLocParams): """ Create training and validation dataloaders that return groups of k=2 similar elements :param train_params: :param model_params: :return: """ datasets = make_datasets(params) dataloaders = {} train_sampler = BatchSampler(datasets['train'], batch_size=params.batch_size, batch_size_limit=params.batch_size_limit, batch_expansion_rate=params.batch_expansion_rate, max_batches = params.max_batches) # Collate function collates items into a batch and applies a 'set transform' on the entire batch train_collate_fn = make_collate_fn(datasets['train'], params.model_params.mink_quantization_size) dataloaders['train'] = DataLoader(datasets['train'], batch_sampler=train_sampler, collate_fn=train_collate_fn, num_workers=params.num_workers, pin_memory=True) if 'val' in datasets: val_sampler = BatchSampler(datasets['val'], batch_size=params.val_batch_size, max_batches = params.max_batches) # Collate function collates items into a batch and applies a 'set transform' on the entire batch # Currently validation dataset has empty set_transform function, but it may change in the future val_collate_fn = make_collate_fn(datasets['val'], params.model_params.mink_quantization_size) dataloaders['val'] = DataLoader(datasets['val'], batch_sampler=val_sampler, collate_fn=val_collate_fn, num_workers=params.num_workers, pin_memory=True) return dataloaders def in_sorted_array(e: int, array: np.ndarray) -> bool: pos = np.searchsorted(array, e) if pos == len(array) or pos == -1: return False else: return array[pos] == e
2,574
0
69